From ae6d8d48b4ee60eb99b9dca5ed3544bf574ae8ac Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?=C3=80lex=20Magaz=20Gra=C3=A7a?= This migration makes the following changes to the database:
+ *
+ *
+ *
Among other things, allows access to the database and preferences. + * See http://facebook.github.io/stetho/#features
+ */ + public static void install(Application application){ + //don't initialize stetho during tests + if (!BuildConfig.DEBUG || isRoboUnitTest()) + return; + + Stetho.initialize(Stetho.newInitializerBuilder(application) + .enableWebKitInspector(Stetho.defaultInspectorModulesProvider(application)) + .build()); + } + + /** + * Returns {@code true} if the app is being run by robolectric + * @return {@code true} if in unit testing, {@code false} otherwise + */ + private static boolean isRoboUnitTest(){ + return "robolectric".equals(Build.FINGERPRINT); + } +} diff --git a/app/src/main/java/org/gnucash/android/app/GnuCashApplication.java b/app/src/main/java/org/gnucash/android/app/GnuCashApplication.java index 394926963..d67d6e145 100644 --- a/app/src/main/java/org/gnucash/android/app/GnuCashApplication.java +++ b/app/src/main/java/org/gnucash/android/app/GnuCashApplication.java @@ -33,7 +33,6 @@ import com.crashlytics.android.Crashlytics; import com.crashlytics.android.core.CrashlyticsCore; -import com.facebook.stetho.Stetho; import com.uservoice.uservoicesdk.Config; import com.uservoice.uservoicesdk.UserVoice; @@ -135,8 +134,7 @@ public void onCreate(){ initializeDatabaseAdapters(); setDefaultCurrencyCode(getDefaultCurrencyCode()); - if (BuildConfig.DEBUG && !isRoboUnitTest()) - setUpRemoteDebuggingFromChrome(); + StethoUtils.install(this); } /** @@ -252,14 +250,6 @@ public static boolean isCrashlyticsEnabled(){ return PreferenceManager.getDefaultSharedPreferences(context).getBoolean(context.getString(R.string.key_enable_crashlytics), false); } - /** - * Returns {@code true} if the app is being run by robolectric - * @return {@code true} if in unit testing, {@code false} otherwise - */ - public static boolean isRoboUnitTest(){ - return "robolectric".equals(Build.FINGERPRINT); - } - /** * Returnstrue
if double entry is enabled in the app settings, false
otherwise.
* If the value is not set, the default value can be specified in the parameters.
@@ -388,18 +378,4 @@ private void setUpUserVoice() {
UserVoice.init(config, this);
}
- /**
- * Sets up Stetho to enable remote debugging from Chrome developer tools.
- *
- * Among other things, allows access to the database and preferences. - * See http://facebook.github.io/stetho/#features
- */ - private void setUpRemoteDebuggingFromChrome() { - Stetho.Initializer initializer = - Stetho.newInitializerBuilder(this) - .enableWebKitInspector( - Stetho.defaultInspectorModulesProvider(this)) - .build(); - Stetho.initialize(initializer); - } } \ No newline at end of file diff --git a/app/src/release/java/org/gnucash/android/app/StethoUtils.java b/app/src/release/java/org/gnucash/android/app/StethoUtils.java new file mode 100644 index 000000000..f732b8acf --- /dev/null +++ b/app/src/release/java/org/gnucash/android/app/StethoUtils.java @@ -0,0 +1,15 @@ +package org.gnucash.android.app; + +import android.app.Application; + +/** + * Dummy utility class for overriding Stetho initializing in release build variants + */ + +public class StethoUtils { + + public static void install(Application application) { + //nothing to see here, move along + //check the debug version of this class to see Stetho init code + } +} From 4a54b20dca967b83dc6095b7d56f717423fe1a4a Mon Sep 17 00:00:00 2001 From: Ngewi FetThis is not the same as the list of all available commodities
- * @return List of currencies in use + * Returns the list of commodities in use in the database. + * + *This is not the same as the list of all available commodities.
+ * + * @return List of commodities in use */ - public ListThis method will not create the imbalance account if it doesn't exist
- * @param currency Currency for the imbalance account - * @return GUID of the account or null if the account doesn't exist yet - * @see #getOrCreateImbalanceAccountUID(Commodity) - */ - public String getImbalanceAccountUID(Currency currency){ - String imbalanceAccountName = getImbalanceAccountName(currency); - return findAccountUidByFullName(imbalanceAccountName); - } - /** * Returns the GUID of the imbalance account for the commodity * diff --git a/app/src/test/java/org/gnucash/android/test/unit/db/TransactionsDbAdapterTest.java b/app/src/test/java/org/gnucash/android/test/unit/db/TransactionsDbAdapterTest.java index 881fc5948..fd98a2268 100644 --- a/app/src/test/java/org/gnucash/android/test/unit/db/TransactionsDbAdapterTest.java +++ b/app/src/test/java/org/gnucash/android/test/unit/db/TransactionsDbAdapterTest.java @@ -119,7 +119,7 @@ public void shouldBalanceTransactionsOnSave(){ Transaction trn = mTransactionsDbAdapter.getRecord(transaction.getUID()); assertThat(trn.getSplits()).hasSize(2); - String imbalanceAccountUID = mAccountsDbAdapter.getImbalanceAccountUID(Currency.getInstance(Money.DEFAULT_CURRENCY_CODE)); + String imbalanceAccountUID = mAccountsDbAdapter.getImbalanceAccountUID(Commodity.getInstance(Money.DEFAULT_CURRENCY_CODE)); assertThat(trn.getSplits()).extracting("mAccountUID").contains(imbalanceAccountUID); } From 59c94fc18f7d519a59881dbf44fbab467c1c7188 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=C3=80lex=20Magaz=20Gra=C3=A7a?=This is used in {@code ReportsActivity} for the time range
+ *This is used in {@code ReportsActivity} for the time range and in the {@link ExportFormFragment}
+ *It could happen that the selected item is fired twice especially if the item is the first in the list. + * The Android system does this internally. In order to capture the first one, check whether the view parameter + * of {@link android.widget.AdapterView.OnItemSelectedListener#onItemSelected(AdapterView, View, int, long)} is null. + * That would represent the first call during initialization of the views. This call can be ignored. + * See {@link ExportFormFragment#bindViewListeners()} for an example + *
*/ -public class ReselectSpinner extends Spinner { +public class ReselectSpinner extends AppCompatSpinner { public ReselectSpinner(Context context) { super(context); } @@ -26,9 +36,10 @@ public ReselectSpinner(Context context, AttributeSet attrs, int defStyleAttr) { public void setSelection(int position) { boolean sameSelected = getSelectedItemPosition() == position; super.setSelection(position); - if (position == 5 && sameSelected){ - getOnItemSelectedListener().onItemSelected(this, getSelectedView(), position, getSelectedItemId()); + if (sameSelected){ + OnItemSelectedListener listener = getOnItemSelectedListener(); + if (listener != null) + listener.onItemSelected(this, getSelectedView(), position, getSelectedItemId()); } - super.setSelection(position); } } diff --git a/app/src/main/res/layout/fragment_export_form.xml b/app/src/main/res/layout/fragment_export_form.xml index 8621e3754..162b3f58f 100644 --- a/app/src/main/res/layout/fragment_export_form.xml +++ b/app/src/main/res/layout/fragment_export_form.xml @@ -42,7 +42,7 @@ android:gravity="center_vertical" style="@style/TextAppearance.EditTransaction_Small" /> -Heh(1Ut5h4gsQ;AAZ zp^5}*DSuRz79@%)L{btIxT;Mq+2)eF+gtChvG+W8ZznV3_r~M%-o+zX>m7S-@B8`v z=J(!=Jzf}wkazJsFaMJiR3iI%x!Z3oKq^bN;+G~UK`KiLQVCL7N|4G@f>eT3mJ+10 zlpw9QQq6h*FDklCn)QuVLe2VWWyZ9Qby`RQ$9v`wG;W@T-L)#b+xK8+v~_1xU%8BK z_- PbzCpL%k_9W{vKZn zt{30qPjQ*OUN1Jpz^88McDn=X@^@S>zIQsEOZMM7R$1KMXf^M=b!Ps<@0pp#wrS46 z?yK&A-zFgSs6fTtJS31Lfcz6j;H^{F!ylscdR#eszSg|wJGa2hD?tMvPd27(bn1eS zg8{+7;01#u7W`cRAcMyNQ?8fGYp$&|58d~7m>3Tl%hv-ZzJD0r_Qm_*BFCd*kT??D z6EwHu8h9W&MLj;vi>J2Cyl>x)<0t<+-&k5&f_A&zzvw*rsfy_PqMlQDSN#8DJDiB@ zamT(lj-NhTpN;JliK*9pW)FNN5mP=#@p3_`Jo#gos#f3~%NOQ#Kk|*&PRuVX_(2f# zFI4<7n?-fEo9=X(nsjw0uaVD>x2rtQw21#M09#mW`FjuCu%d8BH^Y6A{dPD9DWSR* zFM7)~>=ioY2ajw&);zyB;>vRbRb@FAHdwKOVHvDbFSQy!`qlP-3Y$gt`*`9_USeL) zl_z=0fh!|*c$cU={HO7WVWJ?@wQ#S~1=s?pU;h5e2~n5Wk41S^21tFNHdUe^HM#aP z=Q<6Sce@gCu9CFi2dAu-V_n%cx$J2Mw>(t!}Dt>CR^WAf(qgByn2NJ#Z+M5ntT(V|JW1D9WNoKRG)PfqS?Em{ zw^_AugLd;I+d2~tumaLLp}3(+BZbNvKNq?K6W!_7F-^(e1!b*DR9{PXqE44o)zO`t zaOEUhx#=N>2a|!~j&ab^oy)t{r0#4o0X7+moP`4`j;LCl%pn+ZTV@jr As33EK!nD9NP5D{0 zA*6kc!of1WbPCe2+_?dQy|a89=JKraDuAn?`%Gq7#2wR(NU3juLF^0$UZ;nK~vd zgW2LdiIQ)lC@oz#f=TLf=uQ;~r|q9Pp}VG@6q |DfuB9h28-AB=&&gy{&&TQXE2_=Sh3+UhFiJN@+Ww|CN2dnU+KViz z(Fo!&)19CuSs=*q5Kaf_ghISs9&4wHrKkX@=*|=~nds4UzO|=2>5ib#olD6~Ng1Wl zAw_s(rO%;~;8fwD@*1&SC%tvaR3SprB)E+XPfNg3#|;j>1TP{OHF*rjV7ZNlC_3Yy zG5~i-6;&`~&2Xm)jJ#;NaN&T}n=U4jsZZ4{t`ZEoEQ5~fbV^db7S4cvE(IzDMUiom z3;LptDsqu{&2qk?iW5&Vd5dcBi0)I))unloPJVNQ10@4N9k6eV*TRB8l8vED%ji1x z Tx9SFdYJbjMV6Wl*~`C^Tydd|iND=<`V` zx|4xO`-2n%tK_$e`ltbH7CCN{#~X@Zmh*(3s*{h}zHmG@k4D@^> 0r*x<4fKy$#j_PE(QwawX)#((Vi|m7K7ljMD%RLKjlG-M((aCI%XHo#loRb@N z39ggex;RJPuJRgOr_0r0Pol &Gr_V;yJea9GqGH7HdH4r=>FRd Kx;w)RLqwb$In60w!hcF*dOjM|%#k40bI6&F9Bdh_Jp}k-Et{pbdmsYITc`*hl zd1Vq2vexsN0EL|{G{xbo)oNhF=bV?`QpRd$eMK8ZKxAQwYNZkgn{|6|jw{A}B0ww4 z#TGm-HZ;a6O)5`Q1{#`P`AmIbplJrOwBt~YX(P>JI|-Xb_Im-}^c1kTbk{pQ2Y(fZ zzU!u?b7_--*m?^kgKauTmJvU$W{MHVxqD~ptgu<%erV!F*KJb&zz_cgel02v?71*K zx~0C9g(_UiW@<({OMAz;5#ze+CPtcH{lLW=Mcu(a!lQ{Td#>qDAm9Dk5%|xA#fb94 zc*ZNJJn`8Jvk~X^RMU9ccn|eaPPV$rp GS2YFBvCv6tbY?;eGhkUe`Y z=}sIlMxyhxr{U}Ib;KLqJk^=}*Zzy=ue++=jAzIclQ7zJKc~HSTi14&=7y!VOVoFV zn-Z{McFx!i*GKkmxvM9b)7 zpN9|Lc{6+u@B7WiN00sVx%xG;bDgd2AnLz^Do?A`s=aMj zROdc%>(c4{yXW74&++iHaPLPSg5Sm3A;v6Pmf{;8`V-shK_Jc8oPgvfAk`9}Mx$ly z;N5Wh-nYY-N9!;NWl@&-C73z<9DM6jhx&7$#{exP0JVijrOw(+1W5oDgS07HMiP%2 zd;Qh0?H8YhPu@1wpFg!Ms62BLe*Uq8@RNU^fmsAlD*-4Fl$RMKg*R0ZP@5C48r}6K z*zu)Z@cyX@xar!hFg;R(D=s%sS^->mWe$#?JPZH$_EGrF(HG!U0?d3uaV<=96ffd} zv^qoPsz=okSR=_&N89l%ka+g3^ m)^*1QhnJ7;N3okwFK_Mf1>v1!^Xx4i?Yo@ON zM)shM1dxjILMfBblYj|r0I~u}0t#m?Fd#USu@SvU C_ySq3DV_JG7U41)99rM$#JH&fcn1x0{|`R(YQlW2QL5s N002ovPDHLkV1lMfCjkHe diff --git a/app/src/main/res/drawable-hdpi/appwidget_inner_focused_c.9.png b/app/src/main/res/drawable-hdpi/appwidget_inner_focused_c.9.png deleted file mode 100644 index a949bd2c3b670aca8fc067d63273f34d0356d824..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 221 zcmeAS@N?(olHy`uVBq!ia0vp^oIvc$!3HEtBK)#|lw^r(L`iUdT1k0gQ7VIDN`6wR zf@f}GdTLN=VoGJ<$y6JlqIypk$B>F!Z^ABeH7M}h@%*p#H^_c>NuZDSCJw1h%m;fP z+uS_Ncg9DGA*eg>OUsr8DOpY`vz}aAlEZPOu|VUkx|;p2x@9HJ*^mFM4my#%Vt>qa zvEFjc$eMGuJ3n6R{T*> w;UHx3vIVCg!00TN#`~Uy| diff --git a/app/src/main/res/drawable-hdpi/appwidget_inner_focused_l.9.png b/app/src/main/res/drawable-hdpi/appwidget_inner_focused_l.9.png deleted file mode 100644 index 4aaca6c504c54d3497ecca13075d86fdb5ed86f2..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 400 zcmV;B0dM|^P) 1RCwC#SV0QHKn&bezfkZ2p1lbD zfnGcbg5b%U)<5VsY<++z2%goWH$m_L{=hd#%+_t)ma4l25ha01AtYfkU1&Feh{DtW zfYK3CvD^kTXpxtwE0l5@4umMDA|bfa6WXS%%35)i{GLz|7ItqCfTXy{6i)~n!ch$I znnVM@JO*7gYivy_+L MyACN1}Ho&wt88C`3&47;^W0$M6{@Q!l1A@@_0sF z(U3_d_xmIK0RtX^HDC=`L>7@n WRK+AZ*d^d-@+8nM5{(vr)a*y(@oY8 uI^_EVFSQ=YG6>Z{ik1)sOrGMK00RK9D!78uy-_>>0000 C8)Fj diff --git a/app/src/main/res/drawable-hdpi/appwidget_inner_focused_r.9.png b/app/src/main/res/drawable-hdpi/appwidget_inner_focused_r.9.png deleted file mode 100644 index 1fc0f900af97e530df8458ae1261fc71e1ddb3bf..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 423 zcmV;Y0a*TtP) -a3QN2p+6)lPiU7GIa$##n8bHTtZ*D+> z8)9Z7K|~m0GM1pc!IHS;{uj9W;mS;SRiCVA@YLF%jsy%%$Z6TYGj14xpO|o14ipVo zFvR*xvhl$ya4u?w;G%5ccg{EE%!6&tm_Be`AC$y&Qz@{)ls7oe#mKmM30+|GENU;^ z6ck9sb>OZbf+tn&ppSxI@UoY|T0w(a|1fBaTJ67=a0Uu=3F?7*peCw`YN9>`HBn8} zud{lfKifxB;N@w>>1_M%Xi$qsoOkbms7?Ercq^`VZVDp0#{CCT`)a2kq5!-X@kf#7 zJn~y}h7$c53GKmIdy3P|1iZlPd%F~;iaoL<=f%YQ-WY}DAw&;kZ}GPP0{}BC;C@IZ RzI*@x002ovPDHLkV1n#!x3B;J diff --git a/app/src/main/res/drawable-hdpi/appwidget_inner_pressed_c.9.png b/app/src/main/res/drawable-hdpi/appwidget_inner_pressed_c.9.png deleted file mode 100644 index ca6f16cd1df9ce0e3bd8264544d0d29c4cef5b01..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 223 zcmeAS@N?(olHy`uVBq!ia0vp^oIvc$!3HEtBK)#|lw^r(L`iUdT1k0gQ7VIDN`6wR zf@f}GdTLN=VoGJ<$y6JlqDD^_$B>F!Nq_$Tw`Vp=NJ(Mg`kU?|$gFL3x?`14WFsdt zGxv }*Cb+fO~LBy9brFH%&tF6*k-x%`Z*T!?1Q|zG7KWh42*0HTe~{~ TRfS)G9K+!0>gTe~DWM4fP8&@z diff --git a/app/src/main/res/drawable-hdpi/appwidget_inner_pressed_l.9.png b/app/src/main/res/drawable-hdpi/appwidget_inner_pressed_l.9.png deleted file mode 100644 index 642eb3d326b518f34db902518167f5edc9aa73bc..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 408 zcmV;J0cZY+P) 45 zRs+s5dIL!iHilwmtOlAeFtDJAoM99Nk~4ugkXTo-AZb 1+XXbF7KlX&jxE8*k>-#-io=+S91AJ`?*N^p2gK`9oQV(P z9Lbu^7y={{Km#Hu!z1V}NP{LM@E`;k0F;UW0t^81slj9|c<=rI0000 yXq)0P!@`FgT6m1ydXWc$(1_NbW)siC{EiSV6oOO#kl& zl66QTvDm$U5Bz7CjilBXVF2;qH4 Yfmjb{`wP^hOnBJi6c8_9Nd3PC>rfbY5P}Q l3^w)^1&PVosU-?Y zsp*+{wo31J?^jaDOtDo8H}y5}EpSfF$n>ZxN)4{^3rViZPPR-@vbR&PsjvbXkegbP zs8ErclUHn2VXFi-*9yo63F|8 hm3bwJ6}oxF$}kgLQj3#|G7CyF^YauyCMG83 zmzLNn0bL65LT&-v*t}wBFaZNhzap_f-%!s0 0+w{G(#^lGsViy(A34k#nsr<$-vFf(ACh=#L&{!#L3yw z&D7A`#K{n**Cju>G&eP`1g19yq1ObbUQlAlEdbi=l3J8mmYU*Ll%J~r_Ow+dZnqfX zG!Lpb1-Dy_aO%|uIz}H9wMbD769T3m5EGtofgE_!Pt60S_ab1z4q0f*3(OQRJY5_^ zDsH`*smOQ8K%~vwiGeZv-~+WZOSZ=B1v}ZkA5bcg&|!bTpuiCPPfc~@%_GO8r_|{G zoD{$H=e4|Q-{R*n(~6#QC^RrIg@$%jp0M7yea4df9|g;jBtNOTHZI@cdUHut O?01w6Wim;H*=-YJSF-6)vTXc4;gaVh((-iXfZZqW+vo+u8V zBVlX)f0A7h-RPgQQ0YmtMO4nhGu#pz1)d)`lqGk1{e=6U^-ld^7jR%;WC0UGRzbha uDrBCXJI|cEda|~f-cO)# |k0wldT1B8LpG*1`DkP61PSG>8J9RwIIzPh7b zJflYMsk(bE^P@Beu4=(eGmA7oyR_x~a$D?{a5p37g|Cs|p&E~Q4@@WZu3cW0RzKfl zOG4W1`7 gJ diff --git a/app/src/main/res/drawable-hdpi/ic_dashboard_black_24dp.png b/app/src/main/res/drawable-hdpi/ic_dashboard_black_24dp.png deleted file mode 100644 index b832916f5e97b28900f42852d245eead209cdb4e..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 126 zcmeAS@N?(olHy`uVBq!ia0vp^Dj>|k0wldT1B8K;tEY=&NCjiE0%H#odmG!D3ylpr zRt#MKj&n(KobHoyi730G@JiK#so@_R@5?=H_dhxtYH57Gm9b3LwBui8Z-dUo1Q7;? Y 7kB8GhbxXJ-FwvlwiOo2sS>Ax%mPsA?5d%BJDaBkiqVBqQN->_gQ<54P1Fo7hlQ zIe@U?;7cpjQV-AuC06JU6e=tw1UE^`LVrk0AWH)V@7nYBFf-r0-#4?ycFd22XES(b zc6N83=Y8JaZ$r$CCwWtN!nYLyRtQ)j;K|+`c|b(V@}cX0@%^FSt-sp)beq%Q3JU)V z{)Ycp-=Dab;oSDqeai(r%6=r%;BpY)9p2Lk;PUS4S8!zeES!w>nM4s>fNbC-a8nu$ zTeB~|J-M6&JO~#U0f1lEN;vzE*>vz^gC~7XKPcE??n94t4Db%`*$to!04TWl;Zza# zYQDCp2A={j0xiiwl7RBe*>d;e90aw6DC^+edoD&UF=E^?co<|L0h**5%twFi>`SG` zjsWlQo&f-z`b5D47 rU0C#-CkKb`II|nUw>FdFBl?qxuEHcXV zb1(0H^f7?YZv-y6H)R1Z0LB})viQ~evle(|5upGToTrEoi!3q~GxSIa$R6F>4MN$p zytrW}19BY@2htt-z{RK2b8&$qWN%i7u_|oE=ztkq+*v=jYv7R(kUP4!L_oiZonW{E z5UKzm1}@IHc>SVp_(_}<1b8DBDD57JtP#BFmHPQzoey6DM7=>u3U68|D~AULM8S>Y z9tf{ivZ&mgP56-s9?1Y`xC ql?UJ$mJV9niDD582miQ_P6{%FcG-^>;&1{e(Hpqc<9l>u>j(E(8{0(=Q! z+Ow^kjMkC}3SEGJjM8xc1pH@C4TCTYVqGxBpu%GoJ2 `UckCxC!{ zB9x>RlRSvlmV|UO3RLjo0Hzd3sVbBj1ZWVTYE%eGOLO>$z%grC#8joO>+sOB5>Pn4 zuM-GcQ0b49;=4MCivuE1-V44hPML%CpPs0?+fG)&7&L9q1~3*@j@&{k!X_cOWXsH% zo!!f+fDv7`8bQkH-i)eF_&fj +*N-F9*q;7Mka1ZL9(m|1{FtO(mR zf)|GF{ps7K&rCr6_`b3pbIJT}D 8uMVpbFi*q>A_`hZC0&_LJ*o`?kr>qiZL z3E=+aP(Z5n$x2sNPENXon+bv-VZ1hYV#2=6-F9*UjPVGx1ZxLF4PG9zVg1N8dhh-5 zTU(Y)K>pZ1bIg_A6Nn}yN`>i3nhG8O^vx4#`wYv&R6y(&5Z6dI(AJl(F|;HC^2fSL z0A86dEu<=8o{QDGmcf~U6Ai~$?$(o)w -wipzgSxEP&7B%wS|BSI+!6n(AgOw5r_aVQ$)c2=^u=YE+plg zI`Z{yFpu~E*k|}Y;D=Uj$| }{KTNhKJzHxZlTkNCk`@zjd1o%FKLqZ${tXbt?-D(%Ds~qG# zm2eN4HUVrX>^M`A1UM;^o^GA?7`i&6h*_fGIYnO(l3|u`(1s5#Ui6|S``ib{1%0!T zpEI-@)MpvjZq)G6jT!*Ps-lC|mJC{39JH4l8+_C Aj=-m(r{M_Vq0z%-k(q!1n_c_#Bf>6ud?h_FNR4YhUeRb#n%7B?mcA zhr90;cAOb+q<~%kozbVo29(AWwRmWGk|isNi wbWu=r8@5 zVAapKUajNfTXlT+Pax+htSvccDP)FDy*V)fpqi$DPk^A|p+s3r$<#-7L%>EbTzl%f zaPBn)qb#djj%FYEwHx6zuQON1MXAd=s09I$1rfSN@EPp;VBZgv;`{UQTA4c3u_1kB zh%pK4CgQ-#vL6v$sM)B%4{omb*XNL#E`;ZOBR)hc|M|86yp}Ei1%isEz(i2inxXvF zKs<>~?(=Me^V9*n-vpULLX=t}3kXX^&uPX%;lrm5Nm5`!5HW~=LfbRQHnj)i0a##( zKu}5WV#*}dL~_khHf70eV(L)GXhQ;K4vbX*9!!Fck6BvXKpvlOe)lV&x&wn9Fo*%7 z44OK=2Cu1IfP(>&h@ezVin5ge62)h74oM5NerhGiz%Vmc8<8N1;860C2>1FL @!e_8_ecq6U&j^5-|kQk%JrPaW!*xGw><17lSHeJm}{ z5FM8>g^Ghy_`EQ+DX_L~Uwkk#h#V9 OG<|Gc9xvNjXyWVOBM`mQaBAUPWO*mdtU~P`a-O)n{kV;9p zn`;4)atLH*4mqt#{ QF~zvF&i5F@CbG4v3V*pqhiirH$HUm;;~BWSdav*a{-Y zsF#dUf>45#zp|{EusqTOo^@v4TBIQXwVts_0HZNrHi{2P2pGu!?Mui^=Z%SNCRakS zV;e|0W`)QCK%@u`{zfDiz#_sJ$@PH-GYYXCoI2D|UFt-rFRGX%5vCgendv-=A3Sdq z!(Q{}Q2cxhKG7UA8C-^^tWvtcdci_Sh>MLG#)CN3RZKl+&om@kC@K=Y-|T9Vndn~-gNCYd1+ z*Yl9`OJ9K3pc%|zO)mzXEQcP5`+T-Ckud*)ny>{CQ0p0+05EQ!FJ65P&i_gQ_%)m0 z6xW#xT;hhJ3Q_`KvEmaAJ)%~Z!@tp cj z=JLq3y%2*34B&cVWLYW(C4ku^uuX#fKG~PZ7Mh1IzSdrOAj{*mp0NP{mCW4&3YCq> zwLK5z7E^
c{g{treGj=3U7u!;Zx002ov JPDHLkV1g(1OB( zW}Sf0Q#?F8cTU`zvB0EDVH1n69w$#jIMd<12Apn_dJk!T6rFw~myNA0U&H8v!=L^( aNe1nC!u;#b#fAW_V(@hJb6Mw<&;$Tm$2tE1 diff --git a/app/src/main/res/drawable-mdpi-v14/appwidget_inner_focused_r.9.png b/app/src/main/res/drawable-mdpi-v14/appwidget_inner_focused_r.9.png deleted file mode 100644 index 8d22c56178e0bb2c2629a8defc0d8e3c717cc5d1..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 184 zcmeAS@N?(olHy`uVBq!ia0vp^Y(UJ%0U~+k=c)oJmSQK*5Dp-y;YjHK@;M7UB8wRq zxI00Z(fs7;wLrlrPZ!4!iK$aB7;-f@@VH#G@4hQ{SUIA5`8Sj3YKGal$DNKSuoWs? zoxOx(8>3H0E}N&%>un6i7aG+v^%rU^U{ZEy(Kc =Mk4a6T85=FJT7-frc=6y85}Sb4q9e03;nN6aWAK diff --git a/app/src/main/res/drawable-mdpi-v14/appwidget_inner_pressed_l.9.png b/app/src/main/res/drawable-mdpi-v14/appwidget_inner_pressed_l.9.png deleted file mode 100644 index e49e8a9b89d6ff6d24f355fda54edb826e63a775..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 198 zcmeAS@N?(olHy`uVBq!ia0vp^Y(UJ%0U~+k=c)oJmSQK*5Dp-y;YjHK@;M7UB8wRq zxI00Z(fs7;wLrlPPZ!4!iK$aB7;-fS@Gx9hekHhM65m{_${xAptG)T3a$0pA{~+L` zsCQo}zV4vIi4T(ml$25g102oI@PEk&^go|n?is6p=UZ~=s_!-T*?c+qK8o{w&kL9v o$9i9=N44T{^HcSgofDUeDzl1Q5j(&0Aka<*Pgg&ebxsLQ08Vs31poj5 diff --git a/app/src/main/res/drawable-mdpi-v14/appwidget_inner_pressed_r.9.png b/app/src/main/res/drawable-mdpi-v14/appwidget_inner_pressed_r.9.png deleted file mode 100644 index a54ecd0da36154b159c6efb1b4396a1311a8b2eb..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 189 zcmeAS@N?(olHy`uVBq!ia0vp^Y(UJ%0U~+k=c)oJmSQK*5Dp-y;YjHK@;M7UB8wRq zxI00Z(fs7;wLrmmPZ!4!iK$a3Y~*Zk5MW7n)i&I~;Jul3qw;J49~}qf+XcKKHFA7~ z51Q^;>RIG4&tSPdWm3lRS~j%=<| l3^w)^1&PVosU-?Y zsp*+{wo31J?^jaDOtDo8H}y5}EpSfF$n>ZxN)4{^3rViZPPR-@vbR&PsjvbXkegbP zs8ErclUHn2VXFi-*9yo63F|8 hm3bwJ6}oxF$}kgLQj3#|G7CyF^YauyCMG83 zmzLNn0bL65LT&-v*t}wBFaZNhzap_f-%!s0 0+w{G(#^lGsVipz|h&;z{1hg$-u?X(ACh=#L&{!#L3yw z&D7A`#K{n**Cju>G&eP`1g19yq1OqgUQlAlEdbi=l3J8mmYU*Ll%J~r_Ow+dZns$A zG!Lpb1-Dx)aq86vIz}H9wMbD769T3m5EGtofgE_!Pt60S_ab1z&J?}i!@$5K?CIhd zQgQ3e^xa;}fdXxl1)Mn8_9%ShY7$G5)sN`dtFNG?R2G(%D*A! -ok*Zs7s z2s%^VP Ua7u9$RsAv(AE3tJKy#5@eRP50-wm zIjhIO?br&R*;kuP@;6w@ss7FV!M1H_`rnM@?|GAN?(1^3z0VxDfh%d(PyYfxyV7FA zUoMi1A8k?Ho#y$Ljng3RxVpn^mfA^aQ!ixM7n~C5c1w0$#qY*@QsMHx$6?Nok{6V& zRGn>>c`~T};-stJjtH)vwRl-b l3^w)^1&PVosU-?Y zsp*+{wo31J?^jaDOtDo8H}y5}EpSfF$n>ZxN)4{^3rViZPPR-@vbR&PsjvbXkegbP zs8ErclUHn2VXFi-*9yo63F|8 hm3bwJ6}oxF$}kgLQj3#|G7CyF^YauyCMG83 zmzLNn0bL65LT&-v*t}wBFaZNhzap_f-%!s0 0+w{G(#^lGsVipz{1GF+`!V*$-u?X(ACh=#L&{!#L3yw z&D7A`#K{n**Cju>G&eP`1g19yq1O?oUQlAlEdbi=l3J8mmYU*Ll%J~r_Ow+dZnv1@ zG!Lpb1-Dx)aO%|uIz}H9wMbD769T3m5EGtofgE_!Pt60S_ab1zo?(~5$H2fi!_&nv zq~g|_>HGCr9A%D{n^(6#?s)NqOVMeKi-rhS;7e62srnwLDK1-7vU Ub-i+c^9CFL%6^6gkSuCoWW%@H?$qeg> hMjJ -)Nh~SaW3@-huIb@nafOW2RBUm9o3ip;8>X9tMJ!ZH*-xV z|FLH}Wt8A~z5LkfMCUinT~+7b{ye&^p=(3A+z-Wwl3fS3`egVr^loQZ_I2jr{d|47 zGdHmNtoT%T{{02Z1Gi>g@Sf8&$Axi|+JaS!!#xXr+irT S3j3^P6 thoP) I$>h{6QyReBh@0Dlpb1P9m?khyV4A=*%;v|4Rh;u5f_Hd7yzaShn4LP{IB;tt z3&$dnzuE5RasZbuU4eHVeFe%PF+Q=zF$f6mmM*{}yV~Icc6876r~ypO- Ba^U-ZrQv7K^EQsf#?Rwk zY_98WG`w991W;xji~CZkRQZgJf5yG3t*@`M{+)79M``i+Q *axD9=6yt)IUQ6Kvdfzjo%X>GKo0{_0my5k?de1;=xIFM`33#k~v)2L>CC zivuHr#hVP82%OjtwxI*-)9)Ssy`P=>#d`?uXTvYC^MMW+8~M7QoP-esWpuoEa&$cC zFBXe{jo+N#7#lwp&x->T_o}7>LcU(tpEwSF4*NjO!SRlchy7!hdnTDI_pV%o5tPm0 zPdKJm!izi~iIyqVTj%!P!UrWKY-uEYTN?Em$~oNlxZnJEZy(CySDlBK)LkPmKI>!< zJDXov>!=3=ey!X`QXueQ#~Ba)c5c4d83A)& NTQfRrZ@d^Gu52BLiy+JB|p9EQpHi z(7T9x?rFGIiF@vKM2{r*Z6acs@KxhcotJ<~M7~vUu%j?t6A`sccTHO6R@2X>JWhQn zK^R|s z~d6mY9?o_8SrbyXFw93FSZD33{6oHV> z$+3 7mAN9x+%PS?R$;jHGN*-;dWUJ`KBHthb^0hrp`Fq(sWb!q|Gt}zb&LxpytzaV8 zh; 6`9H$_jY2+)Ds_ALj%tQo*njI%iVlyRQk$`nvqv8jh zo7Q 0cBw_t<=jg;Ytzyzz@4xy}ap3*zy 2*YH^C6?`ZdzP?qI2 z__ZF5!3)cCdH4}Oz5B%SwYWS(&5uZLLJ^4EW{U4WnV&&fDl#$IOyIbd5>@%&2%KIn zz}4pttqlwf`qSc)7;0gh;(;iF#hD`JoX5vIG?<%y=E1drd;zBJcmqyHzywLi7ke+w zEWz@Z6L9kA!*K4KmlyiK_@Q;`#8_MJ>{7YAP$;;%ik$9^a24U&W(-W3wJ8#AX~_lq zdRi7v4X?~Se`vn4kn5|7%95M{%4X6S(?Tv3I*0Va+U~P2!te_Zz=`g5xDBquZDAGu z`s^~CI`%1yvBPyHhTycb))6%Xs*SZ4u&m 7S8fDoawTwqFu%R*E`aj6mUwp&AhwKHg#k1aIp$elco{LUY_mJN&45 z5-3iCfD%gJlp`QYf+wnPd9eZ@?&3wT8hHzZ>?q)tK$5rl$2v*N4ozU1Tf7S1Cdb?m gHb?zqum1%Y0Lmb2#z6d*M*si-07*qoM6N<$f=N%(CIA2c diff --git a/app/src/main/res/drawable-mdpi/appwidget_inner_focused_c.9.png b/app/src/main/res/drawable-mdpi/appwidget_inner_focused_c.9.png deleted file mode 100644 index 1450e65b11f4c31d454ed6c55dadd6f535b6db87..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 212 zcmeAS@N?(olHy`uVBq!ia0vp^>_BY7!3HGV_9$HdQj#UE5hcO-X(i=}MX3yqDfvmM z3ZA)%>8U}fi7AzZCsS>Jipo4)978H@CH?vT-=3Mrz{rSc=YPqEH5;DzxV3Q2aA9L+ z7G{=XnD~eP=t~FX#2hvztH=jdi4W{eRc1QWIhP%Auzopr09DCJRsaA1 diff --git a/app/src/main/res/drawable-mdpi/appwidget_inner_focused_l.9.png b/app/src/main/res/drawable-mdpi/appwidget_inner_focused_l.9.png deleted file mode 100644 index 6e8f100e4c1e84797c0a13898163a65c76b23cfc..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 325 zcmV-L0lNN)P) N~TmdB883+J~h8bX!TcBdCKs=ox s``(qfgem~{r^C$2K)d?o(UArV1fSxG(hE<7)S&pJ8Af6 z_(wp)ztK<{4b~Cl>CyZ!8mt4LfeE=CL6a(r2`carESSwGKwK^QpW!l8u#;E~H9-6q zh|?G{8C!r@5|;) YLVe+SSM2O!=A#4q5c{ztWe1=dU>CP+b101#jR XzO9#AucSuv00000NkvXXu0mjfzD0j1 diff --git a/app/src/main/res/drawable-mdpi/appwidget_inner_focused_r.9.png b/app/src/main/res/drawable-mdpi/appwidget_inner_focused_r.9.png deleted file mode 100644 index bc8757b88c6146c8eded858ae0d7eb89f728ac79..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 324 zcmV-K0lWT*P) & _BY7!3HGV_9$HdQj#UE5hcO-X(i=}MX3yqDfvmM z3ZA)%>8U}fi7AzZCsS>Jipo4)978H@CH?vT-=3Mrz{rSc=YPqEH5;Bty0vi4XwhV5 z7G{=XnD~ePsG5UvVh$UVRpbM!#0U1KDl;AGoXd_lSa$@StoNAopKWh8``mE0*blwO z)bFa!oN#*A!3l2zPcO7w@l N~TmdB883+I-FnJni@_&XF29Ra{8Cro@hQS2r3>b!p zg8|Hj79eH@;#mx)|7-Bs0MYQDK^Mv|$ExZ-rUrg6ZT|lQu^R9LBzY!KI3s%sr-uK? zp+o{8*-67k!#@HV{*8vxNDbBznKVZ8!)UM$fCeVyb_7kTEGDSHN3h^LMgih#(f `6pHRCwBA{Qv(y0}L=SG6K2(85!^Z zkmUdWr?JXC1>& F6chvfgMm*m%!JAx0P#_6zy|&^ltbkWFr9=AnEn3%mFEX>S>PJ*0VH{n zG=SoXiGf5wTPF=_4gUye_%|9#BQ;n@WYQST52L|402)ZDvOw(+8aQblBQKQog*XlW z8G4|sv-ma4VUz@t*+85I#D9Uf2B86=2$x+o3@QJQ5OUHBAU*|dV5K4&SfDl=xJf{4 cumS`a07$p7Cc&{Q%m4rY07*qoM6N<$f}z2IdjJ3c diff --git a/app/src/main/res/drawable-mdpi/content_new_holo_dark.png b/app/src/main/res/drawable-mdpi/content_new_holo_dark.png deleted file mode 100644 index 4d5d484b39978c1b37dec37c77c6b3d9de6ce74e..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1090 zcmaJ=O-K|`9G`9R1I+@-A~AYQR$%VTylq#T!A*B}c6Ff )FnCz_QqW8&^GYqz4zz;`~83ak9Vf8 zx4W*Uv4&xox>S#xraSOfbtV0~#o|x8Z6}E=>Bqw)uR4f{>Uao&l&OxOG*b2P {rfkEPKZeOOA%$<j@ z^LZ}6pTo`w4@FVrg&-dc2B=5C9k+;D2w3i}5`&Cf%`t3ZU<-JR>JT0y5tb_blY(il z(OT|mnP|cIf@<@S6TFm4j*9YsSJPbcc1aqo>-{IOn;EwepGGbob2Qqx;ay%RTZ%hK zCD_See5_Q(z8ogl&0!nF`@ s zOUuihPr5ejIqj>wx@l(KH_-K|>gm9j#>cTqe|B lr0qHF4)vzWG; HqqD zqVvGwmW%!Yd3y81t{2s)w*FStmj!&PX`yEReb>^-2^BmSXTCMaTaw^j_vC%M@47G9 zT34UGGFWk8hj0G!t%i!vJw2y{53_rtJKs6J+HlLg*HgK-KC0lFQr&V^Jikcta~K>v lH-F>k;f_ny-P3+%!$xNJBes5e+wwl|Ri_fY^6l8*)Nc=SU$6iG diff --git a/app/src/main/res/drawable-mdpi/drawer_shadow.9.png b/app/src/main/res/drawable-mdpi/drawer_shadow.9.png deleted file mode 100644 index ffe3a28d77c72094021013c6442560803b3d344c..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 142 zcmeAS@N?(olHy`uVBq!ia0vp^96+qZ!3HFgEN0vWQY^(zo*^7SP{WbZ0pxQQctjR6 zFmQK*Fr)d&(`$i(2A(dCAr_~TfBgS%&&>BhUX5L;x$y=|hic;t)=0q~!&M0(2Uj#r iT+R^X@#lD(V-Z7IzK5^$ =Dm!pL5PtJwWQDwD%^7mKX72vfc*YT)xac;A{}-v*=ps zr9JO5s)Jrvt$1~wJ<6?Hv?}9?*Yy)i*G<&jSt@L~vF4xM{qD^_8RvC6y^4F&G81Sm NgQu&X%Q~loCIAp8KMVi> diff --git a/app/src/main/res/drawable-mdpi/ic_dashboard_black_24dp.png b/app/src/main/res/drawable-mdpi/ic_dashboard_black_24dp.png deleted file mode 100644 index c0cb8620dc2c227e1e774f4505011d81c5387510..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 92 zcmeAS@N?(olHy`uVBq!ia0vp^5+KaM0wlfaz7_*1WltB!kP60Ri9HYOwT|eStzs0N pB(tWZoBfyd 7^36 &4Zm}mq{DIuuDq(+t|vT-4n1QOV{YZtXK#uaI0i=mZ8 zcSctl5|vS7TnJKwDaC)SRYOAfGeQe=I`1AA_rBLQl`_bp8(wnfzIl0b&v(A_o$uZe zGh;n3Wu32e2aro|L}bku3&-{yIF|cu^!2CG_r(83!i<3U=fJ`Eg|ElfS}!fVWH)O7 zC>+~Y1 716qNI$mccYZN(Ukr%I zu&5v^NPCfa2XCFr({uu=ppj=oS1{n2K}PSZ3*ynfUJ>^CBn4E^a?I!d6#3{v6Ul^_ z29Es5$|Bv1r}y;#|27mxQGrMyWucr0fp>o?aP3Btb%RLIgenq6S%(0Fi{HOey=MTW z5BvH>q${I8w41cYNTf_R^BkEp&=4qqNP!?(hg5;#dlF&k#QrKUEkc!4T&Z{xBRPK& z5XzC&|9I7Ci}TgxEMSJ2!(4(nKV$ZCVb`fzOCl5)7Qrv7;*$v)keniM0dmT`MDLf1 z(LkzsBLp@F=KRwT$gts-N>DnnzZ>CzNC+4}r1ykw5S1B3M)Ex;#|*1s=CieQSjaMf zFzdek-AnzgXka*{!3QMNH&j9dDdj x%CiO0|WzKh3;8-*a-}tFu=}&YZ9F^Xwd#t}d|H4D~mIB}S^48~)GD zC_esX)nHf*5Cap;3< J#3;wg!y6($+9PrbX14d{ zH_!J1wG|8)^kZ~^kurvXIm4U ^?> zU!JaW=E5A)7Z mh!VC5GBd|2PiRzC#z0s%=ML8;++lY!~|B4w; z=FVcyND_y0UYO1~EJ?C;^0F}V@q4drUQq&!34>lS-%cql=}s$)dCKRX1`IKWYMx5x zR`SI%8Wd_6e>QjEoFhq$B#6-^j-=VdIhRHoS|vim4yKg*IhciWm^0#EHxu2A!8s%< zQ0dr8u24ZmQBfjQB8`aDe^(VWoE0QHv;Z(Ob+mJA6@bQ}@fkB4%Ia TKqGAQb2T@G{D4GUj*+E6Z&gnr6tmOkEW;Wx4ht_pQ`P>%N< `r bJld!rjB-gaz_A-!{c?pvtVBR`OA+`yx4&j+G%^N2hkjvxtifT zQ8+W4h4Pts9W9em*l&jJ>V%EM<6~)$0<=#)hZfr@b#(jSS$n3#g2)^$F|YX4_%Z|r zP@5d-sI|Hs4*-;BpP|^;MEvMBkSOza3)wnzByMRmlZ3?i=iY)@wkL3~}$}@c2Y@ zyEO99U%QDnZV8!(?1H^I=leWKmIwFu&N&jd1lC~erz0C@);tfa*Y)79*#iLo0!%E5 UfaAmAYybcN07*qoM6N<$f^|_@4*&oF diff --git a/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_focused_c.9.png b/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_focused_c.9.png deleted file mode 100644 index 0de253ca0068bad2a37083dd6d31f1c99d4bc1e3..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 158 zcmeAS@N?(olHy`uVBq!ia0vp^Y(Ol<0V1c|&|LwfSc;uILpXq-h9ji|$mcBZh%9Dc z;O+!rM)Q-W*8&9{JY5_^G$ua1w2+rULBRQ9{2{lB8M7EA+AO=2ESuX})I!gPh}>pS zJ7N|owDdgN72Zj1k0$ItsD9yW=zGS81sip?{}wV^TCX-AXcmK~tDnm{r-UW|;4?4D diff --git a/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_focused_l.9.png b/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_focused_l.9.png deleted file mode 100644 index ce9decd19c78cff06e3fefb0fc042e57fd1f5ac0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 242 zcmeAS@N?(olHy`uVBq!ia0vp^Ahr|-8<6aKa#jsUu@pObhHwBu4M$1`kk47*5n0T@ zz}*SLjOHg#uLTND@pN$vvFN>e$&l-?0guB){l{!pQ=E=ld7rzG{A7=%1OEf#l2135 zdbc}GIoif^tmt@#;4yyB6K @R8jlpZzoUdeA z7FIv~^HHfS2eS3Q_-<{!6k?rmEO5b3Z7!4W&*iTdABflg^X*W%zE4;vyTJ1eOoA1R j@><5-tCW ^8qcvELbp5`3|Kun z14Py>V3>Yw^8Q2HIvNZD1r;4HKl{6&-m%^I)5i@vl~+w<^uBT<>FyTGgEdNpjk4#j zZ0vl$RjajBbI#O5t3 diff --git a/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_pressed_c.9.png b/app/src/main/res/drawable-xhdpi-v14/appwidget_inner_pressed_c.9.png deleted file mode 100644 index defdbb9c00bc91f79df75cf952d9dbd3aa93b694..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 157 zcmeAS@N?(olHy`uVBq!ia0vp^Y(Ol<0V1c|&|LwfSc;uILpXq-h9ji|$mcBZh%9Dc z;O+!rM)Q-W*8&CYJzX3_G$ua1w2_lRLBRQ eX(1Prqd>#M`jUf576y9z8eR2%v)n$qAaJ(-va81< zHgL}3*D+fkacmQ}_>(l>M^h4S^v`UR4G~oqaVQF%KTB`}lh^@~8BexL)VvjvV)9O4 z4w-*z*OcoA_T~Rmcsg@yM%(8g3%%BL;iU^C|1+IkeImf;>)RLdhr>1ZOg~htX~VFV zGx>vf0=LcDz9SFTAK eS(opSg8 k~T+Wu;PXe@rO_@SkEnB|A2N$(!- pGA$H6^( c-mj#PnPRIHZt82`Ti~3Uk?B!Ylp0*+7m{3+ootz+WN)WnQ(*-(AUCxn zQK2F?C$HG5!d3}vt`(3C64qBz04piUwpD^SD#ABF!8yMuRl!uxKsVXI%uvD1M9 IxIyg#@@$ndN=gc>^!3Zj z%k|2Q_413-^$jg8E%gnI^o@*kfhu&1EAvVcD|GXUm0>2hq!uR^WfqiV=I1GZOiWD5 zFD $Tv3bSNU;+l1ennz|zM-B0$V)JVzP|XC=H|jx7ncO3BHWAB;Np iyW)Z+ZoqGVvir744~DzI`cN=+=uFAB-e&w+(vKt_H^esM;Afr4|esh**NZ(?$0 z9!LbN!`Ii!Gq1QLF)umQ)5TT^Xog;9W{Q=Yp{a|7i;J77lYyI|p{t>#iJ_&diIcOV zo2j9>iIX8ruS Mv>2~2MaT(7GEPQ9SSkXrz>*(J3ovn(~mttdZN0qkk3Ox$j9 z!D${;ZwgMgxVYlfs}FRHJ}7FDq8cUyOg|tdJmCU4@T8xb2Tbopz=Z9QHRk~X1Eaa8 zi(^Q|tv9!Qxegf!v_0$$aeO>+Pjj{Ty#t#&%nKghv#wC7|G@s3W%Gt0l?z)0Kk?Oc zi)nuKlsdgd>iL{0F`)bj1}}DNopmzix@~^e@3RJL!XnFzoEvtTX|sy^CY}h?tI7Py zaKcE4S#u9eJu>}kRr-^C=T>+9>B)~>oeO=2&+p+?Fi3E>pdO#jmsf{h^)Sw@nwUb}i8V z%C7wR$ZLlyN)pD*a+Cf|4880>&wa #)f(I4n0Oe1ucaK-UG2dP67+QSb6Mw<&;$U2b(L5E diff --git a/app/src/main/res/drawable-xhdpi/drawer_shadow.9.png b/app/src/main/res/drawable-xhdpi/drawer_shadow.9.png deleted file mode 100644 index fabe9d96563785c7d6b008bb3d8da25e816c343c..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 174 zcmeAS@N?(olHy`uVBq!ia0vp^{6Or)!3HEd1bTh|DVAa<&kznEsNqQI0P;BtJR*x3 z7`Qt@n9=;?>9s(?08bak5Rc<;uP@|nU=UzFz%6x@#ly{E6Z5RU$2Hhw*i>Gs`(~~C zr~2_>(e4Ka`gpa)&de}Ks*u{@U5E@m-v9X3<$3NT3r3p*`<7|@n1Ecw;OXk;vd$@? F2>^8yH@N@+ diff --git a/app/src/main/res/drawable-xhdpi/ic_clear_black_24dp.png b/app/src/main/res/drawable-xhdpi/ic_clear_black_24dp.png deleted file mode 100644 index 6bc437298ab7bfbfbf128acdf5849e304b3c6903..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 235 zcmeAS@N?(olHy`uVBq!ia0vp^1|ZDA0wn)(8}b0DO`a}}Ar*{or)}gqq9DL3|6^j{ z=hBm&C)~N@b{5Sp4w$_m*}geiNBekToKL{TWpQP5xqRwZuPjq53pI^Z3A|FbUaRcY z{O^J0fmhZ3y?R?;$@JP$iP2W!Cd>8DEZ3V|*s2`1aV~kzx#D@}&nn~61 {Xzi+b(jKntiPo%%5fP`-@uPgu|~7wTA~r iR9eY#70Eo`TEl2=&Qt5V_=GOd^$eb_elF{r5}E*W mdKI;Vst0C>J5Hvj+t diff --git a/app/src/main/res/drawable-xhdpi/ic_google_drive.png b/app/src/main/res/drawable-xhdpi/ic_google_drive.png deleted file mode 100644 index 4bbb4b80982f49d2ccd1a709e81d39a26fae0c0f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 6676 zcmaiZX*3jm^!IlbjImAGB{M= 4QP7Wq=9QIG9I^bGz#_74$ zz89dz1=3hE90T{sl*x27CBJ!dy*GNs%v~v!bto$^<^tD4w9p5^aFgSyx&KLj`1I b1->2*FXwct!awH9BD0=cI4I>4lz`_lE zh`t^Yt7-~*UqTaJ@DLy6f?P2s%*lVY|JU@F7ihJX1(rvlX@zPkK7N}+-;G}1`O>xX zhaj?cnI87Ee{J`DOUsbC|H3=-mgK}%dm%e_u-Vhz$3m!CbPU)`8_xX^d~_;GIn2p{ zY9qvAG-|tS1aYaO+bp$6TJU%r(QjVbrSc>p-v&NKON1m%eRu4$8QC_JWy&fA?B!^# z_0hrTxhdLDJEBI7SRZOFu8I53l7L>W)!4S7CldRMGS|e#K+kU&Q5DrW<;Q~sJ>1&A z@9f01rD&j6gb=E0V(~_vYbz-QQXme3Pdb=i*Pu2_od~Z#`D?YK{=#FrFVe)JD>$%U z0E|n44gN4R }){{rwiFxXZv1-z`Jc}Sa^q;#v zV~Na_m80%dAI3L@jMB3{GhNLxi_vHM%dcS-kRu4)di$fNqOWOYaM1#Z4F#)jNn8gw zv>i}YbevSLo0g%EPqxx$B)BsrZ@-It`c9JPk(a<(x1tqeh`!vR)3zgpp4}kK60}{G z=)>zYZARlMbm= vhF)?wNp{4DM~)0L>AZy#@h#cK>|qZ4T>jDO$mDF5%d{e_IT zSks4o(XpR9_fXRYcea#}`BAdp>ZQP1^JEu64ZWrIcl`X}vXet&!CBe5_vh_Mbk=qX zYs*Aaa$ F6q(C*zZH0#0G|GcA?^Iij>tk|G5Ry@X~xpDC}kpqNDenqSetj$v1y?iY5A z@zOu*eXzgvz?MHVlK1&F1GMIOVt^&))=C9w>l`9q3Y-Gb{%x*kCG>6SI*A{qnnA9H z!L#V%v?qrQpJKoKg?MXOvj=tXX)=y2cchk2^in67H-I20b53EHiE`Z=k`{HC&0UG* zwORJ4n_Sl#Wgj4?KWJPFDZG}xzbbQ$PNH>A`Z}!Eun=SI9>Pe)G0Nd5BG+7#ISFkZ zi}6Q;KV0bx|5>)q#Z1lp<+00H?tLiMbN!hqFH{8OcOLP**b}^1diruZip27lq>;!) z%KAl`P-2Q7GmA+-h^6pna{KL9wB+Hz6767@_HHO_9Ewvdd)B?zLsj-n-JSW2eg_K* zv}))sVsby*+0<@=lH@ {!!3hm@iXBehRnN>(SUpQ5 zJhI&pSn~8@Ro&pL+lyiPD`TlQVlgAr5J|BS%W7ogA`vr;9Y?6L?EXsZ;ubUD+P~Ps zhmL3r70Rfd>4)Ws>Wc9Y!aCXajXWD(45Mx35j#g0jzjq)gkV{W8VE6#mK!RrS>f5i zoWY_3gy9N2UIA8g&z%mk&0n@lpuy9;4A$u$d5i5etQb3W8GiI8xR`8t29Mgb*#Jq* z{^nTM4djF7r&SN*-tNVB!>(u?y9+T>7+C2Hww{|}O6ChHh?<_YOFz&lVE(Qmw_W-g zgQ$c$E`1NrjcP{{*QY${I-f}bTnuZ(hS0=GN<<^3fzPQ7Ghh17mEKqsrRuDqc}XHW z`@T3F0`?~{Fg#6(4RCAdGZ0yyQf_z)y%Je(IqlpSL}N2>dx{vaNssu6hFSC^aj+1z z>MDBjG~!&D;L1~K)K%Z`KQMC7xJP}aIM<#yGNy~E*1mr0({@!JQjoD%UMx62`pO(A zFomtx09%FQKcSxlp^EFuFx)+`Y3l=$;??6mhKe%-vnbu`*rXn% z^1>;8u1-z=;0fUa$MVcYfHDdCB% q7B13HMK)NyG| )&6NK7fML z>RfxA)4_5ENne~uv|0LL>50sTd+?Vey~?9R^6H?}&|ciB6{s7?69hd_6d9^|5{#Pk zT;d~=KG-ii8X>W}Lw$r1y;rG(Z%fJzzf{ lhFAec5^P3pXZ*`DJ{T#;^%; z5^Kz^J$~{P%qbd5y+Y=EUijah_5({7 &PTbRj$Z+1UZ{k+@HB !edD$lMw)4+{?IfK06+gVUR(a H?#M4(1V8`mQ&tVyC2+qO#@X*|uP@uWgyJ1Au5 v26s3KeN;fZ$CO7m zTi^JX9nkjwxBefrp9IeST$&Vf2xb c;l?w>`DEM}`*DLe;)Qe?rk5NBrBzY9)lu~G=L2n|{&vPXFY zJs 4A(zSS>m-dQM^$Q63ZwGyfL=@gX+zM zz0QaU+T%_5;vD5?ZV$n{Uq2v7Vv~F!%;b3$;(}!la rr^uSA BKXF+t$w`VqN~VjjNo0cWaABf=vj{FrC*fq{CQ$uLvxVH zEFe$SF?TZ_`N6_~)wP8D=+A%hbQO5eM}}?QAS;%iemNy3eY=M$<{^1AHRoVx`Iod# zJ$v|~DU96t+t1Q1JktjPBlpM2FllZ<$PUEpHVuM@ZGmfM`u-s(m0NbTvn1ZR9gs-4 z?J{rsK8A@5zi|hfM-OVuvufDU2ufiGq|SEnZ8hK$$ut#}82gd)=PZoemQ7kJ>pF6a zJXkP%FTt`bvq833$jpD2b6$i$+|V-Ow7SRM0I4!XQ{k%)SRKD|*T)TLIe?t>3MmhE zJd`-DdTF=+rMe3_U}4BH^wIV{WbMd9%Gv&&k%))IEn@PA!cy_)XuGExXR7H_%V#7f zcSeSCpg57S`uLL!?VKVL9=H%x)6pyAEL#b`i2!hn16g}NKK&Te3sZ!epRNf>T)Mpw zAk^J`v#!PzZx=X^w>!;7Y=#>&EAu?(Or{0bd-i~-+TfTzog1-C#DK8V5!TEKWa3HX zyAb`A4vFBm^av_>t=GiQ?PFi28Vz8_HjVwJlmCp(yZplNWV!1O4kvq9oXxRf$Hmhd zHs(EQXj>x=5U-ek+F- YDy)T(IOM!K)gWl9YVsMu9|f7L$fl@ zE}G1n0{Y0}sfx 9ip>8FeZmer~d75KQY%#%_Z>%5c)lpP1tFG z9r%$B)0Ky1)u2G#<`~-TOM{SLwr#q74}SY*et%dVSJaNJQHM~Wt4zsfwL+`6=lekp zg{z2f```V?#sT8@(ER}M5Z2olv#?oM!$dYIM)jV&X7A-NM-G3NdN2p$I+;`M$iTkc zGJ}w#$w+8u&*a7iUy(iJcm7}@hpwC+)lA+hWT9G#8M_k>!DRG5#?%HST0tsj j?cFxZeN|V_M1fAZ=L(cXa6detZb;fdy-yE|FV>zF6) z1%f6YwR10Fejp-gEaKNksvdY56n|f9(wMZbif1ClnU-jF9ZEIxk}o-(NDP^&keC zP9HYg&*O(F_nBd)sm1@M_8bRxp>?Hm%BEINY1;la<~a1#)G1*K&(6lT{`1ujRyTV= zN!yp_OQ_pA8}frJP!LYUaZu|lQcN!P@an(k-l9s`Cc(&>7VY5%wjcajIGG!%ArQp% znQQEG8?i+48yffV7UrqOtebG5^fBK@2A^BEnl#)O9ivx?J74k`vZzd?;A01lgi9%s zqOayatc#LCfWV)m4?ZRLb&I#JyO+(iX#@rr5&$Qy0aXzYt&Oki{jgwKXQ2AxwG(yy zjB?YDm$VYb`Ri)aCwX4=`0q+X3U JHN?9 &< |JmzaS#_x1fuTS*`Uu*4*v)S7F6$$9{>oe0C zmfo(n%K%|Zo=7x26N4%wN;k}KF3Gn)m1(d+I)Mvcc$T!tmx 7i_80%iezANyG0x#60`t8~$9rC6)|V*)Pu<4Bo_5zKDj%&z}hhb +2LI~5j7KbzMe;@V;b2fO8V5Vc)8;>Km;BQ zsp2mYLFBBT{jH?7Y#lmtthIwL^1MImOkgn h zQd%LU3a$;ZC1kjSZ}X$Ko!wUxF^`2ybv>=hA>L8RQ@ah_DZ01O{5xk*XX7-b!^{je z`ZKNi5XpR3zd~d$$LKTogu#h$G>ymVo0fFYO9(zd5BI14qGZUh9K$~wBhqnK?hxr> zSv7p|sPURP22}*PxN*QRrj4{uz6|GjlM^O%mmP`9_5iUE_8 9(RY;7JjT@5w)T?`t4CVT3`<<)?jy5l>1b7NFi3-8N|HF zs)61cG%9j*QpP`rjR}ArBO?YM6X1uw^AM&w2R?s4A@DBiV2*244)7d1uv| mh1Go0tLBVwS<_YaTh9Wb};%ib3`aGs=*v;PFhGsa~mWze9E-!#k zY`(3x!Kl*it5sGxL5fW3wiel@w13_gy5O6?ki9Z_e&T`IhP)L^soPR5`xQ93qn?k= zWhS~Go^XkL_waQ%Ds@{{2*|;MvGpsTStH*ltX6zJplF|6ZfA=+Jv=%3Otr3< ~8OyIEhWKp7UTvr^9+PW`76_^R`XSx|Vfg7dTR#MwfE4O$cn`=X zY>D&`w`mFgPrM_x1dzKCBm wBt+Lb`%Nw@nUQ=!OFkcq&x8T88+vfGC 5ZDz@dQ?+}syWR>} zMLRH^yAZ6e3 ;4HWr@byOK1E>&bY;ODXe*Zg_TK^({-4z+;*7*_V1@kcs2VBvzQ-C-G1XK_2zvj zZF^Foq7btBlNIZVW)m#(9B2Jw7plEjdusT2(wpJAtxydM?oJYfSmKb-#*tV44u7UT zAyorwS9e3^F>tv^+zT5xHN~bm;J@dY_kg9}6reKrg1WDeghnR5+F3bu@}y?>?=ELm z6#Oeb>;h-Z>T*6W^_qs_BPKSZrsME8)zPR8Pifc*D0aIj4T7tc2413GCbc3rXc}83 z8I0g) 7CjJgm@WUS|%gFXh7RRpSk`O(0-f A1DE&6b;gM41cg^%oOnu|5{YSZ{@&c;d<7$g7vAV@ zSPo-QQweWcEPC1W&LOUrR+RjS7|q^2;JCh9RSkRUt{hE@&J)1=K*p%sKGr%*Et+ zXqL$%WE{t06b6vgddT#G-STqSeELqTe6kR*6(QIfGj5w_#z-_cF`W~v7Q8?~VxM1# zM^#5_E;(NC`y`g8T@oky!3rYaq|pl*YX^C@0|4)8|EJR(r&i91EV7FZ`MVeJy6KV} zD2L|DC}1(K2{S8}x31GfBpO`ydW=QS!Ec==XkQO06$bO(Fs fhb1Y9XCRU_K8YdPiO@NWDo_eiC_$RbovngcNM|?}zp?22)yIF$Y5}#$h)D zZ#t|wT0a&*;j0^l;6i~aC&2Qa#!wf2&5X9*fcvHbg-%X(Qzp4MgxZ;ihCc4UTo`X@ zw-%3~E1|vK3Ny%r0IWBgX{8C1Xfk&~@$o0OS%1aIrxAiH;~@%P&I0|G$}6Ve|Iq&r h6#2h+$ Pu<6DO5kc8u(m%8Z80cQtDb~V={|`7DSbhKi diff --git a/app/src/main/res/drawable-xxhdpi/drawer_shadow.9.png b/app/src/main/res/drawable-xxhdpi/drawer_shadow.9.png deleted file mode 100644 index b91e9d7f285e8110ba3ba4e72cc6f0416eb3a30a..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 208 zcmeAS@N?(olHy`uVBq!ia0vp^VnCe4!3HEl*p=S^DajJoh?3y^w370~qErUQl>DSr z1<%~X^wgl##FWaylc_d9MMa)2jv*QM-d<4Ta$*#5x!8O#VbcvCx78OjjCM19-`|n` zlcQ;yJWqK-!X?h+v^9}Es?F+hJ07=b>sdT*QRcgm+^%b8|A7C`|A*gYPjm3$2miRv cpZdzQt0C%<%j~>EK-(ESUHx3vIVCg!0CP)0sQ>@~ diff --git a/app/src/main/res/drawable-xxhdpi/ic_clear_black_24dp.png b/app/src/main/res/drawable-xxhdpi/ic_clear_black_24dp.png deleted file mode 100644 index 51b4401ca053ca8cad6e9903646709a2f44444df..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 309 zcmeAS@N?(olHy`uVBq!ia0vp^9w5xY0wn)GsXhaw{&>1LhEy=Vy sgJ$~x+g}6OvsxLimbaeN-!xQItoH=3nd`|H@dF!kYp_dChV`b9AudQLRn7yg2 zv~UiON9*MGOYAy6D=_*g@;c3(5`S(Hi^X ;wk8Ms*3SMP^!WTf z-E_DAd$kLMWY`Z`);MuKF9=d$?_mzLoFj7Xp~|_3ODg!(3;AT&wLoS^O+0tsvcZJ& zD(m_$dNm(!9@n+CTyDa$w$*a^-$!>qK3P{4end8+qbAwoFEAV!JYD@<);T3K0RXh> Be)#|Z diff --git a/app/src/main/res/drawable-xxhdpi/ic_dashboard_black_24dp.png b/app/src/main/res/drawable-xxhdpi/ic_dashboard_black_24dp.png deleted file mode 100644 index ad14dfeb9fcb3669d59c0077ab851f2cc95eff6b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 126 zcmeAS@N?(olHy`uVBq!ia0vp^9w5xf3?%cF6 g~}cLi3 NSnFL zkGQYSP&@m;*IK6Q-#O#%t5^JG`{BMqf8+n2Z|={&zE4otx%%IU37m2NTYWzKGCBDA zGRyk&LVN6HtbDhUpKVe#i0?1F$Iko1uY_g0mfJ~qyju(6`+^n!Z*4i z5hh+Bv?p(-%zt$M-+!?Iw6Q#P16<$f#A@_7oVT44$rjF6*2U FngA8*uUr5C diff --git a/app/src/main/res/drawable-xxxhdpi/ic_dashboard_black_24dp.png b/app/src/main/res/drawable-xxxhdpi/ic_dashboard_black_24dp.png deleted file mode 100644 index 8fad114fe9f3f5a207a2dd9008c5e94ce7f6330d..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 127 zcmeAS@N?(olHy`uVBq!ia0vp^2_VeK3?y%aJ*@^(YymzYu0R?HmZtAK52P4Ng8YIR z9G=}s19H?oT^vIy7?UNgH2enw`2#E`=LGUuuw - - - diff --git a/app/src/main/res/drawable/appwidget_button_left.xml b/app/src/main/res/drawable/appwidget_button_left.xml deleted file mode 100644 index 7382f05ff..000000000 --- a/app/src/main/res/drawable/appwidget_button_left.xml +++ /dev/null @@ -1,25 +0,0 @@ - - -- -
- -
- -
- diff --git a/app/src/main/res/drawable/appwidget_button_right.xml b/app/src/main/res/drawable/appwidget_button_right.xml deleted file mode 100644 index a81225917..000000000 --- a/app/src/main/res/drawable/appwidget_button_right.xml +++ /dev/null @@ -1,25 +0,0 @@ - - -- -
- -
- -
- diff --git a/app/src/main/res/layout/card_item_date_range.xml b/app/src/main/res/layout/card_item_date_range.xml deleted file mode 100644 index 4cc2531af..000000000 --- a/app/src/main/res/layout/card_item_date_range.xml +++ /dev/null @@ -1,38 +0,0 @@ - - -- -
- -
- -
- \ No newline at end of file diff --git a/app/src/main/res/layout/drawer_section_header.xml b/app/src/main/res/layout/drawer_section_header.xml deleted file mode 100644 index 79927e90e..000000000 --- a/app/src/main/res/layout/drawer_section_header.xml +++ /dev/null @@ -1,9 +0,0 @@ - -- \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_account_detail.xml b/app/src/main/res/layout/fragment_account_detail.xml deleted file mode 100644 index 9cda56040..000000000 --- a/app/src/main/res/layout/fragment_account_detail.xml +++ /dev/null @@ -1,45 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/split_account_spinner_item.xml b/app/src/main/res/layout/split_account_spinner_item.xml deleted file mode 100644 index ca82b3606..000000000 --- a/app/src/main/res/layout/split_account_spinner_item.xml +++ /dev/null @@ -1,26 +0,0 @@ - - - -- - - -- - \ No newline at end of file diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml index e151c2ad3..32b74abc9 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -18,9 +18,7 @@ diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index 2baa6bbe9..9ba4502df 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -457,4 +457,5 @@ Create Account Edit Account -Info -Export… -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -36,9 +34,7 @@Amount New transaction No transactions to display -DATE & TIME -Account -DEBIT +DEBIT CREDIT Accounts Transactions @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index 079a103a2..194c26600 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 098c93a7e..ff9007834 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -461,4 +461,5 @@ Create Account Edit Account -Info -Export… -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -36,9 +34,7 @@Amount New transaction No transactions to display -DATE & TIME -Account -DEBIT +DEBIT CREDIT Accounts Transactions @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -220,12 +197,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -243,17 +215,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -263,19 +232,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -292,23 +258,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -355,11 +317,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -369,8 +329,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -390,9 +349,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -410,8 +367,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -425,8 +381,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index 03478673f..e16776a0c 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index 5b8d6b85f..fed5df41b 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -19,7 +19,7 @@ Crea un compte Edita el compte -Informació -Exporta… -Afegeix un assentament nou al compte +Afegeix un assentament nou al compte View account details No hi ha comptes per mostrar Nom del compte @@ -36,9 +34,7 @@Import Transacció Nova No hi ha cap transacció per mostrar -DATA I HORA -Compte -DÈBIT +DÈBIT CRÈDIT Comptes Assentaments @@ -47,16 +43,13 @@Cancel·la S\'ha eliminat el compte Confirma la supressió -També es suprimiran totes les transaccions en aquest compte -Edita l\'assentament +Edita l\'assentament Afegiu una nota -MOU -%1$d seleccionats +%1$d seleccionats Saldo: Exporta a: Exporta els assentaments -Exporta tots els assentaments -Per defecte, només s\'exportaran les transaccions noves des de l\'última exportació. Marqueu aquesta opció per exportar totes les transaccions +Per defecte, només s\'exportaran les transaccions noves des de l\'última exportació. Marqueu aquesta opció per exportar totes les transaccions S\'ha produït un error en exportar el fitxer %1$s Exporta Suprimeix les transaccions després d\'exportar @@ -72,8 +65,7 @@Mou Mou %1$d transaccions Compte destí -Accés a la targeta SD -No s\'han pogut moure les transaccions.\nEl compte desti utilitza una moneda diferent del compte origen +No s\'han pogut moure les transaccions.\nEl compte desti utilitza una moneda diferent del compte origen General Quant a Trieu la moneda per defecte @@ -88,24 +80,16 @@Display account Hide account balance in widget Crea els comptes -Seleccioneu els comptes a crear -No hi ha comptes en GnuCash.\nCreeu un compte abans d\'afegir un giny -Versió de la compilació -Llicència +No hi ha comptes en GnuCash.\nCreeu un compte abans d\'afegir un giny +Llicència Llicència Apache 2.0. Feu clic per a més detalls Preferències generals Seleccioneu un compte No hi ha cap transacció per exportar -Contrasenya -PreferèncIes de contrasenya -Contrasenya activada -Contrasenya desactivada -Canvia la contrasenya +PreferèncIes de contrasenya +Canvia la contrasenya Quant a GnuCash -A mobile finance management and expense-tracker designed for Android -Quant a -%1$s fitxer exportat a:\n -GnuCash Android %1$s export +GnuCash Android %1$s export Exportació de GnuCash Android de Assentaments Preferències d\'assentaments @@ -123,8 +107,7 @@Suprimeix els assentaments exportats Adreça electrònica d\'exportació per defecte L\'adreça electrònica per defecte on enviar les exportacions. La podeu canviar quan exporteu. -Compte d\'origen -Totes les transaccions seran una transferència d\'un compte a un altre +Totes les transaccions seran una transferència d\'un compte a un altre Activar la doble entrada Balanç Introduïu un nom de compte per crear el compte @@ -143,10 +126,7 @@Dismiss Introduïu una quantitat per desar l\'assentament -Les transaccions multimoneda no es poden modificar -Importa comptes de GnuCash -Importa els comptes -S\'ha produït un error en importar els comptes de GnuCash +S\'ha produït un error en importar els comptes de GnuCash S\'han importat els comptes de GnuCash correctament Importa l\'estructura de comptes exportada des de GnuCash per escriptori Importa XML de GnuCash @@ -157,19 +137,16 @@Comptes S\'han suprimit tots els comptes Esteu segur que voleu suprimir tots els comptes i transaccions?\n\nAquesta operació no es pot desfer! -Tipus de compte -Es suprimiran totes les transaccions de tots els comptes! +Es suprimiran totes les transaccions de tots els comptes! Suprimeix tots els assentaments S\'han suprimit totes les transaccions! S\'estan important els comptes -Torna a tocar per confirmar. S\'eliminaran TOTES les entrades!! -Assentaments +Assentaments Subcomptes Cerca Format d\'exportació per defecte Format de fitxer a utilitzar per defecte en exportar transaccions -Exporta els assentaments… -Periodicitat +Periodicitat Desequilibri S\'estan exportant les transaccions @@ -214,12 +191,7 @@Crea l\'estructura de comptes per defecte de GnuCash d\'ús més comú Crea els comptes per defecte A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Assentaments periòdics -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Assentaments +Assentaments Seleccioneu un destí per l\'exportació Memo Gastar @@ -237,17 +209,14 @@Factura Buy Sell -Repeats -No s\'ha trobat cap còpia de seguretat recent -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX no soporta transaccions de doble entrada Genera fitxers QIF separats per moneda -Desglossament de l\'assentament -Desequilibri: +Desequilibri: Afegeix desglós Preferit Navigation drawer opened @@ -257,19 +226,16 @@Line Chart Bar Chart Preferències d\'informes -Selecciona una moneda -Account color in reports +Account color in reports Use account color in the bar/pie chart -Informes -Ordena per mida +Ordena per mida Mostra la llegenda Mostra les etiquetes Mostra el percentatge Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -286,23 +252,19 @@Còpia de seguretat Habilita l\'exportació a DropBox Habilita l\'exportació a ownCloud -Seleccioneu el fitxer XML de GnuCash -Preferències de còpia de seguretat +Preferències de còpia de seguretat Fer una còpia de seguretat Per defecte les còpies de seguretat es desen a la tarjeta SD Seleccioneu una còpia de seguretat per restaurar La còpia de seguretat s\'ha fet correctament S\'ha produït un error en fer la còpia de seguretat Exporta tots els comptes i transaccions -Habilita Google Drive -Habilita l\'exportació a Google Drive -Instal•leu un gestor de fitxers per seleccionar fitxers +Instal•leu un gestor de fitxers per seleccionar fitxers Seleccioneu una còpia de seguretat per restaurar Preferits Obre… Informes -Assentaments periòdics -Exporta… +Exporta… Preferències Nom d\'usuari Contrasenya @@ -333,11 +295,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -No s\'ha trobat la carpeta de còpies de seguretat. Assegureu-vos que la tarjeta SD està muntada! -Introduiu la contrasenya antiga +Introduiu la contrasenya antiga Introduiu la contrasenya nova -Exportacions periòdiques -Exportacions +Exportacions No hi ha cap transacció planificada per mostrar Crea una exportació periòdica S\'ha exportat a: %1$s @@ -347,8 +307,7 @@No hi ha comptes preferits Accions periòdiques "Ended, last executed on %1$s" -Seleccioneu una barra per veure els detalls -Següent +Següent Fet Moneda per defecte Account Setup @@ -368,9 +327,7 @@Check that all splits have valid amounts before saving! Expressió invàlida! S\'ha planificat la transacció recurrent -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Període: @@ -388,8 +345,7 @@Actiu Passiu Equity -- Mou a: +Mou a: Agrupa per Mes Quarter @@ -403,8 +359,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index 87d0a42c8..cd859a40a 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index 27eb0d5a1..abfb097b6 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -41,8 +41,8 @@ Vytvořit účet Upravit účet -Čestina -Exportovat… -Přidat novou transakci na účet +Přidat novou transakci na účet Zobrazit podrobnosti o účtu Žádné účty ke zobrazení Název účtu @@ -36,9 +34,7 @@Částka Nová transakce Žádné transakce k zobrazení -Datum & čas -Účet -DEBET +DEBET ÚVĚR Účty Transakce @@ -47,16 +43,13 @@Zrušit Účet smazán Potvrdit smazání -Všechny transakce na tomto účtu budou také smazány -Upravit transakci +Upravit transakci Přidat poznámku -PŘESUNOUT -Vybráno %1$d +Vybráno %1$d Bilance: Exportovat do: Exportovat transakce -Exportovat všechny transakce -Ve výchozím nastavení jsou exportovány pouze nové transakce přidané od posledního exportu. Zaškrtněte tuto volbu, chcete-li exportovat všechny transakce +Ve výchozím nastavení jsou exportovány pouze nové transakce přidané od posledního exportu. Zaškrtněte tuto volbu, chcete-li exportovat všechny transakce Chyba při exportu %1$s souboru Exportovat Odstranit transakce po exportu @@ -72,8 +65,7 @@Přesunout Přesunout transakci(e) %1$d Cílový účet -Přístup na SD kartu -Nelze přesunout transakce.\nCílový účet používá jinou měnu než původu účet +Nelze přesunout transakce.\nCílový účet používá jinou měnu než původu účet Všeobecné O Produktu Vyberte výchozí měnu @@ -88,24 +80,16 @@Zobrazit účet Skrýt zůstatek účtu ve widget Vytvořit účet -Vyberte účty, které chcete vytvořit -Neexistují účty v GnuCash.\nVytvořte účet před přidáním widgetu -Verze sestavení -Licence +Neexistují účty v GnuCash.\nVytvořte účet před přidáním widgetu +Licence Licence Apache v2.0. Klikněte pro podrobnosti Všeobecné předvolby Vybrat účet Neexistují žádné transakce pro export -Heslo -Předvolby hesla -Kódový zámek zapnutou -Přístupový kód vypnutý -Změnit heslo +Předvolby hesla +Změnit heslo O GnuCash -A mobile finance management and expense-tracker designed for Android -O programu -%1$s exportovano do souboru:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android exportováno z Transakce Transakce předvolby @@ -123,8 +107,7 @@Odstranit exportované transakce Výchozí exportní e-mail Výchozí e-mailovou adresa pro export. Můžete změnit při exportu. -Přenos účtu -Všechny transakce budou převedeny z jednoho účtu na jiný +Všechny transakce budou převedeny z jednoho účtu na jiný Activate Double Entry Zůstatek Zadejte název účtu pro jeho vytvoření @@ -143,10 +126,7 @@Dismiss Zadejte částku k uložení transakce -Transakce ve více měnách nelze upravovat -Importovat GnuCash účty -Importovat účty -Při importu GnuCash účtů došlo k chybě +Při importu GnuCash účtů došlo k chybě GnuCash účty úspěšně importovány Importovat strukturu účtu exportovaného z GnuCash pro stolní počítače Importovat GnuCash XML @@ -155,19 +135,16 @@Účty Všechny účty byly úspěšně smazány Opravdu chcete smazat všechny účty a transakce? \n\nTato operaci nelze vrátit zpět! -Typ účtu -Budou smazány všechny transakce ve všech účtech! +Budou smazány všechny transakce ve všech účtech! Smazat všechny transakce Všechny transakce byly úspěšně smazány! Importování účtů -Klepnutím znovu potvrďte. Budou smazány všechny položky!! -Transakce +Transakce Sub-Accounts Vyhledat Výchozí formát pro Export File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -213,12 +190,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -236,16 +208,13 @@Faktura Koupit Prodej -Se opakuje -Nebyla nalezena žádná poslední záloha -Počáteční zůstatky +Počáteční zůstatky Vlastní kapitál Povolit uložení saldo běžného účtu (před odstraněním transakcí) jako nový počáteční zůstatek po odstranění transakcí Uložit počáteční zůstatek účet OFX nepodporuje transakce podvojného účetnictní Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -255,19 +224,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -284,23 +250,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index 9be4749df..f689db185 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index 5bb558e6f..079d66f5c 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -458,4 +458,5 @@ Konto docelowe używa innej waluty niż konto wyjściowe Neues Konto Konto bearbeiten -Info -OFX-Datei exportieren -Neue Buchung in ein Konto +Neue Buchung in ein Konto View account details Keine Konten vorhanden Kontoname @@ -36,9 +34,7 @@Betrag Neue Buchung Keine Buchungen vorhanden -Datum & Zeit -Konto -Soll +Soll Haben Konten Buchungen @@ -47,16 +43,13 @@Abbrechen Das Konto wurde gelöscht Löschen bestätigen -Alle Buchungen dieses Kontos werden gelöscht -Buchung bearbeiten +Buchung bearbeiten Notizen -Verschieben -%1$d ausgewählt +%1$d ausgewählt Saldo: Exportziel Buchungen exportieren -Alle Buchungen exportieren -Auswählen, um alle Buchungen zu exportieren. Andernfalls werden nur die neuen Buchungen seit letztem Export exportiert. +Auswählen, um alle Buchungen zu exportieren. Andernfalls werden nur die neuen Buchungen seit letztem Export exportiert. Fehler beim Exportieren der %1$s-Datei Exportieren Buchungen nach dem Export löschen @@ -72,8 +65,7 @@Verschieben %1$d Buchung(en) verschieben Zielkonto -Zugriff auf SD-Kartenspeicher -Buchungen könnten nicht verschoben werden.\Die Währung des Zielkontos ist inkompatibel +Buchungen könnten nicht verschoben werden.\Die Währung des Zielkontos ist inkompatibel Allgemein Über GnuCash Standardwährung auswählen @@ -88,24 +80,16 @@Konto anzeigen Hide account balance in widget Konten erstellen -Zu erstellende Konten auswählen -Keine Konten vorhanden.\nErstellen Sie ein Konto um Widgets hinzuzufügen -Version -Lizenz +Keine Konten vorhanden.\nErstellen Sie ein Konto um Widgets hinzuzufügen +Lizenz Apache License v2.0. Klicken für Details Allgemein Konto auswählen Keine Buchungen zum Exportieren -PIN Einstellungen -Sicherheit -Zugang nur mit PIN -Zugang ohne PIN -PIN ändern +Sicherheit +PIN ändern Über GnuCash -Ein leistungsfähiger und flexibler mobiler Finanzmanager für Android -Über -%1$s-Datei erfolgreich exportiert nach:\n -GnuCash Android exportierte %1$s-Datei +GnuCash Android exportierte %1$s-Datei GnuCash-Android-Konten-Export von Buchungen Einstellungen Buchungen @@ -123,8 +107,7 @@Alle exportierten Buchungen löschen Standard Export E-Mail Die Standard-E-Mail, an die exportierte OFX Dateien geschickt werden. Sie können diese immer noch beim Exportieren ändern. -Überweisungskonto -Alle Buchungen stellen eine Überweisung von einem Konto zu einem anderen dar +Alle Buchungen stellen eine Überweisung von einem Konto zu einem anderen dar Doppelte Buchführung aktivieren Kontostand Geben Sie einen Kontonamen ein, um das Konto zu erstellen @@ -143,10 +126,7 @@Schließen Geben Sie einen Betrag ein, um die Buchung speichern zu können -Mehrwährungsbuchungen können nicht bearbeitet werden -GnuCash-Konten importieren -Konten importieren -Beim Importieren der GnuCash-Konten ist ein Fehler aufgetreten! +Beim Importieren der GnuCash-Konten ist ein Fehler aufgetreten! GnuCash-Konten wurden erfolgreich importiert Importiere Kontenstruktur, welche von der Desktop-Version von GnuCash exportiert wurde GnuCash-Konten importieren @@ -157,19 +137,16 @@Wollen Sie wirklich ALLE Konten und Buchungen löschen? \n\nDiese Operation kann nicht rückgängig gemacht werden! -Kontoart -Alle Buchungen in allen Konten werden gelöscht +Alle Buchungen in allen Konten werden gelöscht Alle Buchungen löschen Alle Buchungen wurden erfolgreich gelöscht Konten werden importiert -Erneut Tippen zum Bestätigen. ALLE Einträge werden gelöscht! -Buchungen +Buchungen Unterkonten Suchen Standard-Export-Format Dateiformat, welches standardmäßig verwendet wird, wenn Buchungen exportiert werden -Buchungen exportieren… -Wiederholung +Wiederholung Ausgleichskonto Die Buchungen werden exportiert @@ -214,10 +191,7 @@Erstellt die häufig verwendeten Standard-GnuCash-Konten Standard-Konten erstellen Ein neues Buch wird mit den Standardkonten geöffnet\n\nIhre aktuellen Konten und Buchungen werden nicht geändert! -Geplante Buchungen -Willkommen bei GnuCash Android!\nSie können entweder eine Hierarchie der für gewöhnlich verwendeten Konten erstellen oder Ihre eigene GnuCash-Kontenstruktur importieren.\n\nBeide Optionen sind auch in den Einstellungen verfügbar, sodass Sie dies später entscheiden können. - -Eingeplante Buchungen +Eingeplante Buchungen Exportziel auswählen Buchungstext Ausgabe @@ -235,17 +209,14 @@Rechnung Kauf Verkauf -Wiederholungen -Keine Sicherheitskopie vorhanden -Anfangsbestand +Anfangsbestand Eigenkapital Möglichkeit aktivieren, den aktuellen Saldo als neuen Anfangsbestand nach dem Löschen der Buchungen zu übernehmen Saldo als neuen Anfangsbestand übernehmen OFX unterstützt keine doppelte Buchführung Erzeugt eine QIF-Datei für jede Währung -Split Buchung -Differenz: +Differenz: Split hinzufügen Favorit Navigationsleiste geöffnet @@ -255,19 +226,16 @@Liniendiagramm Balkendiagramm Berichte -Wählen Sie eine Währung -Kontofarbe +Kontofarbe Verwende Kontofarben in Balken- und Tortendiagrammen -Berichte -Nach Größe sortieren +Nach Größe sortieren Legende anzeigen Beschreibung anzeigen Prozent anzeigen Durchschnitt anzeigen Kleine Segmente zusammenfassen Keine Daten zum anzeigen gefunden -Summe -Summe +Summe Sonstige Der Prozentsatz wird aus der Gesamtsumme errechnet Der Prozentsatz wird vom Gesamtwert des Balkens errechnet @@ -284,23 +252,19 @@Backup Dropbox-Export aktivieren ownCload-Export aktivieren -GnuCash XML Datei auswählen -Sicherungs-Einstellungen +Sicherungs-Einstellungen Sicherung erstellen Sicherungen werden auf der SDCARD gespeichert Wähle eine Sicherungskopie zur Wiederherstellung aus Sicherung erfolgreich Sicherung fehlgeschlagen Alle Konten und Buchungen werden exportiert -Google Drive aktivieren -Google Drive - Export aktivieren -Installieren Sie einen Dateimanager um Dateien auszuwählen +Installieren Sie einen Dateimanager um Dateien auszuwählen Wähle eine Sicherungskopie Favoriten Öffnen… Berichte -Geplante Buchungen -Exportieren… +Exportieren… Einstellungen Benutzername Passwort @@ -332,11 +296,9 @@Enable to send information about malfunctions to the developers for improvement (recommended). No user-identifiable information will be collected as part of this process! Format -Sicherungsordner nicht gefunden. Prüfe, ob eine SD-Karte vorhanden ist! -Alten PIN eingeben +Alten PIN eingeben Neuen PIN eingeben -Geplanten Exporte -Scheduled Exports +Scheduled Exports Keine geplanten Exporte Wiederkehrenden Export erstellen Exportiert auf %1$s @@ -346,8 +308,7 @@ No user-identifiable information will be collected as part of this process!Keine bevorzugten KontenGeplante Aktionen "Ended, last executed on " -Wählen Sie einen Balken für Details -Weiter +Weiter Fertig Standardwährung Konto einrichten @@ -367,9 +328,7 @@ No user-identifiable information will be collected as part of this process!Prüfen Sie vor dem Speichern, ob alle Buchungsteile gültige Beträge enthalten!Ungültiger Ausdruck! Geplante wiederkehrende Buchung -Ein Wechselkurs ist erforderlich -Ein Wechselbetrag ist erforderlich -Überweisungen +Überweisungen Tippe auf ein Segment um Details zu sehen Zeitraum: @@ -387,8 +346,7 @@ No user-identifiable information will be collected as part of this process!VermögenVerbindlichkeiten Eigenkapital -- Verschieben nach: +Verschieben nach: Gruppieren nach Monat Quartal @@ -402,8 +360,7 @@ No user-identifiable information will be collected as part of this process!Es gibt keine kompatible App, welche die exportierten Buchungen empfangen kann!Bewegen… Duplizieren -Budgets -Geldfluss +Geldfluss Budgets Kompaktansicht verwenden Aktivieren, um stets die Kompaktansicht für die Buchungsliste zu verwenden diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index dc325e643..d1375e974 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index 6872b964f..f4b098eec 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -448,4 +448,5 @@ Δημιουργία Λογαριασμού Επεξεργασία Λογαριασμού -Πληροφορίες -Εξαγωγή OFX -Προσθήκη μιας νέας συναλλαγής σε ένα λογαριασμό +Προσθήκη μιας νέας συναλλαγής σε ένα λογαριασμό View account details Δεν υπάρχουν λογαριασμοί για εμφάνιση Όνομα λογαριασμού @@ -36,9 +34,7 @@Ποσό Νέα συναλλαγή Δεν υπάρχουν συναλλαγές για εμφάνιση -ΗΜΕΡΟΜΗΝΙΑ & ΩΡΑ -Λογιαριασμός -ΧΡΕΩΣΗ +ΧΡΕΩΣΗ ΠΙΣΤΩΣΗ Λογαριασμοί Συναλλαγές @@ -47,16 +43,13 @@Ακύρωση Ο λογαριασμός διαγράφηκε Επιβεβαίωση διαγραφής -Όλες οι συναλλαγές αυτού λογαριασμού θα διαγραφούν επίσης. -Επεξεργασία Συναλλαγής +Επεξεργασία Συναλλαγής Σημείωση -ΜΕΤΑΚΙΝΗΣΗ -%1$d επιλέχθηκε +%1$d επιλέχθηκε Υπόλοιπο: Εξαγωγή σε: Export transactions -Εξαγωγή όλων των συναλλαγών -Προεπιλεγμένα, μόνο οι νέες συναλλαγές από τη τελευταία εξαγωγή θα εξαχθούν. Ενεργοποίησε αυτή την επιλογή για την εξαγωγή όλων των συναλλαγών +Προεπιλεγμένα, μόνο οι νέες συναλλαγές από τη τελευταία εξαγωγή θα εξαχθούν. Ενεργοποίησε αυτή την επιλογή για την εξαγωγή όλων των συναλλαγών Σφάλμα εξαγωγής δεδομένων %1$s Εξαγωγή Διαγραφή συναλλαγών μετά την εξαγωγή @@ -72,8 +65,7 @@Μετακίνηση Μετακίνησε %1$d συναλλαγή(ες) Λογιαριασμός Προορισμού -Πρόσβαση κάρτας SD -Αδυναμία μετακίνησης συναλλαγών.\nΟ λογαριασμός προορισμού χρησιμοποιεί διαφορετικό νόμισμα από το λογαριασμό προέλευσης +Αδυναμία μετακίνησης συναλλαγών.\nΟ λογαριασμός προορισμού χρησιμοποιεί διαφορετικό νόμισμα από το λογαριασμό προέλευσης Γενικές Πληροφορίες Προεπιλογή νομίσματος @@ -88,25 +80,17 @@Εμφάνιση λογαριασμού Hide account balance in widget Δημιουργία Λογαριασμών -Επιλογή λογαριασμών για δημιουργία -Δεν υπάρχουν λογαριασμοί στο + Δεν υπάρχουν λογαριασμοί στο GnuCash.\nΔημιουργήστε ενα λογαριασμό πριν προσθέσετε ένα γραφικό στοιχείο -Έκδοση -Άδεια χρήσης +Άδεια χρήσης Άδεια χρήσης Apache v2.0. Επιλέξτε για λεπτομέρειες Γενικά Επιλογή Λογαριασμού Δεν υπάρχουν διαθέσιμες συναλλαγές για εξαγωγή -Κωδικός -Προτιμήσεις Κωδικού -Κωδικός Ενεργοποιήθηκε -Κωδικός απενεργοποιήθηκε -Αλλαγή Κωδικού +Προτιμήσεις Κωδικού +Αλλαγή Κωδικού Πληροφορίες για GnuCash -A mobile finance management and expense-tracker designed for Android -Πληροφορίες -Αρχείο %1$s εξήχθη σε:\n -Εξαγωγή GnuCash Android %1$s +Εξαγωγή GnuCash Android %1$s Εξαγωγή GnuCash Android προς Κινήσεις Προτιμήσεις Κινήσεων @@ -124,8 +108,7 @@Διαγραφή εξηγμένων κινήσεων Προεπιλεγμένο email εξαγωγής Η προεπιλεγμένη διεύθυνση email για αποστολή εξαγωγών. Μπορείτε να το αλλάξετε και κατα την εξαγωγή. -Λογαριασμός Μεταφοράς -Όλες οι κινήσεις θα μεταφερθούν από τον ένα λογαριασμό στον άλλο. +Όλες οι κινήσεις θα μεταφερθούν από τον ένα λογαριασμό στον άλλο. Ενεργοποίηση Διπλών Λογιστικών Εγγραφών Υπόλοιπο Εισαγωγή ονόματος λογαριασμού @@ -146,10 +129,7 @@ Απόρριψη Εισαγωγή ποσού για αποθήκευση κίνησης -Multi-currency transactions cannot be modified -Εισαγωγή Λογαριασμών GnuCash -Εισαγωγή Λογαριασμών -Προέκυψε σφάλμα κατά την + Προέκυψε σφάλμα κατά την εισαγωγή λογαριασμών GnuCash Λογαριασμοί GnuCash εισήχθησαν με επιτυχία @@ -166,21 +146,18 @@Σίγουρα θέλετε να διαγράψετε όλους του λογαριασμούς και τις κινήσεις; \nΑυτή η ενέργεια δε μπορεί να αναιρεθεί! -Τύπος Λογαριασμού -Όλες οι κινήσεις σε όλους + Όλες οι κινήσεις σε όλους τους λογαριασμούς θα διαγραφούν! Διαγραφή όλων των κινήσεων Όλες οι κινήσεις διαγράφηκαν με επιτυχία! Εισαγωγή λογαριασμών -Πατήστε ξανά για επιβεβαίωση. ΌΛΕΣ οι καταχωρήσεις θα διαγραφούν!! -Κινήσεις +Κινήσεις Υπο-Λογαριασμοί Αναζήτηση Προεπιλεγμένη Μορφή Εξόδου Μορφή αρχείου για προεπιλεγμένη χρήση κατά την εξαγωγή κινήσεων. -Εξαγωγή κινήσεων… -Επαναλαμβανόμενη +Επαναλαμβανόμενη Imbalance Εξαγωγή κινήσεων @@ -225,12 +202,7 @@Δημιουργία προεπιλεγμένης συχνά χρησιμοποιούμενης δομής λογαριασμών GnuCash Δημιουργία προεπιλεγμένων λογαριασμών A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Προγραμματισμένες Κινήσεις -GnuCash Android. Καλώς ήρθατε! \nΜπορείτε είτε να δημιουργήσετε - μια ιεραρχία συνηθισμένων λογαριασμών, ή να εισάγετε τη δική σας δομή λογαριασμών GnuCash. \n\nΚαι οι δύο επιλογές είναι επίσης - διαθέσιμες στις Επιλογές της εφαρμογής γι\' αυτό μπορείτε να αποφασίσετε αργότερα. - -Προγραμματισμένες Κινήσεις +Προγραμματισμένες Κινήσεις Select destination for export Memo Spend @@ -248,17 +220,14 @@Invoice Buy Sell -Repeats -No recent backup found -Αρχικά υπόλοιπα +Αρχικά υπόλοιπα Καθαρή Θέση Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -268,19 +237,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -297,23 +263,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open... Reports -Scheduled Transactions -Export... +Export... Settings User Name Password @@ -346,11 +308,9 @@ No user-identifiable information will be collected as part of this process!Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Scheduled Exports +Scheduled Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -360,8 +320,7 @@ No user-identifiable information will be collected as part of this process!No favorite accounts Scheduled Actions "Ended, last executed on " -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -381,9 +340,7 @@ No user-identifiable information will be collected as part of this process!Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -401,8 +358,7 @@ No user-identifiable information will be collected as part of this process!Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -416,8 +372,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-en-rGB/strings.xml b/app/src/main/res/values-en-rGB/strings.xml index 7f6696157..b02505400 100644 --- a/app/src/main/res/values-en-rGB/strings.xml +++ b/app/src/main/res/values-en-rGB/strings.xml @@ -18,9 +18,7 @@Create Account Edit Account -Info -Export… -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -36,9 +34,7 @@Amount New transaction No transactions to display -DATE & TIME -Account -DEBIT +DEBIT CREDIT Accounts Transactions @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favourite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favourites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favourite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml index 89540d685..92b09d168 100644 --- a/app/src/main/res/values-es-rMX/strings.xml +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -18,9 +18,7 @@Crear Cuenta Editar Cuenta -Detalles -Exportar… -Añadir una nueva transacción a una cuenta +Añadir una nueva transacción a una cuenta Ver detalles de la cuenta No hay cuentas que mostrar Nombre de la cuenta @@ -36,9 +34,7 @@Importe Nueva transacción No hay transacciones -FECHA & HORA -Cuenta -CARGO +CARGO ABONO Cuentas Transacciones @@ -47,16 +43,13 @@Cancelar Cuenta borrada Confirmar borrado -Todas las transacciones en esta cuenta serán también borradas -Editar Transacción +Editar Transacción Nota -MOVER -%1$d seleccionado +%1$d seleccionado Saldo: Exportar A: Exportar Transacciones -Exportar todas las transacciones -Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones +Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones Error exportando datos %1$s Exportar Borrar transacciones despues de exportar @@ -72,8 +65,7 @@Mover Mover %1$d transacción(es) Cuenta Destino -Acceder a la tarjeta SD -No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen +No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen General Acerca de Elegir divisa por defecto @@ -88,24 +80,16 @@Mostrar cuentas Ocultar el saldo de la cuenta en widget Crear Cuentas -Seleccionar cuentas a crear -No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget -Versión de compilación -Licencia +No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget +Licencia Apache License v2.0. Clic para más detalles General Seleccionar Cuenta No hay transacciones disponibles para exportar -Contraseña -Ajustes de contraseña -Contraseña activada -Contraseña desactivada -Cambiar Contraseña +Ajustes de contraseña +Cambiar Contraseña Acerca de Gnucash -Una aplicación de gestión de finanzas y gastos para Android -Acerca de -Archivo %1$s exportado a:\n -Exportación %1$s de Gnucash Android +Exportación %1$s de Gnucash Android Exportación de Gnucash Transacciones Preferencias de transacciones @@ -123,8 +107,7 @@Borrar las transacciones exportadas Correo electrónico para exportar por defecto La dirección de correo electrónico a la que enviar las exportaciones por defecto. Se puede cambiar en cada exportación. -Transferir Cuenta -Todas las transacciones serán transferidas de una cuenta a otra +Todas las transacciones serán transferidas de una cuenta a otra Activar Doble Entrada Saldo Introduzca un nombre de cuenta para crear una cuenta @@ -142,10 +125,7 @@ - Múltiples fallos solucionados y otras mejoras\nCerrar Introduzca un importe para guardar la transacción -Las transacciones multi-divisa so se pueden modificar -Importar cuenta de GnuCash -Importar cuentas -Ocurrió un error al importar las cuentas de GnuCash +Ocurrió un error al importar las cuentas de GnuCash Cuentas de GnuCash importadas con éxito Importas estructura de cuentas exportada desde GnuCash para escritorio Importas cuentas de GnuCash @@ -156,19 +136,16 @@Todas las cuentas han sido borradas con éxito ¿Borrar todas la cuentas y transacciones? \nEsta operación no se puede deshacer. -Tipo de cuenta -Todas las transacciones en todas las cuentas serán borradas +Todas las transacciones en todas las cuentas serán borradas Borrar todas las transacciones Todas las transacciones han sido borradas con éxito Importando cuentas -Toque otra vez para confirmar. ¡Todas las entradas serán borradas! -Transacciones +Transacciones Sub-Cuentas Buscar Formato de exportación por defecto Formato de archivo para usar por defecto al exportar transacciones -Exportar transacciones… -Recurrencia +Recurrencia Descuadre Exportando transacciones @@ -213,10 +190,7 @@Crea una estructura por defecto de cuentas GnuCash comúnmente usadas Crear cuentas por defecto Se abrirá un nuevo libro con las cuentas por defecto\n\nSus cuentas y transacciones actuales no se modificarán! -Transacciones Programadas -¡Bienvenido a GnuCash Android! \nPuede crear una jerarquía de cuentas comúnmente usadas o importar su propia estructura de cuentas GnuCash. \n\nAmbas opciones están disponibles en las opciones de la aplicació por si quiere decidirlo más tarde. - -Transacciones Programadas +Transacciones Programadas Seleccionar destino para exportar Nota Gastar @@ -234,17 +208,14 @@Factura Comprar Vender -Repetir -No hay copias de seguridad recientes -Saldo de apertura +Saldo de apertura Resultado Seleccionar para guardar el saldo actual (antes de borrar las transacciones) como nuevo saldo de apertura despues de borrar las transacciones Guardar saldos de apertura OFX no soporta transacciones de doble entrada Genera archivos QIF individuales por divisa -Desglose de transacción -Descuadre: +Descuadre: Añadir desglose Favorito Cajón de navegación abierto @@ -254,19 +225,16 @@Gráfico de línea Gráfico de barras Preferencias de informe -Seleccionar divisa -Color de la cuenta en los informes +Color de la cuenta en los informes Usar el color de la cuenta en las gráficas de barra y tarta -Informes -Ordenar por tamaño +Ordenar por tamaño Mostrar leyenda Mostrar etiquetas Mostrar porcentaje Mostar lineas de media Agrupar porciones pequeñas Datos del gráfico no disponibles -Total -Total +Total Otros El porcentaje del valor seleccionado calculado sobre la cantidad total El porcentaje del valor seleccionado calculado sobre la cantidad de la barra apilada actual @@ -283,23 +251,19 @@Copia de seguridad Habilitar exportar a DropBox Habilitar exportar a ownCloud -Seleccionar archivo XML GnuCash -Preferencias de copia de seguridad +Preferencias de copia de seguridad Crear copia de seguridad Por defecto las copias de seguridad se guardan en la tarjeta SD Seleccione una copia de seguridad a restaurar Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones -Habilitar Google Drive -Habilitar exportar a Google Drive -Instale un gestor de archivos para seleccionar archivos +Instale un gestor de archivos para seleccionar archivos Seleccione la copia de seguridad a restaurar Favoritos Abrir… Informes -Transacciones Programadas -Exportar… +Exportar… Ajustes Nombre de usuario Contraseña @@ -331,11 +295,9 @@Activar para enviar información de errores a los desarolladores (recomendado). Este proceso solo recoge información que no permite identificar al usuario Formato -No se encuentra la carpeta de copia de seguridad. Asegurese de que la tarjeta SD esté montada -Introduzca su contraseña antigua +Introduzca su contraseña antigua Introduzca su contraseña nueva -Informes programados -Exportaciones programadas +Exportaciones programadas No hay exportaciones programadas que mostrar Crear programación de exportación Exportado a: %1$s @@ -345,8 +307,7 @@ Este proceso solo recoge información que no permite identificar al usuarioNo hay cuentas favoritasAcciones Programadas "Completada, última ejecución " -Seleccione una barra para ver los detalles -Siguiente +Siguiente Hecho Divisa por defecto Configuración de cuenta @@ -366,9 +327,7 @@ Este proceso solo recoge información que no permite identificar al usuarioCompruebe que los desgloses tengan cantidades válidas antes de guardar.Expresión inválida Programar una transacción recurrente -La tasa de cambio es necesaria -La cantidad convertida es necesaria -Transferir Fondos +Transferir Fondos Seleccione una porción para ver los detalles Periodo: @@ -386,8 +345,7 @@ Este proceso solo recoge información que no permite identificar al usuarioActivoPasivo Acciones -- Mover a: +Mover a: Agrupar por Mes Trimestre @@ -401,8 +359,7 @@ Este proceso solo recoge información que no permite identificar al usuario¡No hay aplicaciones compatibles para recibir las transacciones exportadas!Mover… Duplicar -Presupuestos -Flujo de efectivo +Flujo de efectivo Presupuestos Activar la vista compacta Activar para usar siempre la vista compacta en la lista de transacciones diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index 8104da67d..c6acad36c 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index 5dddc2e74..3da93b9d5 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -454,4 +454,5 @@ No user-identifiable information will be collected as part of this process! Crear cuenta Editar cuenta -Información -Exportar OFX -Añadir una nueva transacción a una cuenta +Añadir una nueva transacción a una cuenta Ver detalles de la cuenta No hay cuentas que mostrar Nombre de la cuenta @@ -36,9 +34,7 @@Importe Nueva transacción No hay transacciones -FECHA & HORA -Cuenta -CARGO +CARGO ABONO Cuentas Transacciones @@ -47,16 +43,13 @@Cancelar Cuenta borrada Confirmar borrado -Todas las transacciones en esta cuenta serán también borradas -Editar Transacción +Editar Transacción Nota -MOVER -%1$d seleccionado +%1$d seleccionado Saldo: Exportar a: Exportar Transacciones -Exportar todas las transacciones -Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones +Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones Error exportando datos %1$s Exportar Borrar las transacciones exportadas @@ -72,8 +65,7 @@Mover Mover %1$d transacción(es) Cuenta Destino -Acceder a la tarjeta SD -No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen +No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen Ajustes generales Acerca de Elegir divisa por defecto @@ -88,24 +80,16 @@Mostrar cuentas Ocultar el saldo de la cuenta en widget Crear Cuentas -Seleccionar cuentas a crear -No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget -Versión de compilación -Licencia +No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget +Licencia Apache License v2.0. Clic para más detalles General Seleccionar Cuenta No hay transacciones disponibles para exportar -Contraseña -Ajustes de contraseña -Contraseña activada -Contraseña desactivada -Cambiar Contraseña +Ajustes de contraseña +Cambiar Contraseña Acerca de Gnucash -Una aplicación de gestión de finanzas y gastos para Android -Acerca de -Archivo %1$s exportado a:\n -Exportación %1$s de Gnucash Android +Exportación %1$s de Gnucash Android Exportación de Gnucash Transacciones Preferencias de transacciones @@ -123,8 +107,7 @@Borrar las transacciones exportadas Correo electrónico para exportar por defecto La dirección de correo electrónico a la que enviar las exportaciones por defecto. Se puede cambiar en cada exportación. -Transferir Cuenta -Todas las transacciones serán transferidas de una cuenta a otra +Todas las transacciones serán transferidas de una cuenta a otra Activar Doble Entrada Saldo Introduzca un nombre de cuenta para crear una cuenta @@ -141,10 +124,7 @@ - Múltiples fallos solucionados y otras mejoras\nCerrar Introduzca un importe para guardar la transacción -Las transacciones multi-divisa so se pueden modificar -Importar cuenta de GnuCash -Importar cuentas -Ocurrió un error al importar las cuentas de GnuCash +Ocurrió un error al importar las cuentas de GnuCash Cuentas de GnuCash importadas con éxito Importas estructura de cuentas exportada desde GnuCash para escritorio Importas cuentas de GnuCash @@ -155,19 +135,16 @@Todas las cuentas han sido borradas con éxito ¿Borrar todas la cuentas y transacciones? \nEsta operación no se puede deshacer. -Tipo de cuenta -Todas las transacciones en todas las cuentas serán borradas +Todas las transacciones en todas las cuentas serán borradas Borrar todas las transacciones Todas las transacciones han sido borradas con éxito Importando cuentas -Toque otra vez para confirmar. ¡Todas las entradas serán borradas! -Transacciones +Transacciones Sub-Cuentas Buscar Formato de exportación por defecto Formato de archivo para usar por defecto al exportar transacciones -Exportar transacciones… -Recurrencia +Recurrencia Descuadre Exportando transacciones @@ -212,10 +189,7 @@Crea una estructura por defecto de cuentas GnuCash comúnmente usadas Crear cuentas por defecto Se abrirá un nuevo libro con las cuentas por defecto\n\nSus cuentas y transacciones actuales no se modificarán. -Transacciones Programadas -¡Bienvenido a GnuCash Android! \nPuede crear una jerarquía de cuentas comúnmente usadas o importar su propia estructura de cuentas GnuCash. \n\nAmbas opciones están disponibles en las opciones de la aplicació por si quiere decidirlo más tarde. - -Transacciones Programadas +Transacciones Programadas Seleccionar destino para exportar Memo Gastar @@ -233,17 +207,14 @@Factura Comprar Vender -Repetir -No hay copias de seguridad recientes -Saldo de apertura +Saldo de apertura Resultado Seleccionar para guardar el saldo actual (antes de borrar las transacciones) como nuevo saldo de apertura despues de borrar las transacciones Guardar saldos de apertura OFX no soporta transacciones de doble entrada Genera archivos QIF individuales por divisa -Desglose de transacción -Descuadre: +Descuadre: Añadir desglose Favorito Cajón de navegación abierto @@ -253,19 +224,16 @@Gráfico de línea Gráfico de barras Preferencias de informe -Seleccionar divisa -Color de la cuenta en los informes +Color de la cuenta en los informes Usar el color de la cuenta en las gráficas de barra y tarta -Informes -Ordenar por tamaño +Ordenar por tamaño Mostrar leyenda Mostrar etiquetas Mostrar porcentaje Mostar lineas de media Agrupar porciones pequeñas Datos del gráfico no disponibles -Total -Total +Total Otros El porcentaje del valor seleccionado calculado sobre la cantidad total El porcentaje del valor seleccionado calculado sobre la cantidad de la barra apilada actual @@ -282,23 +250,19 @@Copia de seguridad Habilitar exportar a DropBox Habilitar exportar a ownCloud -Seleccionar archivo XML GnuCash -Preferencias de copia de seguridad +Preferencias de copia de seguridad Crear copia de seguridad Por defecto las copias de seguridad se guardan en la tarjeta SD Seleccione una copia de seguridad a restaurar Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones -Habilitar Google Drive -Habilitar exportar a Google Drive -Instale un gestor de archivos para seleccionar archivos +Instale un gestor de archivos para seleccionar archivos Seleccione la copia de seguridad a restaurar Favoritos Abrir… Informes -Transacciones Programadas -Exportar… +Exportar… Ajustes Nombre de usuario Contraseña @@ -330,11 +294,9 @@Activar para enviar información de errores a los desarolladores (recomendado). Este proceso solo recoge información que no permite identificar al usuario Formato -No se encuentra la carpeta de copia de seguridad. Asegurese de que la tarjeta SD esté montada -Introduzca su contraseña antigua +Introduzca su contraseña antigua Introduzca su contraseña nueva -Informes programados -Exportaciones programadas +Exportaciones programadas No hay exportaciones programadas que mostrar Crear programación de exportación Exportado a: %1$s @@ -344,8 +306,7 @@ Este proceso solo recoge información que no permite identificar al usuarioNo hay cuentas favoritasAcciones Programadas "Completada, última ejecución " -Seleccione una barra para ver los detalles -Siguiente +Siguiente Hecho Divisa por defecto Configuración de cuenta @@ -365,9 +326,7 @@ Este proceso solo recoge información que no permite identificar al usuarioCompruebe que los desgloses tengan cantidades válidas antes de guardar.Expresión inválida Programar una transacción recurrente -La tasa de cambio es necesaria -La cantidad convertida es necesaria -Transferir Fondos +Transferir Fondos Seleccione una porción para ver los detalles Periodo: @@ -385,8 +344,7 @@ Este proceso solo recoge información que no permite identificar al usuarioActivoPasivo Acciones -- Mover a: +Mover a: Agrupar por Mes Trimestre @@ -400,8 +358,7 @@ Este proceso solo recoge información que no permite identificar al usuario¡No hay aplicaciones compatibles para recibir las transacciones exportadas!Mover… Duplicar -Presupuesto -Flujo de efectivo +Flujo de efectivo Presupuestos Activar la vista compacta Activar para usar siempre la vista compacta en la lista de transacciones diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index 8f1958fea..967f0e666 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml index 8806a9a5f..bdb818c85 100644 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -448,4 +448,5 @@ Luo tili Muokkaa tiliä -Tiedot -Vie… -Lisää uusi tapahtuma tilille +Lisää uusi tapahtuma tilille View account details Ei näytettävissä olevia tilejä Tilin nimi @@ -36,9 +34,7 @@Summa Uusi tapahtuma Ei näytettäviä tapahtumia -DATE & TIME -Tili -VELOITUS +VELOITUS HYVITYS Tilit Tapahtumat @@ -47,16 +43,13 @@Peruuta Tili poistettu Vahvista poistaminen -Kaikki tämän tilin tapahtumat tullaan myös poistamaan -Muokkaa tapahtumaa +Muokkaa tapahtumaa Lisää huomautus -SIIRRÄ -%1$d valittuna +%1$d valittuna Saldo: Export To: Vie tapahtumat -Vie kaikki tapahtumat -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index 3ef2c08fe..eb9438e70 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-lv-rLV/strings.xml b/app/src/main/res/values-lv-rLV/strings.xml index 226c5ad27..3deabdcda 100644 --- a/app/src/main/res/values-lv-rLV/strings.xml +++ b/app/src/main/res/values-lv-rLV/strings.xml @@ -461,4 +461,5 @@ Créer un compte Éditer le compte -Informations -Exporter en OFX -Ajoute une nouvelle transaction à un compte +Ajoute une nouvelle transaction à un compte Voir les détails du compte Aucun compte à afficher Nom du compte @@ -36,9 +34,7 @@Montant Nouvelle transaction Aucune transaction à afficher -DATE & HEURE -Compte -DÉBIT +DÉBIT CRÉDIT Comptes Transactions @@ -47,16 +43,13 @@Annuler Compte supprimé Confirmer la suppression -Toutes les transactions dans ce compte seront aussi supprimées -Éditer la transaction +Éditer la transaction Ajouter note -DÉPLACER -%1$d sélectionné(s) +%1$d sélectionné(s) Solde: Exporter vers: Exporter les transactions -Exporter toutes les transactions -Par défaut, seules les nouvelles transactions depuis le dernier export seront exportées. Cochez cette option pour exporter toutes les transactions +Par défaut, seules les nouvelles transactions depuis le dernier export seront exportées. Cochez cette option pour exporter toutes les transactions Erreur lors de l\'export des données en %1$s Exporter Effacer les transactions après export @@ -72,8 +65,7 @@Déplacer Déplacer %1$d transaction(s) Compte de destination -Accéder à la carte SD -Impossible de déplacer les transactions.\nLe compte de destination utilise une monnaie différente du compte d\'origine +Impossible de déplacer les transactions.\nLe compte de destination utilise une monnaie différente du compte d\'origine Général À propos Choisisez une monnaie par défaut @@ -88,24 +80,16 @@Afficher le compte Cacher le solde du compte dans le widget Créer les comptes -Choisissez les comptes à créer -Aucun compte existant dans GnuCash.\nCréez un compte avant d\'ajouter un widget -Version logiciel -Licence +Aucun compte existant dans GnuCash.\nCréez un compte avant d\'ajouter un widget +Licence Apache License v2.0. Cliquez pour plus de détails Préférences Générales Sélectionner un compte Il n\'existe pas de transaction disponible pour l\'exportation -Code d\'accès -Préférences code d\'accès -Code d\'accès activé -Code d\'accès désactivé -Changer le code d\'accès +Préférences code d\'accès +Changer le code d\'accès À propos de GnuCash -Une application de gestion financière mobile et de suivi des dépenses conçu pour Android -A propos -%1$s fichier exporté vers : \n -Exportation GnuCash Android %1$s +Exportation GnuCash Android %1$s GnuCash Android export de Transactions Préférences des transactions @@ -123,8 +107,7 @@Supprimer les transactions exportées Email d\'export par défaut Email par défaut pour les exports. Vous pourrez toujours le changer lors de votre prochain export. -Transfert de compte -Toutes les transactions seront un transfert d’un compte à un autre +Toutes les transactions seront un transfert d’un compte à un autre Activer la Double entrée Solde Entrer un nom de compte pour créer un compte @@ -137,10 +120,7 @@ -Support pour plusieurs livres comptables différents\n - Ajoute ownCloud comme destination pour les exportations\n - Vue compacte pour la liste de transactions\n - Nouvelle implémentation de l\'écran de verrouillage\n - Traitement amélioré des transactions programmées\n - Plusieurs corrections de bugs et améliorations\nPasser Entrez un montant pour sauvegarder la transaction -Les transactions multi-devises ne peuvent pas être modifiées -Importer des comptes GnuCash -Import de comptes -Une erreur s\'est produite pendant l\'import de vos comptes GnuCash +Une erreur s\'est produite pendant l\'import de vos comptes GnuCash Comptes GnuCash importés avec succès Importer la structure de compte exporté de GnuCash pour Bureau Import XML GnuCash @@ -149,19 +129,16 @@Comptes Tous les comptes ont été supprimés avec succès Êtes-vous sûr de vouloir supprimer tous les comptes et toutes les transactions?\nCette opération est définitive ! -Type de compte -Toutes les transactions sur tous les comptes seront supprimées ! +Toutes les transactions sur tous les comptes seront supprimées ! Supprimer toutes les transactions Toutes les transactions ont été supprimées avec succès ! Importation de comptes -Taper de nouveau pour confirmer. TOUTES les entrées seront supprimées ! -Transactions +Transactions Sous-comptes Rechercher Format d\'export par défaut Format de fichier à utiliser par défaut pour l\'export des transactions -Exporter les transactions… -Récurrence +Récurrence Déséquilibre Exportation des transactions @@ -206,9 +183,7 @@Crée une structure de compte GnuCash par défaut couramment utilisé Crée comptes par défaut Un nouveau livre sera ouvert avec les comptes courants par défaut\n\n Vos comptes et opérations actuels ne seront pas modifiés ! -Transactions planifiées -Bienvenue à GnuCash Android ! \nVous pouvez soit créer une hiérarchie de comptes couramment utilisés, soit importer votre propre structure de compte GnuCash. \n\nLes deux options sont également disponibles dans les paramètres de l’application afin que vous puissiez décider plus tard. -Transactions planifiées +Transactions planifiées Selectionnez une destination pour l\'export Memo Dépenser @@ -226,17 +201,14 @@Facture d\'achat Achat Vente -Répétitions -Aucune sauvegarde récente trouvée -Soldes initiaux +Soldes initiaux Capitaux propres Permet d\'enregistrer le solde du compte courant (avant la suppression des transactions) comme le nouveau solde d\'ouverture après la suppression des transactions Enregistrer les soldes des comptes d\'ouverture OFX ne support pas les transactions à double entrée Génère un fichier QIF par monnaies -Transactions séparées -Déséquilibre : +Déséquilibre : Ajouter scission Favori Panneau de navigation ouvert @@ -246,19 +218,16 @@Graphique linéaire Histogramme Préférences de Rapport -Sélectionnez la monnaie -Couleur du compte dans les rapports +Couleur du compte dans les rapports Utiliser la couleur du compte dans le diagramme bandes/circulaire -Rapports -Tri par taille +Tri par taille Afficher la légende Afficher les libellés Montrer pourcentage Afficher les lignes moyennes Groupe par petites tranches Aucune données de graphe disponible -Global -Total +Total Autre Le pourcentage de la valeur choisie, calculée à partir de la quantité totale Le pourcentage de la valeur choisie, calculée à partir de la quantité depuis le montant de la somme des barres @@ -275,23 +244,19 @@Sauvegarde Activer export vers DropBox Activer export vers owncloud -Selectionner un fichier GnuCash XML -Sauvergarde Préférences +Sauvergarde Préférences Créer Sauvegarde Par défaut les sauvegardes sont sauvegardées sur la carte SD Sélectionner une sauvegarde spécifique à restaurer Sauvegarde réussie Échec de la sauvegarde Exporte tous les comptes et les transactions -Activer Google Drive -Activer export vers Google Drive -Installez un gestionnaire de fichiers pour sélectionner les fichiers +Installez un gestionnaire de fichiers pour sélectionner les fichiers Sélectionnez une sauvegarde à restaurer Favoris Ouvrir… Rapports -Transactions planifiées -Export… +Export… Paramètres Nom d\'utilisateur Mot de passe @@ -322,11 +287,9 @@Activer le rapport de crash Envoyer automatiquement les informations de dysfonctionnement de l’app aux développeurs. Aucune information permettant d\'identifier l\'utilisateur ne sera recueillie dans le cadre de ce processus! Format -Répertoire de sauvegarde non trouvé. Vérifiez la carte SD ! -Entrez votre ancien mot de passe +Entrez votre ancien mot de passe Entrez votre nouveau mot de passe -Exports planifiés -Exports planifiés +Exports planifiés Pas d\'exports planifiés à afficher Créer un export planifié Exporté vers : %1$s @@ -336,8 +299,7 @@Aucun comptes favoris Actions prévues "Fini, dernière exécution le " -Sélectionnez une barre pour afficher les détails -Suivant +Suivant Terminer Monnaie par défaut Configuration du Compte @@ -357,9 +319,7 @@Vérifiez que chaque découpe aient un montant valide avant de sauvgarder! Expression invalide! Transaction planifiée -Un taux de change est requis -Le montant converti est requis -Transfert de Fonds +Transfert de Fonds Sélectionnez une tranche pour voir les détails Période: @@ -377,8 +337,7 @@Actifs Dettes Capitaux propres -- Déplacer vers: +Déplacer vers: Grouper par Mois Trimestre @@ -392,8 +351,7 @@Aucune application compatible pour recevoir les transactions exportées ! Déplacer… Dupliquer -Budgets -Flux de trésorerie +Flux de trésorerie Budgets Activez le mode compact Activez pour toujours utiliser la vue compacte pour la liste des opérations diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index a0ac4bac5..37c931d38 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index 124a7dd82..928a8ba7f 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -442,4 +442,5 @@ Fiók létrehozása Fiók szerkesztése -Információ -Export OFX -Új tranzakció hozzáadása egy fiókhoz +Új tranzakció hozzáadása egy fiókhoz View account details Nincs megjeleníthető fiók Fiók neve @@ -36,9 +34,7 @@Összeg Új tranzakció Nincs megjeleníthető tranzakció -DÁTUM & IDŐ -Fiók -DEBIT +DEBIT CREDIT Fiókok Tranzakicók @@ -47,16 +43,13 @@Mégsem Fiók törölve Törlése megerősítése -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s data Export Delete transactions after export @@ -72,8 +65,7 @@Mozgatás Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash %1$s export +GnuCash %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash accounts @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions? \nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Scheduled Transactions +Scheduled Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Nyitóegyenlegek +Nyitóegyenlegek Saját tőke Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open... Reports -Scheduled Transactions -Export... +Export... Settings User Name Password @@ -337,11 +299,9 @@ No user-identifiable information will be collected as part of this process!Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Scheduled Exports +Scheduled Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -351,8 +311,7 @@ No user-identifiable information will be collected as part of this process!No favorite accounts Scheduled Actions "Ended, last executed on " -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -372,9 +331,7 @@ No user-identifiable information will be collected as part of this process!Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -392,8 +349,7 @@ No user-identifiable information will be collected as part of this process!Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -407,8 +363,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 4fad498c2..14e566634 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index ae7030f60..b5d7e1c9e 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -439,4 +439,5 @@ Buat Akun Ubah Akun -Info -Ekspor… -Tambah transaksi baru ke akun +Tambah transaksi baru ke akun Lihat rincian akun Tidak ada akun untuk ditampilkan Nama akun @@ -36,9 +34,7 @@Jumlah Transaksi baru Tidak ada transaksi untuk ditampilkan -TANGGAL & WAKTU -Akun -DEBIT +DEBIT KREDIT Akun Transaksi @@ -47,16 +43,13 @@Batal Akun dihapus Konfirmasi penghapusan -Semua transaksi dalam akun ini juga akan dihapus -Ubah Transaksi +Ubah Transaksi Tambah catatan -PINDAHKAN -%1$d dipilih +%1$d dipilih Saldo: Ekspor ke: Ekspor Transaksi -Ekspor semua transaksi -Secara default, hanya transaksi baru sejak ekspor terakhir yang akan diekspor. Beri centang pilihan ini untuk mengekspor semua transaksi +Secara default, hanya transaksi baru sejak ekspor terakhir yang akan diekspor. Beri centang pilihan ini untuk mengekspor semua transaksi Kesalahan mengekspor file %1$s Ekspor Hapus transaksi setelah mengekspor @@ -72,8 +65,7 @@Pindahkan Memindah transaksi %1$d Akun Tujuan -Akses SD Card -Tidak bisa memindah transaksi. \n Akun tujuan menggunakan mata uang yang berbeda dengan akun asal +Tidak bisa memindah transaksi. \n Akun tujuan menggunakan mata uang yang berbeda dengan akun asal Umum Tentang Pilih mata uang default @@ -88,24 +80,16 @@Tampilan akun Sembunyikan saldo akun dalam widget Buat akun -Pilih akun untuk dibuat -Tidak ada akun di GnuCash.\nBuat sebuah akun sebelum menambahkan sebuah widget -Build version -Lisensi +Tidak ada akun di GnuCash.\nBuat sebuah akun sebelum menambahkan sebuah widget +Lisensi Lisensi Apache v2.0. Klik untuk rincian Preferensi umum Pilih akun Tidak ada transaksi yang tersedia untuk diekspor -Kode akses -Pengaturan Kode Akses -Kode Akses Diaktifkan -Kode Akses Dimatikan -Ganti Kode Akses +Pengaturan Kode Akses +Ganti Kode Akses Tentang GnuCash -Sebuah manajemen finansial mobile dan pelacak pengeluaran yang didesain untuk Android -Tentang -%1$s file diekspor ke:\n -GnuCash Android %1$s ekspor +GnuCash Android %1$s ekspor GnuCash Android Ekspor dari Transaksi Preferensi Transaksi @@ -123,8 +107,7 @@Hapus transaksi yang diekspor Email ekspor default Alamat email default untuk mengirim ekspor. Anda tetap dapat mengubahnya saat Anda melakukan ekspor. -Akun Transfer -Seluruh transaksi akan menjadi sebuah transfer dari satu akun ke yang lainnya +Seluruh transaksi akan menjadi sebuah transfer dari satu akun ke yang lainnya Aktifkan Double Entry Saldo Tuliskan nama akun untuk membuat sebuah akun @@ -143,10 +126,7 @@Abaikan Tuliskan jumlah untuk menyimpan transaksi -Transaksi multi-mata-uang tidak dapat dimodifikasi -Impor Akum GnuCash -Impor Akun -Terjadi error saat mengimpor akun GnuCash +Terjadi error saat mengimpor akun GnuCash Akun GnuCash berhasil diimpor Mengimpor struktur akun yang telah diekspor dari GnuCash desktop Impor XML GnuCash @@ -157,19 +137,16 @@Akun Semua akun telah berhasil dihapus Apakah Anda yakin Anda ingin menghapus seluruh akun dan transaksi? \n\nOperasi ini tidak dapat dibatalkan! -Jenis Akun -Seluruh transaksi di semua akun akan dihapus! +Seluruh transaksi di semua akun akan dihapus! Hapus seluruh transaksi Seluruh transaksi berhasil dihapus! Mengimpor akun -Tap lagi untuk konfirmasi. SELURUH entri akan dihapus!! -Transaksi +Transaksi Sub-Akun Cari Formart Ekspor Default Format file untuk digunakan secara default ketika mengekspor transaksi -Ekspor transaksi… -Perulangan +Perulangan Tak Seimbang Mengekspor transaksi @@ -213,12 +190,7 @@Buat struktur akun yang paling sering digunakan di GnuCash secara default Buat akun default A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transaksi Terjadwal -Selamat datang di GnuCash Android! \nAnda dapat mwmbuat - hierarki akun yang sering banyak digunakan, atau impor struktur akun GnuCash Anda. \n\nKedua pilihan tersebut juga - tersedia di bagian pengaturan aplikasi sehingga Anda dapat memutuskannya nanti. - -Transaksi +Transaksi Pilih tujuan untuk ekspor Memo Mengeluarkan @@ -236,16 +208,13 @@Invoice Beli Jual -Mengulangi -Tidak ada cadangan terbaru -Saldo Awal +Saldo Awal Ekuitas Aktifkan untuk menyimpan saldo akun (sebelum menghapus transaksi) sebagai saldo pembukaan setelah menghapus traksaksi Simpan saldo pembukaan akun OFX tidak mendukung transaksi double-entry Menghasilkan file QIF terpisah per mata uang -Transaction splits -Tidak seimbang: +Tidak seimbang: Add split Favorit Navigation drawer opened @@ -255,19 +224,16 @@Bagan Garis Bagan Batang Pengaturan Laporan -Pilih mata uang -Warna akun dalam laporan +Warna akun dalam laporan Gunakan warna akun di bagan batang/pai -Laporan -Urut berdasarkan ukuran +Urut berdasarkan ukuran Tampilkan legenda Tampilkan label Tampilkan persentase Tampilkan garis rata-rata Group Smaller Slices Tidak ada data bagan tersedia -Keseluruhan -Total +Total Lainnya Persentase nilai yang dipilih dihitung dari jumlah total Persentase dari nilai yang dipilih dihitung dari jumlah batang yang ditumpuk saat ini @@ -284,23 +250,19 @@Cadangan Aktifkan mengekspor ke DropBox Aktifkan mengekspor ke ownCloud -Pilih file XML GnuCash -Pengaturan Cadangan +Pengaturan Cadangan Membuat Cadangan Secara default backup disimpan ke SDCARD Pilih cadangan untuk dipulihkan Pencadangan berhasil Pencadangan gagal Ekspor seluruh akun dan transaksi -Aktifkan Google Drive -Aktifkan ekspor ke Google Drive -Install sebuah file manager untuk memilih file +Install sebuah file manager untuk memilih file Pilih backup untuk di-restore Favorit Buka… Laporan -Transaksi Terjadwal -Ekspor… +Ekspor… Pengaturan Nama Pengguna Kata Sandi @@ -327,11 +289,9 @@Aktifkan Pencatatan Kerusakan Mengirim informasi secara otomatis tentang malfungsi aplikasi ke pengembang. Format -Folder backup tidak dapat ditemukan. Pastikan SD Card di-mount! -Masukkan kode akses lama Anda +Masukkan kode akses lama Anda Masukkan kode akses baru Anda -Ekspor Terjadwal -Ekspor +Ekspor Tidak ada ekspor terjadwal untuk ditampilkan Membuat jadwal ekspor Telah diekspor ke: %1$s @@ -341,8 +301,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -362,9 +321,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -382,8 +339,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -397,8 +353,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index ba8f3c99b..03b07fa81 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index 7337ae4ea..2dd55c1a7 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -469,4 +469,5 @@ Crea conto Modifica conto -Informazioni -Esporta… -Aggiungi una nuova transazione al conto +Aggiungi una nuova transazione al conto Visualizza i dettagli dell\'account Nessun conto da visualizzare Nome conto @@ -36,9 +34,7 @@Importo Nuova transazione Nessuna transazione da visualizzare -DATA & ORA -Conto -DEBITO +DEBITO CREDITO Conti Transazioni @@ -47,16 +43,13 @@Annulla Conto eliminato Conferma eliminazione -Verranno eliminate anche tutte le transazioni in questo conto -Modifica transazione +Modifica transazione Aggiungi nota -SPOSTA -%1$d selezionate +%1$d selezionate Bilancio: Esporta su: Esporta transazioni -Esporta tutte le transazioni -Per impostazione predefinita, verranno esportate solo le transazioni dall\'ultima esportazione. Selezionare questa opzione per esportare tutte le transazioni +Per impostazione predefinita, verranno esportate solo le transazioni dall\'ultima esportazione. Selezionare questa opzione per esportare tutte le transazioni Errore nell\'esportazione del file %1$s Esporta Elimina le transazioni dopo l\'esportazione @@ -72,8 +65,7 @@Sposta Sposta %1$d transazioni Conto di destinazione -Accedi alla scheda SD -Impossibile spostare le transazioni.\nIl conto di destinazione ha una valuta diversa dal conto di origine +Impossibile spostare le transazioni.\nIl conto di destinazione ha una valuta diversa dal conto di origine Generali Informazioni Scegli valuta predefinita @@ -88,24 +80,16 @@Visualizza conto Nascondi il saldo del conto nel widget Crea conti -Selezione dei conti da creare -Non esiste alcun conto in GnuCash.\nCreare un conto prima di aggiungere il widget -Versione build -Licenza +Non esiste alcun conto in GnuCash.\nCreare un conto prima di aggiungere il widget +Licenza Apache License v2.0. Fare clic per i dettagli Preferenze generali Seleziona conto Non sono disponibili transazioni da esportare -Codice di accesso -Preferenze codice di accesso -Codice di accesso attivo -Codice di accesso disattivato -Cambia codice di accesso +Preferenze codice di accesso +Cambia codice di accesso Informazioni su GnuCash -La gestione finanziaria in mobilità e un traccia-spese progettato per Android -Informazioni -File %1$s esportato in:\n -Esportazione %1$s di GnuCash per Android +Esportazione %1$s di GnuCash per Android Esportazione di GnuCash per Android da Transazioni Preferenze transazione @@ -123,8 +107,7 @@Elimina le transazioni esportate Email predefinita di esportazione L\'indirizzo email predefinito a cui inviare i file esportati. È comunque possibile modificare l\'indirizzo quando si esporta. -Conto di trasferimento -Tutte le transazioni consisteranno in un trasferimento di denaro da un conto a un altro +Tutte le transazioni consisteranno in un trasferimento di denaro da un conto a un altro Abilita partita doppia Saldo Inserire un nome per creare il conto @@ -143,10 +126,7 @@Chiudi Inserire un importo per salvare la transazione -Non è possibile modificare le transazioni multi-valuta -Importa conti di GnuCash -Importa conti -Si è verificato un errore nell\'importare i conti di GnuCash +Si è verificato un errore nell\'importare i conti di GnuCash I conti di GnuCash sono stati importati correttamente Importa una struttura dei conti esportata da GnuCash per desktop Importa XML di GnuCash @@ -156,19 +136,16 @@Conti Tutti i conti sono stati eliminati con successo Eliminare davvero tutti i conti e le transazioni?\n\nQuesta operazione non può essere annullata! -Tipo di conto -Verranno eliminate tutte le transazioni in tutti i conti! +Verranno eliminate tutte le transazioni in tutti i conti! Elimina tutte le transazioni Tutte le transazioni sono state eliminate con successo! Importazione dei conti -Premere di nuovo per confermare. Tutti gli elementi verranno rimossi!! -Transazioni +Transazioni Sotto-conti Cerca Formato predefinito di esportazione Formato di file predefinito da utilizzare per l\'esportazione delle transazioni -Esporta transazioni… -Ripetizione +Ripetizione Sbilancio Esportazione transazioni in corso @@ -213,12 +190,7 @@Crea la struttura predefinita di GnuCash dei conti comunemente utilizzati Crea conti predefiniti Verrà aperto un nuovo libro con i conti predefiniti.\n\nI conti e le transazioni correnti non verranno modificate! -Transazioni pianificate -Benvenuti in GnuCash per Android! \nÈ possibile - creare una struttura dei conti più comunemente utilizzati o importare la propria struttura da GnuCash. \n\nEntrambe le - opzioni sono disponibili nelle impostazioni dell\'applicazione ed è quindi possibile decidere in seguito. - -Transazioni +Transazioni Seleziona la destinazione per l\'esportazione Promemoria Spendere @@ -236,17 +208,14 @@Fattura Compra Vendi -Ripetizioni -Nessun backup recente trovato -Bilanci d\'apertura +Bilanci d\'apertura Capitali Attiva l\'opzione per salvare il bilancio corrente di un conto (prima di eliminare le transazioni) come nuovo bilancio di apertura dopo l\'eliminazione delle transazioni Salva bilanci di apertura dei conti OFX non supporta le transazioni a partita doppia Genera file QIF separati per ogni valuta -Suddividi transazione -Sbilancio: +Sbilancio: Aggiungi suddivisione Preferito Menu laterale aperto @@ -256,19 +225,16 @@Grafico a linee Grafico a barre Preferenze resoconto -Seleziona la valuta -Colore del conto nei resoconti +Colore del conto nei resoconti Usa il colore del conto nei grafici a barre e nei grafici a torta -Resoconti -Ordina per dimensione +Ordina per dimensione Mostra legenda Mostra etichette Mostra percentuale Mostra linee della media Raggruppa fette più piccole Dati del grafico non disponibili -Totale -Totale +Totale Altro La percentuale del valore selezionato, calcolata a partire dall\'importo totale La percentuale del valore selezionato, calcolata a partire dall\'importo della barra corrente @@ -285,23 +251,19 @@Backup Attiva l\'esportazione su DropBox Attiva l\'esportazione su ownCloud -Seleziona un file XML di GnuCash -Preferenze di backup +Preferenze di backup Crea backup Per impostazione predefinita, i backup vengono salvati nella scheda SD Selezionare un backup specifico da ripristinare Backup riuscito Backup non riuscito Esporta tutti i conti e tutte le transazioni -Abilita Google Drive -Attiva l\'esportazione su Google Drive -Installa un file manager per selezionare i file +Installa un file manager per selezionare i file Seleziona il backup da ripristinare Preferiti Apri… Resoconti -Transazioni pianificate -Esporta… +Esporta… Impostazioni Nome utente Password @@ -332,11 +294,9 @@Attiva la registrazione dei crash Invia automaticamente delle informazioni sul malfunzionamento dell\'app agli sviluppatori. Formato -Impossibile trovare la cartella di backup. Assicurati che la scheda SD sia montata! -Inserisci il vecchio codice di accesso +Inserisci il vecchio codice di accesso Inserisci il nuovo codice di accesso -Esportazioni pianificate -Esportazioni +Esportazioni Nessuna esportazione pianificata da visualizzare Crea una esportazione pianificata Esportato su: %1$s @@ -346,8 +306,7 @@Nessun conto preferito Azioni pianificate "Terminata, ultima esecuzione il %1$s" -Seleziona una barra per vedere i dettagli -Avanti +Avanti Fatto Valuta predefinita Impostazione conti @@ -367,9 +326,7 @@Controlla che tutte le suddivisioni abbiano degli importi validi prima di salvare! Espressione non valida! Transazioni ricorrenti pianificate -Il tasso di cambio è obbligatorio -L\'importo convertito è obbligatorio -Trasferisci fondi +Trasferisci fondi Seleziona una fetta per vedere i dettagli Periodo: @@ -387,8 +344,7 @@Attività Passività Capitali -- Sposta in: +Sposta in: Raggruppa per Mese Trimestre @@ -402,8 +358,7 @@Nessuna app compatibile con la ricezione delle transazioni esportate! Sposta… Duplica -Bilanci -Flusso di liquidi +Flusso di liquidi Bilanci Attiva visualizzazione compatta Attiva per visualizzare sempre la lista delle transazioni in forma compatta diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index 4d38e6933..a27bad6ec 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 8ed537e6f..421590559 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -450,4 +450,5 @@ Create Account ערוך חשבון -פרטים -ייצוא… -הוספת העברה כספים לחשבון +הוספת העברה כספים לחשבון View account details אין חשבונות לתצוגה שם חשבון @@ -36,9 +34,7 @@סכום העברה חדשה אין העברות להציג -DATE & TIME -חשבון -חוב +חוב אשראי חשבונות העברות @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@העבר Move %1$d transaction(s) חשבון יעד -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General אודות בחר מטבע ברירת מחדל @@ -88,24 +80,16 @@הצג חשבון Hide account balance in widget צור חשבונות -בחר חשבונות ליצור -לא קיימים חשבונות ב- GnuCassh.\n צור חשבון לפני הוספת widget -גרסת Build -רישיון +לא קיימים חשבונות ב- GnuCassh.\n צור חשבון לפני הוספת widget +רישיון רישיון אפאצ\'י v 2.0. לחץ לפרטים העדפות כלליות בחר חשבון אין תנועות זמינות לייצא -קוד הגישה -העדפות קוד גישה -קוד גישה מופעל -קוד גישה כבוי -שנה את קוד הגישה +העדפות קוד גישה +שנה את קוד הגישה אודות GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -218,12 +195,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -241,17 +213,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -261,19 +230,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -290,23 +256,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -345,11 +307,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -359,8 +319,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -380,9 +339,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -400,8 +357,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -415,8 +371,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 54c276626..55e93e55c 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 4bdb19463..e768900fa 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -442,4 +442,5 @@ 勘定を作成 勘定の編集 -情報 -エクスポート… -新規の取引を入力 +新規の取引を入力 勘定の詳細を表示 表示する勘定科目がありません 勘定科目名 @@ -36,9 +34,7 @@合計 新規取引 表示する取引がありません -日付と時刻 -アカウント -現金 +現金 掛け(後払い) 勘定科目 取引 @@ -47,16 +43,13 @@キャンセル アカウントは削除されました 削除する -この勘定科目内のすべての取引も削除されます -取引を変更 +取引を変更 メモ -移動 -%1$d を選択 +%1$d を選択 貸借バランス: エクスポート先: 取引のエクスポート -すべての取引のエクスポート -デフォルトでは前回エクスポートされた取引より新しいものがエクスポートされます。すべての取引をエクスポートするにはチェックしてください +デフォルトでは前回エクスポートされた取引より新しいものがエクスポートされます。すべての取引をエクスポートするにはチェックしてください エクスポートエラー(%1$s) エクスポート エクスポート後に取引を削除する @@ -72,8 +65,7 @@移動 %1$d件の取引を移動 あて先の費目 -SDカードから開く -取引を移動できません。\nあて先の費目は通貨が異なっています +取引を移動できません。\nあて先の費目は通貨が異なっています 一般設定 このソフトについて デフォルトの通貨を選択 @@ -88,24 +80,16 @@勘定科目を表示 勘定残高を非表示 勘定科目を作成 -作成する勘定科目を選択 -GnuCashに勘定科目が存在しません。\nウィジェットを追加する前に勘定科目を作成してください -ビルドバージョン -ライセンス +GnuCashに勘定科目が存在しません。\nウィジェットを追加する前に勘定科目を作成してください +ライセンス Apacheライセンスv2.0. 詳細を確認するにはクリックしてください 一般設定 アカウントを選択 エクスポート可能な取引がありません -パスコード -パスコードの設定 -パスコードを有効にする -パスコードを無効にする -パスコードを変更する +パスコードの設定 +パスコードを変更する GnuCashについて -アンドロイド向けモバイル会計&支出管理アプリ -このソフトについて -%1$s件のファイルを以下にエクスポートします:\n -GnuCash Android %1$s エクスポート +GnuCash Android %1$s エクスポート GnuCash Android のエクスポート 取引 取引の設定 @@ -123,8 +107,7 @@エクスポートした取引を削除する デフォルトのエクスポート先メールアドレス エクスポートした際にデフォルトで連絡するメールアドレス(エクスポート時にも変更できます) -振込先 -すべての取引は勘定科目別に転送されます +すべての取引は勘定科目別に転送されます 複式簿記を有効にする 貸借バランス 作成する勘定科目の名前を入力してください @@ -142,10 +125,7 @@ - 複数のバグの修正と改良\n消去 取引を保存するには金額の入力が必要です -多通貨の取引は変更できません -GnuCashの勘定科目をインポートする -勘定科目をインポートする -GnuCashの勘定科目をインポート中にエラーが発生しました。 +GnuCashの勘定科目をインポート中にエラーが発生しました。 GnuCashの費目のインポートが成功しました。 デスクトップ版のGnuCashからエクスポートされた勘定科目の構成をインポートする GnuCachからXML形式でインポートする @@ -154,19 +134,16 @@費目 すべての費目が削除されました 本当にすべての費目と取引を削除しますか?\n\nこの処理は取り消せません! -費目の種類 -すべての取引と費目が削除されます! +すべての取引と費目が削除されます! すべての取引を削除する すべての取引が完全に削除されました 費目のインポート -もう一度タップすると実行されます。すべての入力が削除されます! -取引 +取引 補助科目 検索 既定のエクスポートフォーマット 取引のエクスポート時に既定とするファイル形式 -取引をエクスポートする... -繰り返し +繰り返し 不均衡 取引のエクスポート @@ -210,11 +187,7 @@一般的に使用されるデフォルトの GnuCash 勘定科目構成を作成します デフォルトの勘定科目を作成 デフォルトの勘定で新しい帳簿が開かれて\n\n現在の勘定と取引は変更されません! -予定の取引 -GnuCash Android へようこそ!\n -一般的に使用される勘定科目の階層を作成することも、独自の GnuCash 勘定科目構成をインポートすることもできます。\n\n -アプリの設定でどちらのオプションも利用できるので、後で決めることができます。 -取引 +取引 エクスポート先を選択 メモ 消費 @@ -232,16 +205,13 @@納品書 購入 販売 -繰り返し -最近のバックアップが見つかりません -期首残高 +期首残高 資本 取引を削除した後、新しい期首残高として (取引を削除する前の) 現在の帳簿残高を保存するようにします 勘定の期首残高を保存 OFX は複式簿記の取引をサポートしていません 通貨ごとに個別の QIF ファイルを生成します -取引の分割 -不均衡: +不均衡: 分割を追加 お気に入り ナビゲーション ドロワーを開きました @@ -251,19 +221,16 @@線グラフ 棒グラフ レポート設定 -通貨を選択 -レポートの勘定科目の色 +レポートの勘定科目の色 棒/円グラフに勘定科目の色を使用します -レポート -サイズ順 +サイズ順 凡例を表示 ラベルを表示 割合を表示 平均線を表示 小さい断片はグループ化する グラフのデータがありません -全体 -合計 +合計 その他 選択した値の割合は、合計金額から計算されます 選択された値の割合は、現在の棒グラフを積み上げた金額から計算されます @@ -280,23 +247,19 @@バックアップ DropBox へのエクスポートを有効にします ownCloud へのエクスポートを有効にします -GnuCash XML ファイルを選択 -バックアップ設定 +バックアップ設定 バックアップを作成 デフォルトでは、バックアップは SD カードに保存されます 復元する特定のバックアップを選択してください バックアップに成功しました バックアップに失敗しました すべての勘定と取引をエクスポートします -Google ドライブを有効にする -Google ドライブへのエクスポートを有効にします -ファイルを選択するために、ファイル マネージャーをインストールします +ファイルを選択するために、ファイル マネージャーをインストールします 復元するバックアップを選択 お気に入り 開く… レポート -予定の取引 -エクスポート… +エクスポート… 設定 ユーザー名 パスワード @@ -323,11 +286,9 @@クラッシュ ログを有効する アプリの異常に関する情報を自動的に開発者に送信します。 フォーマット -バックアップ フォルダーが見つかりません。SD カードがマウントされていることを確認してください! -古いパスコードを入力 +古いパスコードを入力 新しいパスコードを入力 -予定のエクスポート -エクスポート +エクスポート 表示する予定のエクスポートはありません エクスポートの予定を作成 エクスポートしました: %1$s @@ -337,8 +298,7 @@お気に入りの勘定科目はありません 予定のアクション "終了。最後の実行 %1$s" -詳細を表示するバーを選択 -次へ +次へ 完了 デフォルトの通貨 勘定科目のセットアップ @@ -358,9 +318,7 @@保存する前に、すべての分割の金額が正しいことを確認してください! 式が正しくありません! 予定の繰り返し取引 -為替レートが必要です -換算後の金額が必要です -資金を移動 +資金を移動 詳細を表示するスライスを選択 期間: @@ -378,8 +336,7 @@資産 負債 資本 -- 移動先: +移動先: グループ化 月 四半期 @@ -393,8 +350,7 @@エクスポートされた取引を受け取る、互換性のあるアプリがありません! 移動… 複製 -予算 -キャッシュフロー +キャッシュフロー 予算 コンパクト表示を有効にする 取引リストで常にコンパクト表示を使用します diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index c74d826dd..9ac8d6573 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index 2f13dda69..6fb7cee73 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -455,4 +455,5 @@ No user-identifiable information will be collected as part of this process! 계정 만들기 계정 편집 -정보 -내보내기... -계정에 새 거래 추가 +계정에 새 거래 추가 View account details 계정 없음 계정 이름 @@ -36,9 +34,7 @@금액 새 거래 표시할 거래가 없습니다. -날짜 및 시간 -계정 -현금 +현금 신용 계정 거래 @@ -47,16 +43,13 @@취소 계정이 삭제되었습니다. 삭제 확인 -이 계정의 모든 거래내역도 삭제됩니다 -거래내역 편집 +거래내역 편집 메모 추가 -이동 -%1$d건 선택됨 +%1$d건 선택됨 잔액: 내보낼 위치: 거래내역 내보내기 -모든 거래내역 내보내기 -기본적으로 마지막 내보내기 이후에 생성된 거래내역만 내보내집니다. 모든 거래내역을 내보내려면 체크하세요. +기본적으로 마지막 내보내기 이후에 생성된 거래내역만 내보내집니다. 모든 거래내역을 내보내려면 체크하세요. %1$s 파일을 내보내는 중 오류가 발생했습니다. 내보내기 내보내기 후 거래내역 삭제 @@ -72,8 +65,7 @@이동 %1$d개 거래내역 이동 대상 계정 -SD 카드에 접근 -거래내역을 이동할 수 없습니다. \n대상 계정과 원 계정의 통화가 다릅니다. +거래내역을 이동할 수 없습니다. \n대상 계정과 원 계정의 통화가 다릅니다. 일반 소개 기본 통화 선택 @@ -88,24 +80,16 @@계정 표시 Hide account balance in widget 계정 만들기 -만들 계정을 선택합니다 -GnuCash에 계정이 없습니다.\n위젯을 만들기 전에 계정을 생성하십시오 -빌드 버전 -약관 +GnuCash에 계정이 없습니다.\n위젯을 만들기 전에 계정을 생성하십시오 +약관 아파치 라이선스 v 2.0. 클릭하여 상세 정보 확인 일반 설정 계정 선택 내보낼 거래내역이 없습니다 -암호 -암호 설정 -암호 사용중 -암호 미사용 -암호 변경 +암호 설정 +암호 변경 GnuCash 정보 -안드로이드용 금융 및 지출관리 앱 -애플리케이션 정보 -%1$s 파일을 다음에 내보냄:\n -안드로이드용 GnuCash %1$s 내보내기 +안드로이드용 GnuCash %1$s 내보내기 안드로이드용 GnuCash에서 내보냄. 날짜: 거래 거래 설정 @@ -123,8 +107,7 @@내보낸 거래내역 삭제 기본 내보내기 이메일 내보내는 파일을 보낼 기본 이메일 주소입니다. 내보낼 때에 다시 선택할 수 있습니다. -보낼 계정 -모든 거래는 하나의 계정에서 다른 계정으로의 이동의 형식으로 이루어질 것입니다 +모든 거래는 하나의 계정에서 다른 계정으로의 이동의 형식으로 이루어질 것입니다 복식부기 활성화 잔액 만들 계정의 이름을 입력하세요 @@ -143,10 +126,7 @@닫기 거래기록에 저장할 금액을 입력해 주세요 -다중 통화 거래는 수정할 수 없습니다. -GnuCash 계정 가져오기 -계정 가져오기 -GnuCash 계정을 가져오는 동안 오류가 발생했습니다. +GnuCash 계정을 가져오는 동안 오류가 발생했습니다. GnuCash 계정을 가져왔습니다 데스크톱용 GnuCash프로그램에서 내보낸 계정 구조를 가져옵니다. GnuCash XML파일 가져오기 @@ -157,19 +137,16 @@정말로 모든 거래내역을 삭제할까요?\n\n삭제후에는 되돌릴 수 없습니다! -계정 유형 -모든 계정의 모든 거래내역이 삭제됩니다! +모든 계정의 모든 거래내역이 삭제됩니다! 모든 거래내역 삭제 모든 거래내역을 삭제하였습니다! 계정 가져오기 -확인을 위해 다시 한번 탭해주세요. 모든 항목이 삭제됩니다!! -거래내역 +거래내역 하위 계정 검색 기본 내보내기 형식 내보낼 때 기본적으로 사용할 파일 형식 -거래내역 내보내기… -반복거래 +반복거래 불균형 거래내역을 내보내고 있습니다 @@ -213,9 +190,7 @@GnuCash에서 일반적으로 사용되는 기본 계정구조를 생성합니다. 기본 계정을 생성합니다 A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -예약거래 -안드로이드용 GnuCash 사용을 환영합니다! \n일반적으로 사용되는 계정 구조를 만들거나, 이전에 사용하던 GnuCash 계정구조를 가져올 수 있습니다. \n\n지금 결정하지 않아도 나중에 설정 메뉴에 들어가서 정할 수 있습니다. -거래내역 +거래내역 내보낼 곳 선택 메모 지출 @@ -233,16 +208,13 @@납품서 구매 판매 -반복 -최근 백업 없음 -최초 잔고 +최초 잔고 자본 거래내역을 지우기 전의 잔고를 새로운 초기잔고로 사용합니다. 계정 초기잔고를 저장합니다 OFX 형식으로는 복식부기 거래내역을 저장할 수 없습니다 통화마다 각각 QIF 파일 생성 -거래내역 분할 -불균형: +불균형: 분할 추가 즐겨찾기 Navigation drawer opened @@ -252,19 +224,16 @@꺾은선형 차트 막대 차트 보고서 설정 -통화 선택 -보고서에 사용될 계정 색상 +보고서에 사용될 계정 색상 막대/원형 차트에서 계정별 색상 사용 -보고서 -크기순 +크기순 범례 보기 레이블 표시 비율 표시 평균선 표시 작은 슬라이스를 묶어서 표시 차트 데이터가 없습니다 -전체 -합계 +합계 기타 선택한 부분의 총액대비 비율 The percentage of selected value calculated from the current stacked bar amount @@ -281,23 +250,19 @@백업 DropBox에 내보내기 사용 ownCloud에 내보내기 사용 -GnuCash XML파일을 선택해 주세요 -백업 설정 +백업 설정 백업 만들기 기본적으로 백업은 SD카드에 저장됩니다 복원할 백업을 선택해 주세요 백업되었습니다 백업에 실패했습니다 모든 계정 및 거래내역 내보내기 -구글 드라이브 사용 -구글 드라이브에 내보내기 활성화 -파일을 선택할수 있게 파일 관리자를 설치합니다 +파일을 선택할수 있게 파일 관리자를 설치합니다 복원할 백업파일을 선택해 주세요 즐겨찾기 열기... 보고서 -예약거래 -내보내기... +내보내기... 설정 사용자 이름 비밀번호 @@ -324,11 +289,9 @@비정상 종료시 로그함 앱 비정상 작동시 개발자들에게 자동으로 관련 정보를 보냅니다. 내보낼 형식 -백업 폴더를 찾을 수 없습니다. SD카드가 장착되어 있는지 확인해 주세요. -이전 암호 +이전 암호 새 암호 -예약된 내보내기 -내보내기 +내보내기 예약된 내보내기가 없습니다 내보내기 예약을 생성합니다 다음에 저장됨: %1$s @@ -338,8 +301,7 @@즐겨찾기에 등록된 계정 없음 예약된 작업 "완료, 마지막으로 %1$s에 실행" -세부정보를 확인하려면 막대를 선택하세요 -다음 +다음 완료 기본 통화 계정 설정 @@ -359,9 +321,7 @@Check that all splits have valid amounts before saving! 식이 맞지 않습니다! 예약된 반복 거래 -환율이 필요합니다 -변환된 금액이 필요합니다 -자금을 이동 +자금을 이동 Select a slice to see details 기간: @@ -379,8 +339,7 @@자산 부채 자본 -- 이동할 곳: +이동할 곳: Group By 월 분기 @@ -394,8 +353,7 @@내보낸 거래내역을 받을 앱이 없습니다 이동... 중복 -예산 -현금흐름 +현금흐름 예산 간단히 표시하기 항상 거래내역을 간단히 표시합니다 diff --git a/app/src/main/res/values-lv-rLV/strings.xml b/app/src/main/res/values-lv-rLV/strings.xml index 14e900f06..9580c8008 100644 --- a/app/src/main/res/values-lv-rLV/strings.xml +++ b/app/src/main/res/values-lv-rLV/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index 7b7e42b39..9dc4fdc26 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -449,4 +449,5 @@ Create Account Edit Account -Info -Export… -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -36,9 +34,7 @@Amount New transaction No transactions to display -DATE & TIME -Account -DEBIT +DEBIT CREDIT Accounts Transactions @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -217,12 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -240,17 +212,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -260,19 +229,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -289,23 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -340,11 +302,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -354,8 +314,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -375,9 +334,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -395,8 +352,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -410,8 +366,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml index c6751e20c..41ba61e24 100644 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index bf8d3ba43..202c16fd2 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -19,7 +19,7 @@ Opprett konto Rediger konto -Informasjon -Eksport... -Legge til en ny transaksjon i en konto +Legge til en ny transaksjon i en konto Vis kontoinformasjon Ingen kontoer for å vise Kontonavn @@ -36,9 +34,7 @@Beløp Ny transaksjon Ingen transaksjoner å vise -DATO & TID -Konto -DEBET +DEBET KREDIT Kontoer Transaksjoner @@ -47,16 +43,13 @@Avbryt Konto slettet Bekreft sletting -Alle transaksjoner i denne kontoen vil også slettes -Redigere transaksjonen +Redigere transaksjonen Legg til notat -FLYTT -%1$d valgt +%1$d valgt Saldo: Eksporter til: Eksport av transaksjoner -Eksportere alle transaksjoner -Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner +Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner Feil ved eksport av %1$s Eksporter Slett transaksjoner etter eksport @@ -72,8 +65,7 @@Flytt Flytt %1$d transaksjon(er) Målkonto -Aksesser SD-kort -Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto +Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto Generelt Om Velg standardvaluta @@ -88,24 +80,16 @@Vis konto Skjul saldo i widget Opprett konto -Velg kontoer å opprette -Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget -Byggversjon -Lisens +Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget +Lisens Apache Lisens v2.0. Klikk for mer informasjon Generelle innstillinger Velg konto Det finnes ingen transaksjoner som er tilgjengelige for eksport -Passord -Passordpreferanser -Passord aktivert -Passord deaktivert -Endre passord +Passordpreferanser +Endre passord Om GnuCash -En mobil økonomistyrer og utgiftsfører laget for Android -Om -%1$s filen er eksportert til: \n -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport fra Transaksjoner Transaksjonsinnstillinger @@ -123,8 +107,7 @@Slett eksporterte transaksjoner Standard eksport e-post Standard postadresse å sende eksporter til. Du kan endre dette når du eksporterer. -Overføringskonto -Alle transaksjoner blir en overføring fra en konto til en annen +Alle transaksjoner blir en overføring fra en konto til en annen Aktiver dobbel bokføring Balanse Angi kontonavn for å opprette en konto @@ -143,10 +126,7 @@Avvis Angi et beløp for å lagre transaksjonen -Multi-valutatransaksjoner kan ikke endres -Importere GnuCash kontoer -Importere kontoer -Det oppstod en feil under import av GnuCash kontoene +Det oppstod en feil under import av GnuCash kontoene GnuCash kontoer importert Importere kontostrukturen eksportert fra GnuCash desktop Importere GnuCash XML @@ -155,19 +135,16 @@Kontoer Alle kontoer ble slettet Er du sikker på at du vil slette alle kontoer og transaksjoner? \n\nDenne operasjonen kan ikke angres! -Kontotype -Alle transaksjoner i alle kontoer vil bli slettet! +Alle transaksjoner i alle kontoer vil bli slettet! Slett alle transaksjoner Alle transaksjoner slettet! Importere kontoer -Trykk igjen for å bekrefte. ALLE oppføringene slettes!! -Transaksjoner +Transaksjoner Underkontoer Søk Standard eksportformat Filformat som skal brukes som standard når du eksporterer transaksjoner -Eksporter transaksjoner… -Gjentakelse +Gjentakelse Ubalanse Eksportere transaksjoner @@ -212,9 +189,7 @@Oppretter standard GnuCash kontostruktur Opprette standardkontoer En ny bok åpnes med standard accounts\n\nYour gjeldende kontoer og transaksjoner vil ikke bli endret! -Planlagte transaksjoner -Velkommen til GnuCash Android! \nDu kan enten opprette et hierarki av brukte kontoer, eller importere din egen GnuCash kontostruktur. \n\nBegge alternativer er også tilgjengelige i app innstillinger så du kan velge senere. -Transaksjoner +Transaksjoner Velg sted for eksport Notat Bruke @@ -232,16 +207,13 @@Faktura Kjøp Selg -Gjentar -Ingen nylig sikkerhetskopi funnet -Åpningssaldoer +Åpningssaldoer Egenkapital Aktiver lagring av den gjeldende saldoen (før sletting av transaksjoner) som ny startsaldo etter sletting av transaksjoner Lagre konto startsaldoer OFX støtter ikke dobbeltoppføringstransaksjoner Genererer separate QIF filer per valuta -Transaksjonssplitter -Ubalanse: +Ubalanse: Legge til splitt Favoritt Navigasjonskuffen åpnet @@ -251,19 +223,16 @@Linjediagram Stolpediagram Rapportinnstillinger -Velg valuta -Kontofarge i rapporter +Kontofarge i rapporter Bruke kontofargen i søyle/sektordiagrammet -Rapporter -Sorter etter størrelse +Sorter etter størrelse Vis forklaring Vis etiketter Vis prosent Viser gjennomsnittslinjer Grupper mindre deler Ingen diagramdata tilgjengelig -Total -Totalt +Totalt Andre Prosentandelen av valgte verdien beregnet ut i fra totalbeløpet Prosentandelen av valgte verdien beregnet ut i fra gjeldende stacked bar amount @@ -280,23 +249,19 @@Sikkerhetskopiering Aktiver eksportering til DropBox Aktiver eksport til ownCloud -Velg GnuCash XML-fil -Innstillinger for sikkerhetskopiering +Innstillinger for sikkerhetskopiering Opprett sikkerhetskopi Som standard lagres sikkerhetskopier på SD minne-kortet Velg en bestemt backup å gjenopprette Sikkerhetskopiering vellykket Sikkerhetskopiering mislyktes Eksporterer alle kontoer og transaksjoner -Aktiver Google Drive -Aktiver eksportering til Google Drive -Installer en filbehandler for å velge filer +Installer en filbehandler for å velge filer Velg sikkerhetskopien som skal gjenopprettes Favoritter Åpne… Rapporter -Planlagte transaksjoner -Eksport… +Eksport… Innstillinger Brukernavn Passord @@ -327,11 +292,9 @@Aktiver Logging av feil Send automatisk informasjon om feil på app til utviklerne. Format -Finner ikke sikkerhetskopimappen. Kontroller at SD-kortet er montert! -Angi ditt gamle passord +Angi ditt gamle passord Skriv inn ditt nye passord -Planlagte eksporteringer -Eksporter +Eksporter Ingen planlagte eksporter å vise Opprette ekporteringsplan Eksportert til: %1$s @@ -341,8 +304,7 @@Ingen favoritt kontoer Planlagte handlinger "Avsluttet. Sist kjørt på %1$s" -Velg en søyle for å vise detaljer -Neste +Neste Ferdig Standardvaluta Konfigurering av konto @@ -362,9 +324,7 @@Sjekk at alle splitter har gyldig beløp før lagring! Ugyldig uttrykk! Planlagt gjentakende transaksjon -En valutakurs kreves -Det konverterte beløpet kreves -Overføre penger +Overføre penger Merk et stykke for å se detaljer Periode: @@ -382,8 +342,7 @@Eiendeler Gjeld Egenkapital -- Flytt til: +Flytt til: Gruppere etter Måned Kvartal @@ -397,8 +356,7 @@Ingen kompatible apper til å motta de eksporterte transaksjonene! Flytt… Dupliser -Budsjetter -Kontantstrøm +Kontantstrøm Budsjetter Aktiver Kompaktvisning Aktiver Kompaktvisning for Transaksjonsliste diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index ee39a7cd7..d7b2df8d2 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index 776abfbe1..6a8f1a5da 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -56,10 +56,10 @@ Nieuwe rekening Rekening bewerken -Info -OFX exporteren -Nieuwe boeking op een rekening +Nieuwe boeking op een rekening View account details Geen rekeningen beschikbaar Rekeningnaam @@ -36,9 +34,7 @@Bedrag Nieuwe boeking Geen boekingen beschikbaar -Datum & tijd -Rekening -Debet +Debet Credit Rekeningen Boekingen @@ -47,16 +43,13 @@Annuleren De rekening werd verwijderd Verwijderen bevestigen -Alle boekingen in deze rekening zullen ook verwijderd worden -Boeking bewerken +Boeking bewerken Omschrijving -Verplaatsen -%1$d geselecteerd +%1$d geselecteerd Saldo: Exporteer naar: OFX exporteren -Alle boekingen exporteren -Aanvinken om alle boekingen te exporteren. Anders worden uitsluitend de nieuwe boekingen sinds de laatste export geëxporteerd. +Aanvinken om alle boekingen te exporteren. Anders worden uitsluitend de nieuwe boekingen sinds de laatste export geëxporteerd. Fout tijdens het exporteren van de %1$s data Exporteren Delete transactions after export @@ -72,8 +65,7 @@Verplaatsen %1$d boeking(en) verplaatsen Bestemmingsrekening -SD-kaart benaderen -De boekingen kunnen niet verplaatst worden.\nDe munteenheden van de rekeningen zijn niet compatibel +De boekingen kunnen niet verplaatst worden.\nDe munteenheden van de rekeningen zijn niet compatibel Algemeen Over Standaard munteenheid kiezen @@ -88,24 +80,16 @@Rekening tonen Hide account balance in widget Rekeningen aanmaken -Standaard rekeningen selecteren -Geen rekeningen beschikbaar.\nU moet een rekening aanmaken alvorens een widget toe te voegen -Versie -Licentie +Geen rekeningen beschikbaar.\nU moet een rekening aanmaken alvorens een widget toe te voegen +Licentie Apache License v2.0. Klik voor details Algemeen Account kiezen Geen transacties beschikbaar om te exporteren -Wachtwoord -Wachtwoord voorkeuren -Wachtwoord ingeschakeld -Wachtwoord uitgeschakeld -Wachtwoord wijzigen +Wachtwoord voorkeuren +Wachtwoord wijzigen Over GnuCash -Mobiel financieel beheer en uitgave opvolging ontworpen voor Android -Over -%1$s data geëexporteerd naar:\n -Export %1$s vanuit GnuCash Android +Export %1$s vanuit GnuCash Android GnuCash Android Export van Transacties Transactie voorkeuren @@ -123,8 +107,7 @@Verwijder geëxporteerde transacties Standaard export emailadres Het standaard emailaddress om geëxporteerde data heen te sturen. U kan dit emailadres nog wijzigen als u exporteerd. -Draag Account over -Alle transacties zullen worden overgedragen van het ene account naar de andere +Alle transacties zullen worden overgedragen van het ene account naar de andere Schakel dubbel boekhouden in Saldo Vul een rekeningnaam in @@ -143,10 +126,7 @@Wijs af Vul een bedrag in om de transactie op te slaan. -Multi-valuta boeking kan niet gewijzigd worden -GnuCash rekeningen importeren -Rekeningen importeren -Fout bij het importeren van de GnuCash rekeningen +Fout bij het importeren van de GnuCash rekeningen GnuCash rekeningen met succes geïmporteerd Rekeningstructuur uit desktop-GnuCash importeren GnuCash rekeningen importeren @@ -159,19 +139,16 @@Weet je zeker dat je alle rekeningen en transacties wil verwijderen? \nDeze verrichting kan niet ongedaan gemaakt worden! -Rekening Type -Alle transacties in alle rekeningen zullen verwijderd worden! +Alle transacties in alle rekeningen zullen verwijderd worden! Alle transacties verwijderen Alle transacties werden met succes verwijderd! Rekeningen importeren -Tap opnieuw op te bevestigen. ALLE regels zullen verwijderd worden!! -Transacties +Transacties Subrekeningen Zoeken Standaard Export Formaat Bestandsformaat om standaard te gebruiken bij het experteren van transacties -Transacties exporteren… -Herhaling +Herhaling Onbalans Transactions exporteren @@ -216,12 +193,7 @@Creëert standaard GnuCash veelgebruikte rekeningstructuur Standaard rekeningen creëren A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Vaste journaalposten -Welkom in GnuCash Android! \nJe kan een nieuwe structuur van - veel gebruikte rekeningen creëren, of je eigen GnuCash rekeningstructuur importeren. \n\nBeide opties zijn ook - beschikbaar in app Instellingen zodat je later kan beslissen. - -Vaste journaalposten +Vaste journaalposten Selecteer bestemming voor export Memo Uitgeven @@ -239,16 +211,13 @@Verkoopfactuur Kopen Verkopen -Herhalingen -Geen recente back-up gevonden -Openingsbalans +Openingsbalans Eigen Vermogen Inschakelen om het huidige rekeningsaldo (alvorens boekingen te verwijderen) als nieuw beginsaldo te gebruiken nadat de boekingen verwijderd zijn Beginsaldi rekeningen opslaan OFX biedt geen ondersteuning voor dubbel-boekhouden boekingen Genereert afzonderlijke QIF bestanden per valuta -Boekregels -Onbalans: +Onbalans: Boekregel toevoegen Favoriet Navigatie lade geopend @@ -258,19 +227,16 @@Lijndiagram Staafdiagram Rapport voorkeuren -Munteenheid selecteren -Rekening kleur in rapporten +Rekening kleur in rapporten Gebruik rekening kleur in de staaf/cirkeldiagram -Rapporten -Op grootte sorteren +Op grootte sorteren Toon Legenda Toon labels Percentage weergeven Gemiddelde lijnen weergeven Groepeer kleinere segmenten Geen grafiekgegevens beschikbaar -Algemeen -Totaal +Totaal Overige Het percentage van de geselecteerde waarde berekend op basis van het totale bedrag Het percentage van de geselecteerde waarde berekend op basis van het bedrag van de huidige gestapelde-staaf @@ -287,23 +253,19 @@Back-up Enable exporting to DropBox Enable exporting to ownCloud -Selecteer GnuCash XML bestand -Back-up voorkeuren +Back-up voorkeuren Back-up maken Back-ups worden standaard opgeslagen op de SDCARD Selecteer een specifieke back-up om te herstellen Maken back-up succesvol Back-up mislukt Exporteert alle rekeningen en boekingen -Enable Google Drive -Enable exporting to Google Drive -Installeer een bestandsbeheerder om bestanden te selecteren +Installeer een bestandsbeheerder om bestanden te selecteren Selecteer back-up om te herstellen Favorieten Open... Rapporten -Vaste journaalposten -Export... +Export... Instellingen User Name Password @@ -336,11 +298,9 @@ No user-identifiable information will be collected as part of this process!Format -Back-up map kan niet worden gevonden. Zorg ervoor dat de SD-kaart is aangekoppeld! -Voer uw oude wachtwoord in +Voer uw oude wachtwoord in Voer uw nieuwe wachtwoord in -Geplande exports -Scheduled Exports +Scheduled Exports Geen geplande exports om weer te geven Export schema maken Geëxporteerd naar: %1$s @@ -350,8 +310,7 @@ No user-identifiable information will be collected as part of this process!Geen favoriete rekeningen Geplande acties "Ended, last executed on " -Selecteer een staaf om details te bekijken -Volgende +Volgende Klaar Standaard munteenheid Rekening setup @@ -371,9 +330,7 @@ No user-identifiable information will be collected as part of this process!Controleer alle splitsingen op geldige bedragen alvorens op te slaan! Ongeldige expressie! Geplande periodieke boeking -Een wisselkoers is vereist -Het omgezette bedrag is vereist -Overdracht van middelen +Overdracht van middelen Selecteer een segment om details te bekijken Periode: @@ -391,8 +348,7 @@ No user-identifiable information will be collected as part of this process!Activa Vreemd vermogen Eigen vermogen -- Verplaatsen naar: +Verplaatsen naar: Groeperen op Maand Kwartaal @@ -406,8 +362,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index eb2f54260..6d0940604 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml index 11e19a26b..1d8d70660 100644 --- a/app/src/main/res/values-es-rMX/strings.xml +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -56,10 +56,10 @@ Opprett konto Rediger konto -Informasjon -Eksport... -Legge til en ny transaksjon i en konto +Legge til en ny transaksjon i en konto Vis kontoinformasjon Ingen kontoer for å vise Kontonavn @@ -36,9 +34,7 @@Beløp Ny transaksjon Ingen transaksjoner å vise -DATO & TID -Konto -DEBET +DEBET KREDIT Kontoer Transaksjoner @@ -47,16 +43,13 @@Avbryt Konto slettet Bekreft sletting -Alle transaksjoner i denne kontoen vil også slettes -Redigere transaksjonen +Redigere transaksjonen Legg til notat -FLYTT -%1$d valgt +%1$d valgt Saldo: Eksporter til: Eksport av transaksjoner -Eksportere alle transaksjoner -Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner +Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner Feil ved eksport av %1$s Eksporter Slett transaksjoner etter eksport @@ -72,8 +65,7 @@Flytt Flytt %1$d transaksjon(er) Målkonto -Aksesser SD-kort -Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto +Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto Generelt Om Velg standardvaluta @@ -88,24 +80,16 @@Vis konto Skjul saldo i widget Opprett konto -Velg kontoer å opprette -Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget -Byggversjon -Lisens +Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget +Lisens Apache Lisens v2.0. Klikk for mer informasjon Generelle innstillinger Velg konto Det finnes ingen transaksjoner som er tilgjengelige for eksport -Passord -Passordpreferanser -Passord aktivert -Passord deaktivert -Endre passord +Passordpreferanser +Endre passord Om GnuCash -En mobil økonomistyrer og utgiftsfører laget for Android -Om -%1$s filen er eksportert til: \n -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport fra Transaksjoner Transaksjonsinnstillinger @@ -123,8 +107,7 @@Slett eksporterte transaksjoner Standard eksport e-post Standard postadresse å sende eksporter til. Du kan endre dette når du eksporterer. -Overføringskonto -Alle transaksjoner blir en overføring fra en konto til en annen +Alle transaksjoner blir en overføring fra en konto til en annen Aktiver dobbel bokføring Balanse Angi kontonavn for å opprette en konto @@ -143,10 +126,7 @@Avvis Angi et beløp for å lagre transaksjonen -Multi-valutatransaksjoner kan ikke endres -Importere GnuCash kontoer -Importere kontoer -Det oppstod en feil under import av GnuCash kontoene +Det oppstod en feil under import av GnuCash kontoene GnuCash kontoer importert Importere kontostrukturen eksportert fra GnuCash desktop Importere GnuCash XML @@ -155,19 +135,16 @@Kontoer Alle kontoer ble slettet Er du sikker på at du vil slette alle kontoer og transaksjoner? \n\nDenne operasjonen kan ikke angres! -Kontotype -Alle transaksjoner i alle kontoer vil bli slettet! +Alle transaksjoner i alle kontoer vil bli slettet! Slett alle transaksjoner Alle transaksjoner slettet! Importere kontoer -Trykk igjen for å bekrefte. ALLE oppføringene slettes!! -Transaksjoner +Transaksjoner Underkontoer Søk Standard eksportformat Filformat som skal brukes som standard når du eksporterer transaksjoner -Eksporter transaksjoner… -Gjentakelse +Gjentakelse Ubalanse Eksportere transaksjoner @@ -212,9 +189,7 @@Oppretter standard GnuCash kontostruktur Opprette standardkontoer En ny bok åpnes med standardkontoer\n\nDine gjeldende kontoer og transaksjoner vil ikke bli endret! -Planlagte transaksjoner -Velkommen til GnuCash Android! \nDu kan enten opprette et hierarki av brukte kontoer, eller importere din egen GnuCash kontostruktur. \n\nBegge alternativer er også tilgjengelige i app innstillinger så du kan velge senere. -Transaksjoner +Transaksjoner Velg sted for eksport Notat Bruke @@ -232,16 +207,13 @@Faktura Kjøp Selg -Gjentar -Ingen nylig sikkerhetskopi funnet -Åpningssaldoer +Åpningssaldoer Egenkapital Aktiver lagring av den gjeldende saldoen (før sletting av transaksjoner) som ny startsaldo etter sletting av transaksjoner Lagre konto startsaldoer OFX støtter ikke dobbeltoppføringstransaksjoner Genererer separate QIF filer per valuta -Transaksjonssplitter -Ubalanse: +Ubalanse: Legge til splitt Favoritt Navigasjonskuffen åpnet @@ -251,19 +223,16 @@Linjediagram Stolpediagram Rapportinnstillinger -Velg valuta -Kontofarge i rapporter +Kontofarge i rapporter Bruke kontofargen i søyle/sektordiagrammet -Rapporter -Sorter etter størrelse +Sorter etter størrelse Vis forklaring Vis etiketter Vis prosent Viser gjennomsnittslinjer Grupper mindre deler Ingen diagramdata tilgjengelig -Total -Totalt +Totalt Andre Prosentandelen av valgte verdien beregnet ut i fra totalbeløpet Prosentandelen av valgte verdien beregnet ut i fra gjeldende stacked bar amount @@ -280,23 +249,19 @@Sikkerhetskopiering Aktiver eksportering til DropBox Aktiver eksportering til DropBox -Velg GnuCash XML-fil -Innstillinger for sikkerhetskopiering +Innstillinger for sikkerhetskopiering Opprett sikkerhetskopi Som standard lagres sikkerhetskopier på SD minne-kortet Velg en bestemt backup å gjenopprette Sikkerhetskopiering vellykket Sikkerhetskopiering mislyktes Eksporterer alle kontoer og transaksjoner -Aktiver Google Drive -Aktiver eksportering til Google Drive -Installer en filbehandler for å velge filer +Installer en filbehandler for å velge filer Velg sikkerhetskopien som skal gjenopprettes Favoritter Åpne… Rapporter -Planlagte transaksjoner -Eksport… +Eksport… Innstillinger Brukernavn Passord @@ -327,11 +292,9 @@Aktiver Logging av feil Send automatisk informasjon om feil på app til utviklerne. Format -Finner ikke sikkerhetskopimappen. Kontroller at SD-kortet er montert! -Angi ditt gamle passord +Angi ditt gamle passord Skriv inn ditt nye passord -Planlagte eksporteringer -Eksporter +Eksporter Ingen planlagte eksporter å vise Opprette ekporteringsplan Eksportert til: %1$s @@ -341,8 +304,7 @@Ingen favoritt kontoer Planlagte handlinger "Avsluttet. Sist kjørt på %1$s" -Velg en søyle for å vise detaljer -Neste +Neste Ferdig Standardvaluta Konfigurering av konto @@ -362,9 +324,7 @@Sjekk at alle splitter har gyldig beløp før lagring! Ugyldig uttrykk! Planlagt gjentakende transaksjon -En valutakurs kreves -Det konverterte beløpet kreves -Overføre penger +Overføre penger Merk et stykke for å se detaljer Periode: @@ -382,8 +342,7 @@Eiendeler Gjeld Egenkapital -- Flytt til: +Flytt til: Gruppere etter Måned Kvartal @@ -397,8 +356,7 @@Ingen kompatible apper til å motta de eksporterte transaksjonene! Flytt… Dupliser -Budsjetter -Kontantstrøm +Kontantstrøm Budsjetter Aktiver Kompaktvisning Aktiver Kompaktvisning for Transaksjonsliste diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index 304697c88..d4cf10e5a 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-en-rGB/strings.xml b/app/src/main/res/values-en-rGB/strings.xml index 9d3c09aac..1715b6f83 100644 --- a/app/src/main/res/values-en-rGB/strings.xml +++ b/app/src/main/res/values-en-rGB/strings.xml @@ -453,4 +453,5 @@ Utwórz konto Edytuj konto -Info -Eksportuj… -Dodaj nową transakcję do konta +Dodaj nową transakcję do konta View account details Brak kont do wyświetlenia Nazwa konta @@ -36,9 +34,7 @@Kwota Nowa transakcja Brak transakcji do wyświetlenia -DATA I CZAS -Konto -DEBET +DEBET KREDYT Konta Transakcje @@ -47,16 +43,13 @@Anuluj Konto usunięte Potwierdź usunięcie -Wszystkie transakcje w tym koncie także będą usunięte -Edytuj transakcję +Edytuj transakcję Notka -PRZENIEŚ -%1$d wybranych +%1$d wybranych Saldo: Wyeksportuj do: Eksport transakcji -Eksportuj wszystkie transakcje -Domyślnie tylko nowe transakcje od ostatniego eksportu, zostaną wyeksportowane. Zaznacz tą opcję, aby eksportować wszystkie transakcje +Domyślnie tylko nowe transakcje od ostatniego eksportu, zostaną wyeksportowane. Zaznacz tą opcję, aby eksportować wszystkie transakcje Błąd eksportowania pliku %1$s Eksportuj Usuń transakcje po eksporcie @@ -72,8 +65,7 @@Przenieś Przenieś %1$d transakcji Konto docelowe -Dostęp do Karty SD -Nie można przenieść transakcji. + Nie można przenieść transakcji. Konto docelowe używa innej waluty niż konto wyjściowe Ogólne O… @@ -89,24 +81,16 @@ Konto docelowe używa innej waluty niż konto wyjścioweWyświetl konto Hide account balance in widget Utwórz konta -Wybierz konta do utworzenia -Brak kont w GnuCash.\nUtwórz konto zanim dodasz widżet -Wersja builda -Licencja +Brak kont w GnuCash.\nUtwórz konto zanim dodasz widżet +Licencja Licencja Apache v2.0. Kliknij po szczegóły Ogólne ustawienia Wybierz konto Brak transakcji dostępnych do eksportu -Hasło -Ustawienia hasła -Hasło włączone -Hasło wyłączone -Zmień hasło +Ustawienia hasła +Zmień hasło O GnuCash -Mobilny menadżer finansów i agent wydatków stworzony dla Androida -O… -%1$s plik wyeksportowany do:\n -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport z Transakcje Ustawienia transakcji @@ -124,8 +108,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweUsuń wyeksportowane transakcje Domyślny email do eksportu Domyślny adres email na który będzie wysyłany eksport. Możesz nadal zmienić go w trakcie eksportu. -Transfer konta -Wszystkie transakcje będą przeniesione z jednego konta na drugie +Wszystkie transakcje będą przeniesione z jednego konta na drugie Aktywuj podwójne wpisy Saldo Wprowadź nazwę konta do utworzenia @@ -144,10 +127,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweSpocznij Wprowadź kwotę by zapisać transakcję -Wielowalutowe transakcje nie mogą być modyfikowane -Importuj konta GnuCash -Import konta -Wystąpił błąd podczas importowania kont GnuCash +Wystąpił błąd podczas importowania kont GnuCash Import kont GnuCash zakończony pomyślnie Importuj strukturę kont wyeksportowaną z GnuCash dla desktop Importuj GnuCash XML @@ -156,19 +136,16 @@ Konto docelowe używa innej waluty niż konto wyjścioweKonta Wszystkie konta zostały usunięte pomyślnie Czy jesteś pewień, że chcesz usunąć wszystkie konta i transakcje?\n\nTej operacji nie można cofnąć! -Typ konta -Wszystkie transakcje na tym koncie zostaną usunięte! +Wszystkie transakcje na tym koncie zostaną usunięte! Usuń wszyskie transakcje Wszystkie transakcje usunięte pomyślnie! Importowanie kont -Aby potwierdzić dotknij ponownie. WSZYSTKIE wpisy zostaną usunięte!! -Transakcje +Transakcje Sub-konto Szukaj Domyślny format eksportu Format pliku użyty w trakcie eksportowania transakcji -Eksport transakcji… -Powtarzająca się +Powtarzająca się Niezbilansowane Eksport transakcji @@ -214,9 +191,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweTworzy typową dla GnuCash strukturę kont Utwórz domyślne konta A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Zaplanowane transakcje -Witamy w GnuCash dla Android!\nMożesz utworzyć typową hierarchię kont lub zaimportować własną strukturę.\n\nObie opcje dostępne są w ustawieniach aplikacji, także możesz zdecydować później -Zaplanowane transakcje +Zaplanowane transakcje Wybierz miejsce docelowe dla eksportu Notka Wydaj @@ -234,16 +209,13 @@ Konto docelowe używa innej waluty niż konto wyjścioweFaktura Kup Sprzedaj -Powtarzaj -Nie znaleziono ostatnich kopii zapasowych -Saldo otwarcia +Saldo otwarcia Kapitał Wybierz aby zachować obecne saldo konta (przed usunięciem transakcji) jak nowe saldo otwarcia po usunięciu transakcji Zachowaj saldo otwarcia konta OFX nie wspiera transakcji double-entry Generuje osobne pliki QIF dla każdej waluty -Podział transakcji -Niezbilansowanie: +Niezbilansowanie: Dodaj podział Ulubione Szuflada nawigacyjna otwarta @@ -253,19 +225,16 @@ Konto docelowe używa innej waluty niż konto wyjścioweWykres liniowy Wykres słupkowy Ustawienia raportu -Wybierz walutę -Kolor konta w raportach +Kolor konta w raportach Użyj koloru konta w wykresie kołowym/słupkowym -Raporty -Sortuj po rozmarze +Sortuj po rozmarze Pokaż legendę Pokaż etykiety Pokaż procenty Pokaż linie średnich Grupuj mniejsze wycinki Brak danych dla wykresu -Ogólny -Całkowity +Całkowity Inne Procentarz wybranej wartości wyliczony z całkowitej kwoty Procentarz wybranej wartości wyliczony z aktualnej skumulowanej wartości słupka @@ -282,23 +251,19 @@ Konto docelowe używa innej waluty niż konto wyjścioweKopia zapasowa Enable exporting to DropBox Enable exporting to ownCloud -Wybierz plik GnuCash XML -Ustawienia kopii zapasowej +Ustawienia kopii zapasowej Utwórz kopię zapasową Domyślnie kopie zapasowe są zachowywane na karcie SD Wybierz konkretną kopię zapasową by ją przywrócić Kopia zapasowa utworzona pomyślnie Błąd tworzenia kopii zapasowej Wyeksportowano wszystkie konta i transakcje -Enable Google Drive -Enable exporting to Google Drive -Zainstaluj managera plików aby wybrać pliki +Zainstaluj managera plików aby wybrać pliki Wybierz kopię zapaswą aby ją przywrócić Ulubione Otwórz… Raporty -Transakcje zaplanowane -Eksport… +Eksport… Ustawienia User Name Password @@ -334,11 +299,9 @@ Konto docelowe używa innej waluty niż konto wyjścioweWłącz by wysyłać inforamcje o błędach do twórców w celu poleszania aplikacji (zalecane). Żadne informacje umożliwiające identyfikację użytkownika nie będą zbierane w ramach tego procesu! Format -Folder kopii zapasowej nie może być odnaleziony. Upewnij się, że karta SD jest zamontowana! -Wpisz stare hasło +Wpisz stare hasło Wpisz nowe hasło -Zaplanowane eksporty -Zaplanowane eksporty +Zaplanowane eksporty Brak zaplanowanych eksportów do pokazania Zaplanuj eksport Wyeksportowane do: %1$s @@ -348,8 +311,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweBrak ulubionych kont Zaplanowane akcje "Zakończone, ostatnie wykonanie o %1$s" -Wybież słupek aby zobaczyć szczegóły -Dalej +Dalej Zrobione Domyślna waluta Ustawienie konta @@ -369,9 +331,7 @@ Konto docelowe używa innej waluty niż konto wyjściowePrzed zapisaniem sprawdź czy wszystkie podziały mają poprawną wartość! Niepoprawne wyrażenie! Zaplanowane powtarzające się transakcje -Kurs wymiany jest wymagany -Wymieniona wartość jest wymagana -Transferuj środki +Transferuj środki Wybierz wycinek aby zobaczyć szczegóły Okres: @@ -389,8 +349,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweŚrodki Zobowiązania Kapitał -- Przenieś do: +Przenieś do: Grupuj po Miesiącu Kwartale @@ -404,8 +363,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweBrak kompatybilnych aplikacji do otrzymania eksportowanych transakcji! Move… Duplikuj -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index cbd4f9723..f727b064f 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index b58b3fe95..49f40617d 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -464,4 +464,5 @@ No user-identifiable information will be collected as part of this process! Criar Conta Editar Conta -Informação -Exportar -Adicionar nova transação a uma conta +Adicionar nova transação a uma conta Exibir detalhes de conta Sem contas para mostrar Nome da Conta @@ -36,9 +34,7 @@Valor Nova transação Sem transações para mostrar -DATA & HORA -Conta -DÉBITO +DÉBITO CRÉDITO Contas Transações @@ -47,16 +43,13 @@Cancelar Conta apagada Confirma apagar -Todas as transações desta conta também serão apagadas -Editar Transação +Editar Transação Adicionar nota -MOVER -%1$d selecionado +%1$d selecionado Saldo: Exportar para: Exportar Transações -Exportar todas as transações -Por padrão, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações +Por padrão, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações Erro ao exportar o arquivo %1$s Exportar Excluir transações após exportar @@ -72,8 +65,7 @@Mover Mover %1$d transação(ões) Conta Destino -Acessar cartão SD -Impossível mover transação.\nA conta destino usa uma moeda diferente da conta de origem. +Impossível mover transação.\nA conta destino usa uma moeda diferente da conta de origem. Geral Sobre Escolhe a moeda padrão @@ -88,24 +80,16 @@Mostrar conta Esconder o saldo da conta no widget Criar Contas -Escolha as contas a criar -Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget -Versão -Licença +Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget +Licença Apache License v2.0. Clique para obter detalhes Preferências Escolha uma conta Não existem transações para exportar -Senha -Preferências de Senha -Senha habilitada -Senha desabilitada -Modificar senha +Preferências de Senha +Modificar senha Sobre o GnuCash -Um gerenciador financeiro mobile desenvolvido para Android -Sobre -Arquivo %1$s exportado para:\n -GnuCash Android %1$s exportação +GnuCash Android %1$s exportação Exportação do GnuCash Android de Transações Preferências de Transações @@ -123,8 +107,7 @@Apagar as transações exportadas Email de exportação padrão O endereço de email padrão para onde serão enviadas as exportações. Pode ser alterado no momento da exportação. -Conta para transferência -Todas as transações serão uma transferência de uma conta para a outra +Todas as transações serão uma transferência de uma conta para a outra Activar a entrada dupla Saldo Introduza o nome da conta a criar @@ -142,10 +125,7 @@ - Diversas correções de erros e melhorias\nDescartar Introduza um valor para gravar a transação -As transações multi-moeda não podem ser alteradas -Importar contas do GnuCash -Importar Contas -Ocorreu um erro ao importar as contas do GnuCash +Ocorreu um erro ao importar as contas do GnuCash Contas do GnuCash importadas com sucesso Importar a estrutura de contas do GnuCash para Desktop Importar XML do GnuCash @@ -154,19 +134,16 @@Contas Todas as contas foram apagadas com sucesso Tem a certeza que quer apagar todasd as contas e todas as transações?n\nEsta operação é definitiva e não pode ser recuperada! -Tipo de Conta -Todas as transações de todas as contas serão apagadas! +Todas as transações de todas as contas serão apagadas! Apagar todas as transações Todas as transações apagadas com sucesso! Importando contas -Toque outra vez para confirmar. TODOS os registos serão apagados!! -Transações +Transações Sub-Contas Procurar Formato de Exportação padrão Formato de arquivo a ser usado por padrão ao exportar transações -Exportar transações… -Recorrente +Recorrente Desequilibrio Exportando transações @@ -211,10 +188,7 @@Cria uma estrutura de contas GnuCash padrão Cria contas padrão Um novo livro será aberto com as contas padrão \n\n Suas contas e transações atuais não serão modificadas! -Transações agendadas -Bem vindo ao GnuCash Android! \nPode criar um hierarquia de contas, ou importar a sua estrutura de contas do GnuCash. \n\n Ambas as opções estão disponíves bas Opções da aplicação, para que possa decidir mais tarde. - -Transações agendadas +Transações agendadas Escolha o destino da exportação Memo Gasto @@ -232,17 +206,14 @@Fatura Compra Venda -Repetição -Não foi encontrado um Backup recente -Saldo de abertura +Saldo de abertura Capital Próprio Permite salvar o saldo da conta atual (antes de apagar as transações) como novo saldo de abertura após a exclusão das transações Grava o saldo de abertura da conta O formato OFX não permite transações de entrada dupla Gera ficheiros QIF separados por moeda -Contrapartidas da transação -Desequilibrío: +Desequilibrío: Adicionar contrapartida Favorito Gaveta de navegação aberta @@ -252,19 +223,16 @@Gráfico de Linhas Gráfico de Barras Preferências de relatórios -Escolha a moeda -Côr da conta nos relatórios +Côr da conta nos relatórios Use côr da conta no gráfico de barras/linhas -Relatórios -Ordenar por tamanho +Ordenar por tamanho Alterna visibilidade da legenda Alterna visibilidade das etiquetas Alterna visibilidade da percentagem Alterna visibilidade das linhas da média Agrupar fatias menores Gráfico não disponível -Geral -Total +Total Outro O percentual do valor selecionado em relação ao valor total O percentual do valor selecionado em relação ao valor da barra empilhada atual @@ -281,23 +249,19 @@Backup Habilitar a exportação para o DropBox Habilitar a exportação para o ownCloud -Escolha um ficheiro XML do GnuCash -Preferências de Backup +Preferências de Backup Criar Backup Por defeito os backups são guardado no SDCARD Escolha um backup a restaurar Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações -Habilitar o Google Drive -Habilitar a exportação para o Google Drive -Instalar um gerenciador de arquivos para selecionar arquivos +Instalar um gerenciador de arquivos para selecionar arquivos Escolha um backup para restaurar Favoritos Abrir… Relatórios -Transações agendadas -Exportar… +Exportar… Definições Nome do usuário Senha @@ -329,11 +293,9 @@Permite o envio de informações aos programadores para melhoria do programa (recomendado). Neste processo não serão recolhidas informações do utilizador! Formato -Pasta de Backup não encontrada. Tenha a certeze que o cartão SD está montado! -Introduza a palavra passe antiga +Introduza a palavra passe antiga Introduza a nova palavra passe -Exportações agendadas -Exportações agendadas +Exportações agendadas Não existem exportações agendadas para mostrar Criar uma exportação agendada Exportado para : %1$s @@ -343,8 +305,7 @@ Neste processo não serão recolhidas informações do utilizador!Sem Contas favoritas Ações Agendadas "Feito, execução completada em %1$s" -Escolha uma barra para ver os detalhes -Avançar +Avançar Finalizar Moeda padrão Configuração de Contas @@ -364,9 +325,7 @@ Neste processo não serão recolhidas informações do utilizador!Confirme que todas as contrapartidas têm montantes válidos antes de gravar! Expressão inválida! Transação agendade recorrente -É obrigatória uma taxa de câmbio -O montante convertido é obrigatório. -Transferências +Transferências Escolha uma seção para ver os detalhes Período: @@ -384,8 +343,7 @@ Neste processo não serão recolhidas informações do utilizador!Ativos Passivos Capital Próprio -- Mover para +Mover para Agrupar por Mês Trimestre @@ -399,8 +357,7 @@ Neste processo não serão recolhidas informações do utilizador!Não existem apps compatíveis para receber as transações exportadas! Mover… Duplicar -Orçamentos -Fluxo de caixa +Fluxo de caixa Orçamentos Habilitar a exibição compacta Sempre permitir visão compacta para a lista de transações diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index 0fa912396..1e1d9802c 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index 7942afbac..651f2ca77 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -452,4 +452,5 @@ No user-identifiable information will be collected as part of this process!gnucash_android_backup.gnca Criar Conta Editar Conta -Informação -Exportar -Adicionar nova transacção a uma conta +Adicionar nova transacção a uma conta View account details Sem contas para mostrar Nome da conta @@ -36,9 +34,7 @@Valor Nova transação Sem transações para mostrar -DATA & HORA -Conta -DÉBITO +DÉBITO CRÉDITO Contas Transações @@ -47,16 +43,13 @@Cancelar Conta apagada Confirma apagar -Todas as transaçõe desta conta serão também apagadas -Editar Transações +Editar Transações Nota -MOVER -%1$d seleccionado +%1$d seleccionado Saldo: Exportar para: Exportar Transações -Exportar todas as transações -Por defeito, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações +Por defeito, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações Erro ao exportar o ficheiro %1$s Exportar Apagar as transações depois de exportar @@ -72,8 +65,7 @@Mover Mover %1$d transacções Conta destino -Aceder ao cartão SD -Impossível mover transacção.\nA conta destino usa uma moeda diferente da conta origem +Impossível mover transacção.\nA conta destino usa uma moeda diferente da conta origem Geral Acerca Escolher a moeda padrão @@ -88,24 +80,16 @@Mostrar conta Hide account balance in widget Criar contas -Escolha as contas a criar -Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget -Versão -Licença +Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget +Licença Apache License v2.0. Clique para obter detalhes Preferências Escolha uma conta Não existem transacções para exportar -Senha -Preferências de senha -Senha ligada -Senha desligada -Mudar Palavra Passe +Preferências de senha +Mudar Palavra Passe Sobre o GnuCash -Um programa de registo e gestão de finanças pessoais para Android -Sobre -%1$s ficheiro exportado para:\n -GnuCash Android %1$s exportação +GnuCash Android %1$s exportação Exportação do GnuCash Android de Transações Preferências de Transações @@ -123,8 +107,7 @@Apagar as transações exportadas Email de exportação padrão O endereço de email por defeito para onde serão enviadas as exportações. Pode ser alterado no momento da exportação -Conta para transferência -Todas as transações serão uma transferência de uma conta para a outra +Todas as transações serão uma transferência de uma conta para a outra Activar a entrada dupla Saldo Introduza o nome da conta a criar @@ -142,10 +125,7 @@ - Várias correcções de erros e melhoramentos\nDescartar Introduza um valor para gravar a transação -As transações multi-moeda não podem ser alteradas -Importar contas do GnuCash -Importar Contas -Ocorreu um erro ao importar as contas do GnuCash +Ocorreu um erro ao importar as contas do GnuCash Contas do GnuCash importadas com sucesso Importar a estrutura de contas do GnuCash para Desktop Importar XML do GnuCash @@ -154,19 +134,16 @@Contas Todas as contas foram apagadas com sucesso Tem a certeza que quer apagar todasd as contas e todas as transações?n\nEsta operação é definitiva e não pode ser recuperada! -Tipo de Conta -Todas as transações de todas as contas serão apagadas! +Todas as transações de todas as contas serão apagadas! Apagar todas as transações Todas as transações apagadas com sucesso! Importando contas -Toque outra vez para confirmar. TODOS os registos serão apagados!! -Transações +Transações Sub-Contas Procurar Formato de Exportação padrão Formato de ficheiro usado por defeito quando é feita uma exportação de transações -Exportar transações -Agendadas +Agendadas Desequilíbrio Exportando transações @@ -211,10 +188,7 @@Cria uma estrutura de contas GnuCash padrão Cria contas padrão Irá ser aberto um novo livro com as contas por defeito\n\nAs suas contas e transações não irão ser modificadas! -Transações agendadas -Bem vindo ao GnuCash Android! \nPode criar um hierarquia de contas, ou importar a sua estrutura de contas do GnuCash. \n\n Ambas as opções estão disponíves bas Opções da aplicação, para que possa decidir mais tarde. - -Transações agendadas +Transações agendadas Escolha o destino da exportação Memo Gasto @@ -232,17 +206,14 @@Fatura Compra Venda -Repetição -Não foi encontrado um Backup recente -Saldo de abertura +Saldo de abertura Capital Próprio Permite gravar o saldo da conta actual (antes de apagar as transações) como novo saldo de abertura depois de apagadas as transações Grava o saldo de abertura da conta O formato OFX não permite transações de entrada dupla Gera ficheiros QIF separados por moeda -Contrapartidas da transação -Desequilibrío: +Desequilibrío: Adicionar contrapartida Favorito Gaveta de navegação aberta @@ -252,19 +223,16 @@Gráfico de Linhas Gráfico de Barras Preferências de relatórios -Escolha a moeda -Côr da conta nos relatórios +Côr da conta nos relatórios Use côr da conta no gráfico de barras/linhas -Relatórios -Ordenar por tamanho +Ordenar por tamanho Alterna visibilidade da legenda Alterna visibilidade das etiquetas Alterna visibilidade da percentagem Alterna visibilidade das linhas da média Agrupar fatias menores Gráfico não disponível -Geral -Total +Total Outro A percentagem do valor seleccionado face ao valor total A percentagem do valor seleccionado face ao valor da barra actual @@ -281,23 +249,19 @@Cópia de Segurança Permitir a exportação para o DropBox Permitir a exportação para o ownCloud -Escolha um ficheiro XML do GnuCash -Preferências de Backup +Preferências de Backup Criar Backup Por defeito os backups são guardado no SDCARD Escolha um backup a restaurar Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações -Permitir o Google Drive -Permitir a exportação para o Google Drive -Instale um gestor de ficheiros para escolher um ficheiro +Instale um gestor de ficheiros para escolher um ficheiro Escolha um backup para restaurar Favoritos Abrir… Relatórios -Transações agendadas -Exportar… +Exportar… Definições Nome de utilizador Password @@ -329,11 +293,9 @@Permite o envio de informações aos programadores para melhoria do programa (recomendado). Neste processo não serão recolhidas informações do utilizador! Formato -Pasta de Backup não encontrada. Tenha a certeze que o cartão SD está montado! -Introduza a palavra passe antiga +Introduza a palavra passe antiga Introduza a nova palavra passe -Exportações agendadas -Exportações agendadas +Exportações agendadas Não existem exportações agendadas para mostrar Criar uma exportação agendada Exportado para : %1$s @@ -343,8 +305,7 @@ Neste processo não serão recolhidas informações do utilizador!Sem Contas favoritas Acções agendadas "Feito, execução completada em %1$s" -Escolha uma barra para ver os detalhes -Seguinte +Seguinte Feito Moeda padrão Configuração de Contas @@ -364,9 +325,7 @@ Neste processo não serão recolhidas informações do utilizador!Confirme que todas as contrapartidas têm montantes válidos antes de gravar! Expressão inválida! Transação agendade recorrente -É obrigatória uma taxa de câmbio -O montante convertido é obrigatório. -Transferências +Transferências Escolha uma secção para ver os detalhes Período: @@ -384,8 +343,7 @@ Neste processo não serão recolhidas informações do utilizador!Activo Passivo Capital Próprio -- Mover para +Mover para Agrupar por Mês Trimestre @@ -399,8 +357,7 @@ Neste processo não serão recolhidas informações do utilizador!Não existem aplicações compatíveis para receber as transações exportadas! Mover… Duplicar -Orçamentos -Fluxo de caixa +Fluxo de caixa Orçamentos Permitir a vista compacta Permitir sempre a utilização da vista compacta para a lista de transações diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 25f76e24c..7999b0f39 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index 4148da9c4..dc5b11a03 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -56,10 +56,10 @@ Creează cont Editați contul -Info -Export… -Adăugaţi o nouă tranzacţie într-un cont +Adăugaţi o nouă tranzacţie într-un cont View account details Nu există conturi pentru a afișa Numele contului @@ -36,9 +34,7 @@Amount New transaction No transactions to display -DATE & TIME -Account -DEBIT +DEBIT CREDIT Accounts Transactions @@ -47,16 +43,13 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -MOVE -%1$d selected +%1$d selected Balance: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -217,12 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -240,17 +212,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -260,19 +229,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -289,23 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -340,11 +302,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -354,8 +314,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -375,9 +334,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -395,8 +352,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -410,8 +366,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index 0d7080dee..25f36eb75 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index 1b818086e..c5bc4eb4a 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -451,4 +451,5 @@ Создать счёт Изменить счёт -Информация -Экспорт… -Новая проводка +Новая проводка Посмотреть дели счета Нет счетов Имя счёта @@ -36,9 +34,7 @@Сумма Новая проводка Нет проводок -ДАТА & ВРЕМЯ -Счёт -ДЕБЕТ +ДЕБЕТ КРЕДИТ Счета Проводки @@ -47,16 +43,13 @@Отмена Счёт удалён Подтвердите удаление -Все проводки этого счёта будут удалены -Редактировать проводку +Редактировать проводку Заметка -ПЕРЕНЕСТИ -%1$d выбрано +%1$d выбрано Баланс: Экспорт в: Экспорт проводок -Экспорт всех проводок -По умолчанию экспортируются проводки после последнего экспорта. Отметьте для экспорта всех проводок +По умолчанию экспортируются проводки после последнего экспорта. Отметьте для экспорта всех проводок Ошибка экспорта %1$s Экспорт Удалить проводки после экспорта @@ -72,8 +65,7 @@Перенести Перенести %1$d проводку (и) Счёт-получатель -Доступ к карте памяти -Невозможно перенести проводки.\nСчёт-получатель в другой валюте +Невозможно перенести проводки.\nСчёт-получатель в другой валюте Общие О программе Выберите валюту по умолчанию @@ -88,24 +80,16 @@Показать счёт Скрыть баланс счета в виджете Создать счета -Выберите счета для создания -Нет счетов в Gnucash.\nСначала создайте счета, а потом добавляйте виджет. -Версия сборки -Лицензия +Нет счетов в Gnucash.\nСначала создайте счета, а потом добавляйте виджет. +Лицензия Apache License v2.0. Нажмите, чтобы просмотреть. Общие Выберите счёт Нет проводок для экспорта -Пароль -Настройки парольной защиты -Используется пароль -Пароль не используется -Сменить пароль +Настройки парольной защиты +Сменить пароль О Gnucash -Программа учёта расходов для Android -О программе -Файл %1$s экспортирован в:\n -Экспорт %1$s-файла из Gnucash Android +Экспорт %1$s-файла из Gnucash Android Экспорт из GnuCash Android Проводки Свойства проводки @@ -123,8 +107,7 @@Всегда удалять после экспорта E-mail для экспорта Почтовый ящик по умолчанию для экспорта. Можете менять его в процессе. -Трансфертный счёт -Все проводки будут переводами с одного счёта на другой. +Все проводки будут переводами с одного счёта на другой. Вести двойную запись Баланс Введите имя нового счёта @@ -143,10 +126,7 @@Отмена Введите сумму, чтобы сохранить проводку -Мультивалютные проводки не изменяются -Импорт счетов из GnuCash -Импорт счетов -Ошибка импорта счетов из GnuCash +Ошибка импорта счетов из GnuCash Счета из GnuCash успешно импортированы Импорт структуры счетов из GnuCash для ПК Импорт счетов из GnuCash @@ -155,19 +135,16 @@Счета Все счета удалены Вы точно хотите удалить все счета и проводки? \nЭто нельзя отменить! -Тип счёта -Все проводки во всех счетах будут удалены! +Все проводки во всех счетах будут удалены! Удалить все проводки Все проводки удалены! Импортируются счета -Нажмите ещё раз для подтверждения. ВСЕ записи будут удалены! -Проводки +Проводки Дочерние счета Поиск Формат экспорта по умолчанию Формат файла, используемый по умолчанию при экспорте -Экспортировать проводки… -Периодическая проводка +Периодическая проводка Дисбаланс Проводки экспортируются @@ -213,13 +190,7 @@Создать структуру счетов GnuCash по умолчанию Создать счета по умолчанию Новая книга будет открыта с помощью учетной записи по умолчанию\n\nВаши текущие счета и операции не изменятся! -Запланированные проводки -Добро - пожаловать в GnuCash для Android!\nВы можете создать структуру счетов или импортировать её из GnuCash.\n\nОбе - возможности будут доступны из настроек приложения, если вы захотите - сделать это позже. - -Запланированные проводки +Запланированные проводки Выберите получателя экспорта Заметка Расход @@ -237,17 +208,14 @@Чек Покупка Продажа -Повторы -Нет резервной копии -Начальное сальдо +Начальное сальдо Собственные средства Сохранить текущий баланс (перед удалением проводок) как новое начальное сальдо после их удаления Сохранить начальное сальдо счетов OFX не поддерживает двойную запись Создаёт на каждую валюту отдельный QIF-файл -Части проводки -Дисбаланс: +Дисбаланс: Добавить часть Закладки Меню быстрого доступа открыто @@ -257,19 +225,16 @@График Гистограмма Настройки отчётов -Выбор валюты -Цвет счёта в отчётых +Цвет счёта в отчётых Использовать цвет счёта в отчётах -Отчёты -Отсортировать по размеру +Отсортировать по размеру Показать легенду Показать ярлыки Показать %% Показывать промежуточные линии Группировать мелкие части Нет данных для диаграммы -За всё время -Общая сумма +Общая сумма Прочее Проценты считаются по общему Проценты считаются по выбранному @@ -286,23 +251,19 @@Резервное копирование Включить экспорт на DropBox Включить экспорт на ownCloud -Выберите файл GnuCash XML -Резервная копия настроек +Резервная копия настроек Создать резервную копию По умолчанию резервные копии сохраняются на карту памяти Выбор резервной копии для восстановления Резервная копия создана Не получилось создать резервную копию Будут экспортированы все счета и проводки -Включить Google Drive -Включить синхронизацию с Google Drive -Установите программу для просмотра файловой системы +Установите программу для просмотра файловой системы Выберите резервную копию для восстановления Закладки Открыть... Отчёты -Запланированные проводки -Экспорт... +Экспорт... Настройки Имя пользователя Пароль @@ -337,11 +298,9 @@Записывать отказы программы Включить запись отказов программы (рекомендуем). Обещаем не собирать приватную информацию. Формат -Каталог для резервных копий не найден. Карта помяти точно подключена? -Введите старый пароль +Введите старый пароль Введите новый пароль -Запланированный экспорт -Запланированный экспорт +Запланированный экспорт Вы ещё не планировали экспорт данных Создать расписание экспорта Экспортировано в: %1$s @@ -351,8 +310,7 @@Нет избранных счетов Запланированные действия "Завершено. Последний раз выполнено " -Выберите, чтобы посмотреть детали -Далее +Далее Конец Валюта по умолчанию Настройки счёта @@ -372,9 +330,7 @@Проверьте, что все части корректно распределены перед сохранением! Неверное выражение! Запланированная повторяющаяся проводка -Нужен курс обмена -Нужна обмененная сумма -Перевод денег +Перевод денег Выберите часть, чтобы посмотреть подробно Период: @@ -392,8 +348,7 @@Активы Долги Акции -- Переместить в: +Переместить в: Группировать по Месяц Квартал @@ -407,8 +362,7 @@Не совместимых приложений, чтобы получить экспортированные транзакции! Перемещение… Повтор -Бюджеты -Денежный поток +Денежный поток Бюджеты Компактный вид Использовать компактный вид для списка проводок diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 3ff688a13..305622666 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index a29459346..7ccf20003 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -485,4 +485,5 @@ Креирај рачун Уреди рачун -Инфо -Извоз… -Додајте нову трансакцију на рачун +Додајте нову трансакцију на рачун View account details Нема рачуна за приказ Назив рачуна @@ -36,9 +34,7 @@Износ Нова трансакција Нема трансакција за приказ -Датум & Време -Рачун -Дуговања +Дуговања CREDIT Рачуни Трансакције @@ -47,16 +43,13 @@Отказати Рачун обрисан Потврдите брисање -Све трансакције овог рачуна ће такође бити обрисане -Уреди трансакцију +Уреди трансакцију Додај напомену -Премести -%1$d изабрано +%1$d изабрано Биланс: Извези у: Извези трансакције -Извези све трансакције -Подразумева се да буду извезене само нове трансакције након последњег извоза. Укључите ову опцију ако желите извоз свих трансакција +Подразумева се да буду извезене само нове трансакције након последњег извоза. Укључите ову опцију ако желите извоз свих трансакција Грешка при извозу датотеке %1$s Извези Delete transactions after export @@ -72,8 +65,7 @@Премести Пренос %1$d трансакције(а) Одредишни рачун -Приступ SD картици -Немогућ пренос трансакције.\nОдредишни рачун користи другачију валуту од полазног рачуна +Немогућ пренос трансакције.\nОдредишни рачун користи другачију валуту од полазног рачуна Опште О програму Изабери подразумевану валуту @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -217,12 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -240,17 +212,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -260,19 +229,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -289,23 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -340,11 +302,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -354,8 +314,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -375,9 +334,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -395,8 +352,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -410,8 +366,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index fa49fc29c..5f1a57b39 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -18,9 +18,7 @@From 0a5af15cbb215f76454ac2934ebf4244e0cd2b69 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=C3=80lex=20Magaz=20Gra=C3=A7a?= Skapa konto Redigera konto -Information -Exportera… -Lägg till en transaktion till ett konto +Lägg till en transaktion till ett konto Visa kontodetaljer Det finns inga konton att visa Kontonamn @@ -36,9 +34,7 @@Belopp Lägg till transaktion Det finns inga transaktioner att visa -DATUM & TID -Konto -DEBIT +DEBIT KREDIT Konton Transaktioner @@ -47,16 +43,13 @@Avbryt Kontot borttaget Bekräfta radering -Alla transaktioner i kontot kommer också raderas -Redigera transaktion +Redigera transaktion Lägg till anteckning -FLYTTA -%1$d har markerats +%1$d har markerats Saldo: Exportera till: Exportera transaktioner -Exportera alla transaktioner -Som standard exporteras endast nya transaktioner sedan senaste export. Markera detta alternativ för att exportera alla transaktioner +Som standard exporteras endast nya transaktioner sedan senaste export. Markera detta alternativ för att exportera alla transaktioner Fel uppstod då filen skulle %1$s exporteras Exportera Radera transaktioner efter export @@ -72,8 +65,7 @@Flytta Flytta %1$d transaktion(er) Destination Account -Access SD Card -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account Allmänt Om Choose default currency @@ -88,24 +80,16 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -143,10 +126,7 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-sw600dp/flags.xml b/app/src/main/res/values-sw600dp/flags.xml index b379cdfa4..339057261 100644 --- a/app/src/main/res/values-sw600dp/flags.xml +++ b/app/src/main/res/values-sw600dp/flags.xml @@ -16,5 +16,4 @@ -->- \ No newline at end of file diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index 96b87cdef..10d5f7534 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -18,9 +18,7 @@true diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 1e24940ed..f1b0c1c18 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -117,12 +117,12 @@ Hesap Oluştur Hesabı Düzenle -Bilgilendirme -Dışarı Aktar… -Bir hesaba yeni bir işlem ekle +Bir hesaba yeni bir işlem ekle View account details No accounts to display Hesap adı @@ -36,9 +34,7 @@Tutar New transaction No transactions to display -DATE & TIME -Hesap -DEBIT +DEBIT KREDİ Hesaplar İşlemler @@ -47,16 +43,13 @@İptal Silinmiş hesap Confirm delete -All transactions in this account will also be deleted -Edit Transaction +Edit Transaction Add note -TAŞI -%1$d seçildi +%1$d seçildi Bakiye: Export To: Export Transactions -Export all transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export @@ -72,8 +65,7 @@Move Move %1$d transaction(s) Destination Account -SD Kart Erişimi -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account Genel Hakkında Varsayılan para birimini seçin @@ -88,24 +80,16 @@Display account Hide account balance in widget Hesap Oluştur -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -Lisans +No accounts exist in GnuCash.\nCreate an account before adding a widget +Lisans Apache Lisansı v2.0. Detaylar için tıklayın Genel Tercihler Hesap seçin There are no transactions available to export -Passcode -Passcode Preferences -Passcode Turned On -Passcode Turned Off -Change Passcode +Passcode Preferences +Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -123,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Bakiye Enter an account name to create an account @@ -143,10 +126,7 @@Yoksay Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -159,19 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Hesap Türü -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! -Transactions +Transactions Sub-Accounts Arama Default Export Format File format to use by default when exporting transactions -Export transactions… -Recurrence +Recurrence Imbalance Exporting transactions @@ -216,12 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - -Transactions +Transactions Select destination for export Memo Spend @@ -239,17 +211,14 @@Invoice Buy Sell -Repeats -No recent backup found -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -259,19 +228,16 @@Line Chart Bar Chart Report Preferences -Select currency -Account color in reports +Account color in reports Use account color in the bar/pie chart -Reports -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Overall -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -288,23 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file -Backup Preferences +Backup Preferences Create Backup By default backups are saved to the SDCARD Select a specific backup to restore Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions -Export… +Export… Settings User Name Password @@ -335,11 +297,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -349,8 +309,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details -Next +Next Done Default Currency Account Setup @@ -370,9 +329,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -390,8 +347,7 @@Assets Liabilities Equity -- Move to: +Move to: Group By Month Quarter @@ -405,8 +361,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 600526a2b..54b620eb1 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 84ca634b0..4de8f4240 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -117,11 +117,10 @@ Створити рахунок Редагувати рахунок -Інформація -Експортувати OFX -Додати до рахунку нову транзакцію +Додати до рахунку нову транзакцію View account details Немає рахунків Ім\'я рахунку @@ -36,9 +34,7 @@Сума Нова транзакція Немає транзакцій -ДАТА & ЧАС -Рахунок -ДЕБЕТ +ДЕБЕТ КРЕДИТ Рахунки Транзакції @@ -47,16 +43,13 @@Скасувати Рахунок видалений Підтвердіть видалення -Все транзакції цього рахунку будуть видалені -Редагувати транзакцію +Редагувати транзакцію Опис -ПЕРЕНЕСТИ -%1$d обрано +%1$d обрано Баланс: Export To: Експорт транзакцій -Експортувати все -Експортувати всі транзакції, а не тільки нові. +Експортувати всі транзакції, а не тільки нові. Помилка при експорті %1$s Експорт Delete transactions after export @@ -72,8 +65,7 @@Перенести Перенести %1$d транзакц(ію,ії,ій) Рахунок-одержувач -Доступ до карти пам\'яті -Неможливо перенести транзакції.\nРахунок-одержувач використовує іншу валюту. +Неможливо перенести транзакції.\nРахунок-одержувач використовує іншу валюту. Загальні Про програму Оберіть валюту за замовчуванням @@ -88,24 +80,16 @@Показати рахунок Hide account balance in widget Створити рахунки -Оберіть рахунки для створення -Немає рахунків в Gnucash.\nСтворіть рахунки перед додаваням віджета. -Версія збірки -Ліцензія +Немає рахунків в Gnucash.\nСтворіть рахунки перед додаваням віджета. +Ліцензія Apache License v2.0. Натисніть, щоб переглянути. Загальні налаштування Оберіть рахунок Немає транзакцій для експорту -Пароль -Захист паролем -Використовується пароль -Пароль не використовується -Змінити пароль +Захист паролем +Змінити пароль Про Gnucash -A mobile finance management and expense-tracker designed for Android -Про програму -Файл %1$s експортований в:\n -Експорт %1$s-файлу із Gnucash Android +Експорт %1$s-файлу із Gnucash Android GnuCash Android експорт з Транзакції Властивості транзакції @@ -123,8 +107,7 @@Завжди видаляти експортоване Електронна пошта для експорту Поштова скринька за замовчуванням для експорту. Можете змінювати її в процесі. -Трансфертний рахунок -Всі транзакції будуть переказами з одного рахунку на інший. +Всі транзакції будуть переказами з одного рахунку на інший. Активувати подвійний запис Баланс Введіть ім\'я створюваного рахунку @@ -143,10 +126,7 @@Відмовитися Введіть суму, щоб зберегти транзакцію -Мультивалютні транзакції не можуть бути редаговані -Імпортувати рахунки із GnuCash -Імпортувати рахунки -Сталася помилка при імпорті рахунків із GnuCash +Сталася помилка при імпорті рахунків із GnuCash Рахунки із GnuCash успішно імпортовані Імпорт структури рахунків із GnuCash для ПК Імпортувати рахунки із GnuCash @@ -155,19 +135,16 @@Рахунки Всі рахунки видалено Ви дійсно хочете видалити всі рахунки та транзакції?\nЦе не можна буде скасувати! -Тип рахунку -Усі транзакції в усіх рахунках будуть видалені! +Усі транзакції в усіх рахунках будуть видалені! Видалити всі транзакції Всі транзакції видалені Рахунки імпортуються -Натисніть ще раз для підтвердження. ВСІ записи будуть видалені! -Транзакції +Транзакції Дочірні рахунки Пошук Формат експорту за замовчуванням Формат файлу, який використовується за умовчанням при експорті -Експортувати транзакції… -Запланована транзакція +Запланована транзакція Дисбаланс Транзакції експортуються @@ -213,12 +190,7 @@Створення стандартної структури рахунків GnuCash Створення стандартних рахунків A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Заплановані транзакції -Ласкаво просимо в GnuCash для Android!\n - Ви можете створити структуру часто використовуваних рахунків, або імпортувати її з GnuCash.\n\n - Обидві можливості доступні з налаштувань програми, якщо ви захочете зробити це пізніше. - -Заплановані транзакції +Заплановані транзакції Оберіть місце призначення експорту Пам\'ятка Трата @@ -236,17 +208,14 @@Чек Купівля Продаж -Повтори -Немає резервної копії -Початкове сальдо +Початкове сальдо Власні кошти Увімкніть щоб зберегти поточний баланс (перед видаленням транзакцій) як нове початкове сальдо після їх видалення Зберігати початкове сальдо рахунків OFX не підтримує транзакції подвійного запису Створює на кожну валюту окремий QIF файл -Частини транзакції -Дисбаланс: +Дисбаланс: Додати частину Закладки Бокове меню відкрито @@ -256,19 +225,16 @@Лінійний графік Гістограма Налаштування звітів -Виберіть валюту -Колір рахунку в звіті +Колір рахунку в звіті Використовувати колір рахунку в звітах -Звіти -Відсортувати за розміром +Відсортувати за розміром Показати легенду Показати ярлики Показати відсотки Показати середі лінії Групувати дрібні частинки Немає даних для діаграми -За весь час -Загальна сума +Загальна сума Інше Відсотки рахуються від загальної суми Відсотки рахуються від вибраного стовпчика @@ -285,23 +251,19 @@Резервне копіюванняе Enable exporting to DropBox Enable exporting to ownCloud -Оберіть файл GnuCash XML -Налаштування резервного копіювання +Налаштування резервного копіювання Створити резервну копію За замовчуванням резервні копії зберігаються на карту пам\'яті Вибір резервної копії для відновлення Резервна копія створена Не вийшло створити резервну копію Будуть експортовані всі рахунки і транзакції -Enable Google Drive -Enable exporting to Google Drive -Встановіть програму для перегляду файлової системи +Встановіть програму для перегляду файлової системи Оберіть резервну копію для відновлення Закладки Відкрити… Звіти -Заплановані транзакції -Експорт… +Експорт… Налаштування User Name Password @@ -336,11 +298,9 @@Вести журнал відмов програми Вести журнал відмов програми (рекомендуємо). Обіцяємо не збирати приватну інформацію. Формат -Каталог для резервних копій не знайдено. Карта пам\'яті точно підключена? -Введіть старий пароль +Введіть старий пароль Введіть новий пароль -Запланований експорт -Запланований експорт +Запланований експорт Ви ще не планували експорт даних Створити розклад експорту Експортовано в: %1$s @@ -350,8 +310,7 @@Немає закладок рахунків Заплановані заходи "Закінчений, останнє виконання " -Виберіть стовпчик щоб побачити деталі -Наступне +Наступне Завершити Валюта по замовчуванню Налаштування облікового запису @@ -371,9 +330,7 @@Перевірте щоб всі частинки мали допустимі суми перед збереженням! Недопустимий вираз! Запланувати повторюванні транзакції -Необхідний курс обміну -Необхідний сума обміну -Переведення грошей +Переведення грошей Виберіть частинку, щоб побачити деталі Період: @@ -391,8 +348,7 @@Активи Борги Акції -- Перемістити в: +Перемістити в: Групувати за Місяцями Кварталами @@ -406,8 +362,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index 8babcdfdd..48620de4d 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -18,8 +18,6 @@diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index c537b6843..5b8d6b85f 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -117,12 +117,12 @@ Create Account Edit Account -Info -Export… Add a new transaction to an account View account details No accounts to display @@ -36,8 +34,6 @@Amount New transaction No transactions to display -DATE & TIME -Account DEBIT CREDIT Accounts @@ -47,15 +43,12 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted Edit Transaction Add note -MOVE %1$d selected Balance: Export To: Export Transactions -Export all transactions By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export @@ -72,7 +65,6 @@Move Move %1$d transaction(s) Destination Account -Access SD Card Cannot move transactions.\nThe destination account uses a different currency from origin account General About @@ -88,23 +80,15 @@Display account Hide account balance in widget Create Accounts -Select accounts to create No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Passcode Preferences -Passcode Turned On -Passcode Turned Off Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n GnuCash Android %1$s export GnuCash Android Export from Transactions @@ -123,7 +107,6 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account All transactions will be a transfer from one account to another Activate Double Entry Balance @@ -143,9 +126,6 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop @@ -159,18 +139,15 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… Recurrence Imbalance @@ -215,11 +192,6 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - Transactions Select destination for export Memo @@ -238,8 +210,6 @@Invoice Buy Sell -Repeats -No recent backup found Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions @@ -247,7 +217,6 @@ Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits Imbalance: Add split Favorite @@ -258,10 +227,8 @@Line Chart Bar Chart Report Preferences -Select currency Account color in reports Use account color in the bar/pie chart -Reports Order by size Show legend Show labels @@ -269,7 +236,6 @@Show average lines Group Smaller Slices No chart data available -Overall Total Other The percentage of selected value calculated from the total amount @@ -287,7 +253,6 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file Backup Preferences Create Backup By default backups are saved to the SDCARD @@ -295,14 +260,11 @@Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions Export… Settings User Name @@ -330,10 +292,8 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! Enter your old passcode Enter your new passcode -Scheduled Exports Exports No scheduled exports to display Create export schedule @@ -344,7 +304,6 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details Next Done Default Currency @@ -365,8 +324,6 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required Transfer Funds Select a slice to see details @@ -385,7 +342,6 @@Assets Liabilities Equity -Move to: Group By Month @@ -400,7 +356,6 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets Cash Flow Budgets Enable compact view diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index a5b97a905..e566303e4 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -18,9 +18,7 @@创建科目 编辑科目 -信息 -导出... -为科目增加交易 +为科目增加交易 View account details 没有可以显示的科目 科目名称 @@ -36,9 +34,7 @@金额 新建交易 没有可以显示的交易 -日期时间 -科目 -借方 +借方 贷方 科目 交易 @@ -47,16 +43,13 @@取消 科目已删除 确认删除 -本科目中的所有交易会同时被删除 -修改交易 +修改交易 备注 -移动 -已选中 %1$d 项 +已选中 %1$d 项 科目余额: 导出到: 导出交易 -导出所有交易 -默认情况下,自上次导出后新增的交易才会被导出。选择此项后所有的交易都会被导出。 +默认情况下,自上次导出后新增的交易才会被导出。选择此项后所有的交易都会被导出。 导出%1$s发生错误 导出 导出后删除交易 @@ -72,8 +65,7 @@移动 移动 %1$d 笔交易 目的科目 -访问 SD Card -不能移动交易。\n两个科目的货币设置不一样。 +不能移动交易。\n两个科目的货币设置不一样。 常规 关于 选择默认货币 @@ -88,24 +80,16 @@显示科目 Hide account balance in widget 创建科目 -选择要创建的科目 -GnuCash里还没有科目信息。\n使用小部件前需要添加科目 -版本号 -授权许可 +GnuCash里还没有科目信息。\n使用小部件前需要添加科目 +授权许可 Apache License v2.0,点击查看明细(将打开网页) 通用 选择科目 没有需要导出的交易 -密码 -密码设置 -已开启密码保护 -已关闭密码保护 -修改密码 +密码设置 +修改密码 关于GnuCash -Android版财务管理软件 -关于 -%1$s文件导出到:\n -GnuCash Android %1$s 导出 +GnuCash Android %1$s 导出 GnuCash 导出的数据 交易 交易设置 @@ -123,8 +107,7 @@删除已导出的交易 Email设置 默认发送导出的文件到这个E-mail地址,当然在导出时仍然可以变更。 -交易科目 -所有交易会记录为由一个科目到另一个科目的资金流动 +所有交易会记录为由一个科目到另一个科目的资金流动 使用复式记账法 科目余额 需要输入科目名称 @@ -143,10 +126,7 @@知道了 输入金额才能保存交易 -不支持修改多币种的交易 -导入GnuCash科目 -导入科目 -导入 GnuCash 科目时发生错误。 +导入 GnuCash 科目时发生错误。 GnuCash 科目资料导入完成。 导入从GnuCash桌面版导出的科目设置 导入GnuCash XML @@ -157,19 +137,16 @@所有科目都已删除 确定删除所有科目和交易? \n这个操作不能撤销! -科目类型 -所有科目的所有的交易信息将被删除! +所有科目的所有的交易信息将被删除! 删除所有交易 所有交易都已删除 导入科目 -再次点击确认,所有条目都将删除。 -交易 +交易 子科目 搜索 默认的导出格式 导出交易信息时默认使用的文件格式。 -导出交易… -重复 +重复 不平衡的 正在导出交易信息 @@ -213,10 +190,7 @@创建通用的科目结构 创建默认科目 将会创建带有默认科目的新账簿\n\n现在这个账簿不会受到影响 -计划的交易 -欢迎使用GnuCash Android! \n你可以选择:1)创建常用的科目结构,2)导入自定义的科目结构。\n\n或者您也可以稍后在设置中进行选择。 - -交易 +交易 选择导出的目标 描述 花费 @@ -234,16 +208,13 @@发票 买入 卖出 -重复 -还没有备份 -期初余额 +期初余额 所有者权益 当删除所有交易后,还保持当前的账户余额作为新的期初余额。 保存账户的期初余额 OFX 格式不支持复式簿记 每种货币都会生成一个QIF文件 -拆分交易 -不平衡的: +不平衡的: 添加一行 收藏 打开导航抽屉 @@ -253,19 +224,16 @@折线图 柱状图 报表设置 -报表使用的货币 -用不同颜色区分科目 +用不同颜色区分科目 在饼图中使用科目的颜色 -报表 -按数量排序 +按数量排序 显示图例 显示标签 显示占比 显示平均线 合并太小的数据 没有数据可显示 -全部 -总计 +总计 其他 百分比按照总金额占比来计算 百分比按照柱状图比例计算 @@ -282,23 +250,19 @@备份 启用导出到DropBox 启用导出到 ownCloud -选择GnuCash XML文件 -备份设置 +备份设置 创建备份 备份会保存到SD卡上 选择恢复到哪一个备份 备份成功 备份失败 导出所有科目和交易 -启用 Google Drive -启用导出到 Google Drive -你需要安装一个文件管理器 +你需要安装一个文件管理器 选择备份 收藏 打开... 报表 -计划交易 -导出... +导出... 设置 用户名 密码 @@ -325,11 +289,9 @@启用崩溃日志 发送崩溃日志给开发者来帮助改进软件,里面没有个人的隐私信息。 文件格式: -找不到备份目录,请确认SD卡正常。 -先输入现在的密码 +先输入现在的密码 请输入新密码 -定时备份 -定时备份 +定时备份 没有备份任务 创建定时备份 导出到:%1$s @@ -339,8 +301,7 @@没有加星标的科目 定时任务 "Ended, last executed on " -点击柱状图查看详情 -下一步 +下一步 完成 默认的货币 科目设置 @@ -360,9 +321,7 @@保存之前请检查拆分交易的各项金额有效! 算式不完整! 计划的交易 -没有填写汇率 -没有填写换算好的金额 -转账 +转账 点击切片查看详情 时间段: @@ -380,8 +339,7 @@资产 负债 所有者权益 -- 移动到: +移动到: 分组 月 季度 @@ -395,8 +353,7 @@没有合适的应用接受导出的文件 移动... 复制 -预算 -现金流 +现金流 预算 启用精简视图 交易列表总是用精简视图显示 diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index ea205020f..1786b95b8 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -18,9 +18,7 @@diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index b093ec1cb..124a7dd82 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -117,11 +117,10 @@ 新增科目 編輯科目 -資訊 -匯出OFX -给科目添加交易 +给科目添加交易 View account details 没有要显示的科目 科目名稱 @@ -36,9 +34,7 @@金額 新交易 没有要顯示的交易 -日期時間 -科目 -借方 +借方 貸方 科目 交易 @@ -47,16 +43,13 @@取消 科目已删除 確認刪除 -科目中的交易记录同时会被删除 -編輯交易 +編輯交易 備註 -移動 -%1$d 已選中 +%1$d 已選中 合計: 匯出至: 匯出交易資料 -匯出所有交易资料 -預設情况下,自上次匯出後新增的交易才會被匯出。選擇此項後所有的交易都會被匯出。 +預設情况下,自上次匯出後新增的交易才會被匯出。選擇此項後所有的交易都會被匯出。 匯出%1$s發生錯誤 匯出 匯出後刪除交易記錄 @@ -72,8 +65,7 @@移動 移動 %1$d 交易 目標科目 -訪問 SD 卡 -不能移動交易。\n兩個會計科目的貨幣設置不一样。 +不能移動交易。\n兩個會計科目的貨幣設置不一样。 一般設定 關於 選擇預設貨幣 @@ -88,24 +80,16 @@顯示科目名字 Hide account balance in widget 创建科目 -選擇要建立的科目 -GnuCash裡還没有會計科目信息。\n使用小部件前需要添加會計科目 -版本号 -授權許可 +GnuCash裡還没有會計科目信息。\n使用小部件前需要添加會計科目 +授權許可 Apache License v2.0,點擊查看詳细(將打開網頁)。 一般偏好設定 選擇科目 没有需要匯出的交易 -密碼 -密碼設置 -已開啟密碼保護 -没有設置密碼 -修改密碼 +密碼設置 +修改密碼 關於GnuCash -专為 android 系統設計的財務管理和費用跟蹤軟體 -關於 -匯出到 %1$s 檔︰ \n -GnuCash Android %1$s 匯出 +GnuCash Android %1$s 匯出 GnuCash 匯出 交易 交易設置 @@ -123,8 +107,7 @@刪除已匯出的交易 email設置 預設發送匯出的OFX文件到這個email地址,在匯出時你仍然可以改變email地址。 -交易科目 -所有交易會顯示成兩行,複式簿記 +所有交易會顯示成兩行,複式簿記 使用複式簿記 餘額 需要輸入科目名稱 @@ -142,10 +125,7 @@ - 多個 bug 修復\n知道了 輸入金額才能保存交易 -不支持修改多貨幣種類的交易 -匯入GnuCash科目 -匯入科目 -匯入GnuCash科目时發生錯誤。 +匯入GnuCash科目时發生錯誤。 GnuCash科目資料匯入完成。 匯入從GnuCash桌面版匯出的科目設置 匯入GnuCash科目 @@ -155,19 +135,16 @@科目 所有科目都已删除 確定刪除所有科目和交易? \n這個操作不能撤銷! -帳戶類型 -所有科目的所有的交易信息將被刪除! +所有科目的所有的交易信息將被刪除! 删除所有交易 所有交易都已删除 匯入科目 -點擊再次確認,所有條目都將刪除。 -交易 +交易 子科目 搜索 預設的匯出格式 匯出交易信息時使用的文件格式。 -匯出交易… -重複 +重複 失調 正在匯出交易信息 @@ -212,10 +189,7 @@建立預設科目 将会创建新的账簿附带默认的科目 现在这个账簿不会受到影响 -計劃的交易 -歡迎使用GnuCash Android! \n你可以選擇:1)建立常用的會計科目結構,2)匯入自定義的會計科目結構。\或者稍後再决定,兩種選擇也能在設置中找到。 - -交易 +交易 選擇儲存的位置 描述 花費 @@ -233,16 +207,13 @@發票 買入 賣出 -重複 -還没有備份 -起始結餘 +起始結餘 所有者權益 當刪除所有交易後,保留現存(刪除前)的帳戶餘額作為新的期初餘額。 保存账户的起始結餘 OFX格式不支持複式簿記 每種貨幣都會產生一個QIF文件 -分割交易 -失調 +失調 添加一行 收藏 打开导航 @@ -252,19 +223,16 @@折線圖 橫條圖 報表設置 -報表使用的貨幣 -用不同顏色区分科目 +用不同顏色区分科目 在饼图中使用科目的颜色 -報表 -按數量排序 +按數量排序 顯示圖例 顯示標籤 顯示百分比 显示平均线 合併數目較小的數據 没有數據可顯示 -总览 -總計 +總計 其他 所選值的百分比從總金額中計算 百分比按照柱状图比例计算 @@ -281,23 +249,19 @@備份 啟用匯出到 DropBox 啟用匯出到 ownCloud -選擇GnuCash XML 檔 -備份設置 +備份設置 建立備份 備份會保存到SD卡上 選擇恢復到哪一個備份 備份成功 備份失敗 匯出所有科目和交易 -啟用 Google Drive -啟用匯出到 Google Drive -你需要安裝一個文件管理器 +你需要安裝一個文件管理器 選擇備份 收藏 打開... 報表 -排程交易 -匯出... +匯出... 設置 帳號 密碼 @@ -326,11 +290,9 @@ No user-identifiable information will be collected as part of this process!格式 -找不到備份目錄,請確認SD卡正常。 -先輸入現在的密碼 +先輸入現在的密碼 請輸入新密碼 -定時備份 -定時備份 +定時備份 没有備份任務 建立定時備份 匯出到:%1$s @@ -340,8 +302,7 @@ No user-identifiable information will be collected as part of this process!沒有最星标的科目 計畫的操作 "Ended, last executed on " -選擇欄以查看詳細資訊 -下一个 +下一个 完成 預設貨幣: 科目设置 @@ -361,9 +322,7 @@ No user-identifiable information will be collected as part of this process!保存之前请检查拆分交易的各项金额有效! 運算式有誤 排程交易 -需要填写匯率 -没有填写换算好的金额 -轉帳 +轉帳 選擇一個切片以查看詳細資訊 时间段 @@ -381,8 +340,7 @@ No user-identifiable information will be collected as part of this process!資產 負債 財產淨值 -- 移動至 +移動至 分组方式 月 季度 @@ -396,8 +354,7 @@ No user-identifiable information will be collected as part of this process!没有合适的应用接收汇出的文档 移動... 複製 -預算 -現金流 +現金流 預算 啟用紧凑視圖 交易清單總是啟用緊湊視圖 diff --git a/app/src/main/res/values/dimens.xml b/app/src/main/res/values/dimens.xml index f9e3843cf..d79778e9a 100644 --- a/app/src/main/res/values/dimens.xml +++ b/app/src/main/res/values/dimens.xml @@ -16,15 +16,11 @@ -->- diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index ca29af2b7..7337ae4ea 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -117,11 +117,10 @@3dp 10dp -8dp -14sp 16sp -18sp 12dp 8dp -20dp 10dp 5dp 64dip diff --git a/app/src/main/res/values/donottranslate.xml b/app/src/main/res/values/donottranslate.xml index 4885d0d6a..aa1a56cb0 100644 --- a/app/src/main/res/values/donottranslate.xml +++ b/app/src/main/res/values/donottranslate.xml @@ -2,7 +2,6 @@diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index e566303e4..92b99c9f7 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -18,7 +18,7 @@ default_currency key_first_run -build_version app_license enable_passcode change_passcode @@ -18,7 +17,6 @@delete_all_accounts delete_all_transactions default_export_format -recurring_transaction_ids create_default_accounts save_opening_balances restore_backup @@ -30,14 +28,11 @@owncloud_sync_username owncloud_sync_password create_backup -google_drive_sync google_drive_app_folder -report_currency enable_crashlytics use_account_color last_export_destination use_compact_list -prefs_header_general dropbox_access_token backup_location diff --git a/app/src/main/res/values/flags.xml b/app/src/main/res/values/flags.xml index c52481552..339057261 100644 --- a/app/src/main/res/values/flags.xml +++ b/app/src/main/res/values/flags.xml @@ -16,5 +16,4 @@ -->- \ No newline at end of file diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 486c60aec..a37229a67 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -18,8 +18,6 @@false diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index 194c26600..614a9f9a0 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -18,7 +18,7 @@ Create Account Edit Account -Info -Export… Add a new transaction to an account View account details No accounts to display @@ -36,8 +34,6 @@Amount New transaction No transactions to display -DATE & TIME -Account DEBIT CREDIT Accounts @@ -47,15 +43,12 @@Cancel Account deleted Confirm delete -All transactions in this account will also be deleted Edit Transaction Add note -MOVE %1$d selected Balance: Export To: Export Transactions -Export all transactions By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export @@ -71,7 +64,6 @@Move Move %1$d transaction(s) Destination Account -Access SD Card Cannot move transactions.\nThe destination account uses a different currency from origin account General About @@ -87,23 +79,17 @@Display account Hide account balance in widget Create Accounts -Select accounts to create -No accounts exist in GnuCash.\nCreate an account before adding a widget -Build version -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Passcode Preferences Enable passcode Change Passcode About GnuCash -A mobile finance management and expense-tracker designed for Android -About -%1$s file exported to:\n -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -121,8 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -Transfer Account -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -141,9 +126,6 @@Dismiss Enter an amount to save the transaction -Multi-currency transactions cannot be modified -Import GnuCash Accounts -Import Accounts An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop @@ -157,18 +139,15 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -Account Type All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Tap again to confirm. ALL entries will be deleted!! Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Export transactions… Recurrence Imbalance @@ -216,11 +195,6 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions -Welcome to GnuCash Android! \nYou can either create - a hierarchy of commonly-used accounts, or import your own GnuCash account structure. \n\nBoth options are also - available in app Settings so you can decide later. - Transactions Select destination for export Memo @@ -239,8 +213,6 @@Invoice Buy Sell -Repeats -No recent backup found Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions @@ -248,7 +220,6 @@ Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Transaction splits Imbalance: Add split Favorite @@ -259,10 +230,8 @@Line Chart Bar Chart Report Preferences -Select currency Account color in reports Use account color in the bar/pie chart -Reports Order by size Show legend Show labels @@ -270,7 +239,6 @@Show average lines Group Smaller Slices No chart data available -Overall Total Other The percentage of selected value calculated from the total amount @@ -288,7 +256,6 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Select GnuCash XML file Backup Preferences Create Backup Create a backup of the active book @@ -296,14 +263,11 @@Backup successful Backup failed Exports all accounts and transactions -Enable Google Drive -Enable exporting to Google Drive Install a file manager to select files Select backup to restore Favorites Open… Reports -Scheduled Transactions Export… Settings User Name @@ -339,10 +303,8 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Backup folder cannot be found. Make sure the SD Card is mounted! Enter your old passcode Enter your new passcode -Scheduled Exports Exports No scheduled exports to display Create export schedule @@ -353,7 +315,6 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Select a bar to view details Next Done Default Currency @@ -374,8 +335,6 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -An exchange rate is required -The converted amount is required Transfer Funds Select a slice to see details @@ -394,7 +353,6 @@Assets Liabilities Equity -Move to: Group By Month @@ -409,7 +367,6 @@No compatible apps to receive the exported transactions! Move… Duplicate -Budgets Cash Flow Budgets Enable compact view diff --git a/app/src/main/res/values/styles.xml b/app/src/main/res/values/styles.xml index 70c707e2f..939ecf318 100644 --- a/app/src/main/res/values/styles.xml +++ b/app/src/main/res/values/styles.xml @@ -33,10 +33,6 @@- center_vertical
- - diff --git a/app/src/main/res/xml/fragment_book_preferences.xml b/app/src/main/res/xml/fragment_book_preferences.xml deleted file mode 100644 index 624ed13ae..000000000 --- a/app/src/main/res/xml/fragment_book_preferences.xml +++ /dev/null @@ -1,4 +0,0 @@ - -- - \ No newline at end of file diff --git a/app/src/main/res/xml/preference_headers.xml b/app/src/main/res/xml/preference_headers.xml deleted file mode 100644 index 36568aa69..000000000 --- a/app/src/main/res/xml/preference_headers.xml +++ /dev/null @@ -1,32 +0,0 @@ - - -- \ No newline at end of file From 132a52611fa59c4e59723209e77376487ddb3171 Mon Sep 17 00:00:00 2001 From: Ngewi Fet- - - - - - -- Date: Mon, 24 Apr 2017 23:16:00 +0200 Subject: [PATCH 37/45] Update translations to capture new strings from default values e.g. new lists for export targets - for consistent indices in the UI --- app/src/main/res/values-af-rZA/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-ar-rSA/strings.xml | 94 +++++++++++++--------- app/src/main/res/values-ca-rES/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-cs-rCZ/strings.xml | 93 ++++++++++++--------- app/src/main/res/values-de/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-el-rGR/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-en-rGB/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-es-rMX/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-es/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-fi-rFI/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-fr/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-hu-rHU/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-in-rID/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-it-rIT/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-iw-rIL/strings.xml | 94 +++++++++++++--------- app/src/main/res/values-ja-rJP/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-ko-rKR/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-lv-rLV/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-nb/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-nl-rNL/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-no-rNO/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-pl-rPL/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-pt-rBR/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-pt-rPT/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-ro-rRO/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-ru/strings.xml | 93 ++++++++++++--------- app/src/main/res/values-sr-rSP/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-sv-rSE/strings.xml | 92 ++++++++++++--------- app/src/main/res/values-tr-rTR/strings.xml | 90 ++++++++++++--------- app/src/main/res/values-uk-rUA/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-vi-rVN/strings.xml | 27 +++++-- app/src/main/res/values-zh-rCN/strings.xml | 91 ++++++++++++--------- app/src/main/res/values-zh-rTW/strings.xml | 91 ++++++++++++--------- 33 files changed, 1777 insertions(+), 1176 deletions(-) diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml index 32b74abc9..6889cd439 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -18,7 +18,7 @@ Create Account Edit Account -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -34,7 +34,7 @@Amount New transaction No transactions to display -DEBIT +DEBIT CREDIT Accounts Transactions @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +301,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +313,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +333,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +351,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +365,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -432,8 +436,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index e16776a0c..5eac310ff 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -18,7 +18,7 @@ Create Account Edit Account -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -34,7 +34,7 @@Amount New transaction No transactions to display -DEBIT +DEBIT CREDIT Accounts Transactions @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -197,7 +197,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -215,14 +215,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -232,16 +232,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -258,19 +258,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -282,6 +282,14 @@OC server OK OC username/password OK Dir name OK ++ - Every %d hours
+- Hourly
+- Every %d hours
+- Every %d hours
+- Every %d hours
+- Every %d hours
+- Every %d days
- Daily
@@ -317,9 +325,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -329,7 +337,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -349,7 +357,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -367,7 +375,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -381,7 +389,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -460,8 +468,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index cd859a40a..0c5893eea 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -18,7 +18,7 @@ Crea un compte Edita el compte -Afegeix un assentament nou al compte +Afegeix un assentament nou al compte View account details No hi ha comptes per mostrar Nom del compte @@ -34,7 +34,7 @@Import Transacció Nova No hi ha cap transacció per mostrar -DÈBIT +DÈBIT CRÈDIT Comptes Assentaments @@ -43,29 +43,28 @@Cancel·la S\'ha eliminat el compte Confirma la supressió -Edita l\'assentament +Edita l\'assentament Afegiu una nota -%1$d seleccionats +%1$d seleccionats Saldo: Exporta a: Exporta els assentaments -Per defecte, només s\'exportaran les transaccions noves des de l\'última exportació. Marqueu aquesta opció per exportar totes les transaccions +Per defecte, només s\'exportaran les transaccions noves des de l\'última exportació. Marqueu aquesta opció per exportar totes les transaccions S\'ha produït un error en exportar el fitxer %1$s Exporta Suprimeix les transaccions després d\'exportar S\'eliminaran totes les transaccions exportades en finalitzar l\'exportació Preferències - - Targeta SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Envia a…
+- Send to…
Mou Mou %1$d transaccions Compte destí -No s\'han pogut moure les transaccions.\nEl compte desti utilitza una moneda diferent del compte origen +No s\'han pogut moure les transaccions.\nEl compte desti utilitza una moneda diferent del compte origen General Quant a Trieu la moneda per defecte @@ -80,16 +79,17 @@Display account Hide account balance in widget Crea els comptes -No hi ha comptes en GnuCash.\nCreeu un compte abans d\'afegir un giny -Llicència +No hi ha comptes en GnuCash.\nCreeu un compte abans d\'afegir un giny +Llicència Llicència Apache 2.0. Feu clic per a més detalls Preferències generals Seleccioneu un compte No hi ha cap transacció per exportar -PreferèncIes de contrasenya -Canvia la contrasenya +PreferèncIes de contrasenya +Enable passcode +Canvia la contrasenya Quant a GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export Exportació de GnuCash Android de Assentaments Preferències d\'assentaments @@ -107,7 +107,7 @@Suprimeix els assentaments exportats Adreça electrònica d\'exportació per defecte L\'adreça electrònica per defecte on enviar les exportacions. La podeu canviar quan exporteu. -Totes les transaccions seran una transferència d\'un compte a un altre +Totes les transaccions seran una transferència d\'un compte a un altre Activar la doble entrada Balanç Introduïu un nom de compte per crear el compte @@ -126,7 +126,7 @@Dismiss Introduïu una quantitat per desar l\'assentament -S\'ha produït un error en importar els comptes de GnuCash +S\'ha produït un error en importar els comptes de GnuCash S\'han importat els comptes de GnuCash correctament Importa l\'estructura de comptes exportada des de GnuCash per escriptori Importa XML de GnuCash @@ -137,16 +137,16 @@Comptes S\'han suprimit tots els comptes Esteu segur que voleu suprimir tots els comptes i transaccions?\n\nAquesta operació no es pot desfer! -Es suprimiran totes les transaccions de tots els comptes! +Es suprimiran totes les transaccions de tots els comptes! Suprimeix tots els assentaments S\'han suprimit totes les transaccions! S\'estan important els comptes -Assentaments +Assentaments Subcomptes Cerca Format d\'exportació per defecte Format de fitxer a utilitzar per defecte en exportar transaccions -Periodicitat +Periodicitat Desequilibri S\'estan exportant les transaccions @@ -191,7 +191,7 @@Crea l\'estructura de comptes per defecte de GnuCash d\'ús més comú Crea els comptes per defecte A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Assentaments +Assentaments Seleccioneu un destí per l\'exportació Memo Gastar @@ -209,14 +209,14 @@Factura Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX no soporta transaccions de doble entrada Genera fitxers QIF separats per moneda -Desequilibri: +Desequilibri: Afegeix desglós Preferit Navigation drawer opened @@ -226,16 +226,16 @@Line Chart Bar Chart Preferències d\'informes -Account color in reports +Account color in reports Use account color in the bar/pie chart -Ordena per mida +Ordena per mida Mostra la llegenda Mostra les etiquetes Mostra el percentatge Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -252,19 +252,19 @@Còpia de seguretat Habilita l\'exportació a DropBox Habilita l\'exportació a ownCloud -Preferències de còpia de seguretat +Preferències de còpia de seguretat Fer una còpia de seguretat -Per defecte les còpies de seguretat es desen a la tarjeta SD -Seleccioneu una còpia de seguretat per restaurar +Create a backup of the active book +Restore most recent backup of active book La còpia de seguretat s\'ha fet correctament S\'ha produït un error en fer la còpia de seguretat Exporta tots els comptes i transaccions -Instal•leu un gestor de fitxers per seleccionar fitxers +Instal•leu un gestor de fitxers per seleccionar fitxers Seleccioneu una còpia de seguretat per restaurar Preferits Obre… Informes -Exporta… +Exporta… Preferències Nom d\'usuari Contrasenya @@ -276,6 +276,10 @@Servidor d\'OC correcte Nom d\'usuari/contrasenya d\'OC correcte Nom de carpeta correcte ++ - Hourly
+- Every %d hours
+- Diàriament
- Cada %d dies
@@ -295,9 +299,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Introduiu la contrasenya antiga +Introduiu la contrasenya antiga Introduiu la contrasenya nova -Exportacions +Exportacions No hi ha cap transacció planificada per mostrar Crea una exportació periòdica S\'ha exportat a: %1$s @@ -307,7 +311,7 @@No hi ha comptes preferits Accions periòdiques "Ended, last executed on %1$s" -Següent +Següent Fet Moneda per defecte Account Setup @@ -327,7 +331,7 @@Check that all splits have valid amounts before saving! Expressió invàlida! S\'ha planificat la transacció recurrent -Transfer Funds +Transfer Funds Select a slice to see details Període: @@ -345,7 +349,7 @@Actiu Passiu Equity -Mou a: +Mou a: Agrupa per Mes Quarter @@ -359,7 +363,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -430,8 +434,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index f689db185..ef94323f0 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -18,7 +18,7 @@ Vytvořit účet Upravit účet -Přidat novou transakci na účet +Přidat novou transakci na účet Zobrazit podrobnosti o účtu Žádné účty ke zobrazení Název účtu @@ -34,7 +34,7 @@Částka Nová transakce Žádné transakce k zobrazení -DEBET +DEBET ÚVĚR Účty Transakce @@ -43,29 +43,28 @@Zrušit Účet smazán Potvrdit smazání -Upravit transakci +Upravit transakci Přidat poznámku -Vybráno %1$d +Vybráno %1$d Bilance: Exportovat do: Exportovat transakce -Ve výchozím nastavení jsou exportovány pouze nové transakce přidané od posledního exportu. Zaškrtněte tuto volbu, chcete-li exportovat všechny transakce +Ve výchozím nastavení jsou exportovány pouze nové transakce přidané od posledního exportu. Zaškrtněte tuto volbu, chcete-li exportovat všechny transakce Chyba při exportu %1$s souboru Exportovat Odstranit transakce po exportu Všechny exportované transakce budou odstraněny po dokončení exportu Nastavení - - SD karta
+- Save As…
- Dropbox
-- Google disk
- ownCloud
-- Odeslat…
+- Send to…
Přesunout Přesunout transakci(e) %1$d Cílový účet -Nelze přesunout transakce.\nCílový účet používá jinou měnu než původu účet +Nelze přesunout transakce.\nCílový účet používá jinou měnu než původu účet Všeobecné O Produktu Vyberte výchozí měnu @@ -80,16 +79,17 @@Zobrazit účet Skrýt zůstatek účtu ve widget Vytvořit účet -Neexistují účty v GnuCash.\nVytvořte účet před přidáním widgetu -Licence +Neexistují účty v GnuCash.\nVytvořte účet před přidáním widgetu +Licence Licence Apache v2.0. Klikněte pro podrobnosti Všeobecné předvolby Vybrat účet Neexistují žádné transakce pro export -Předvolby hesla -Změnit heslo +Předvolby hesla +Enable passcode +Změnit heslo O GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android exportováno z Transakce Transakce předvolby @@ -107,7 +107,7 @@Odstranit exportované transakce Výchozí exportní e-mail Výchozí e-mailovou adresa pro export. Můžete změnit při exportu. -Všechny transakce budou převedeny z jednoho účtu na jiný +Všechny transakce budou převedeny z jednoho účtu na jiný Activate Double Entry Zůstatek Zadejte název účtu pro jeho vytvoření @@ -126,7 +126,7 @@Dismiss Zadejte částku k uložení transakce -Při importu GnuCash účtů došlo k chybě +Při importu GnuCash účtů došlo k chybě GnuCash účty úspěšně importovány Importovat strukturu účtu exportovaného z GnuCash pro stolní počítače Importovat GnuCash XML @@ -135,16 +135,16 @@Účty Všechny účty byly úspěšně smazány Opravdu chcete smazat všechny účty a transakce? \n\nTato operaci nelze vrátit zpět! -Budou smazány všechny transakce ve všech účtech! +Budou smazány všechny transakce ve všech účtech! Smazat všechny transakce Všechny transakce byly úspěšně smazány! Importování účtů -Transakce +Transakce Sub-Accounts Vyhledat Výchozí formát pro Export File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -190,7 +190,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -208,13 +208,13 @@Faktura Koupit Prodej -Počáteční zůstatky +Počáteční zůstatky Vlastní kapitál Povolit uložení saldo běžného účtu (před odstraněním transakcí) jako nový počáteční zůstatek po odstranění transakcí Uložit počáteční zůstatek účet OFX nepodporuje transakce podvojného účetnictní Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -224,16 +224,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -250,19 +250,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -274,6 +274,11 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +302,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +314,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +334,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +352,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +366,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -434,8 +439,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index d1375e974..363e3bb54 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -18,7 +18,7 @@ Neues Konto Konto bearbeiten -Neue Buchung in ein Konto +Neue Buchung in ein Konto View account details Keine Konten vorhanden Kontoname @@ -34,7 +34,7 @@Betrag Neue Buchung Keine Buchungen vorhanden -Soll +Soll Haben Konten Buchungen @@ -43,29 +43,28 @@Abbrechen Das Konto wurde gelöscht Löschen bestätigen -Buchung bearbeiten +Buchung bearbeiten Notizen -%1$d ausgewählt +%1$d ausgewählt Saldo: Exportziel Buchungen exportieren -Auswählen, um alle Buchungen zu exportieren. Andernfalls werden nur die neuen Buchungen seit letztem Export exportiert. +Auswählen, um alle Buchungen zu exportieren. Andernfalls werden nur die neuen Buchungen seit letztem Export exportiert. Fehler beim Exportieren der %1$s-Datei Exportieren Buchungen nach dem Export löschen Alle exportierten Buchungen werden nach dem Export gelöscht. Einstellungen - - SD-Kartenspeicher
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Senden an…
+- Send to…
Verschieben %1$d Buchung(en) verschieben Zielkonto -Buchungen könnten nicht verschoben werden.\Die Währung des Zielkontos ist inkompatibel +Buchungen könnten nicht verschoben werden.\Die Währung des Zielkontos ist inkompatibel Allgemein Über GnuCash Standardwährung auswählen @@ -80,16 +79,17 @@Konto anzeigen Hide account balance in widget Konten erstellen -Keine Konten vorhanden.\nErstellen Sie ein Konto um Widgets hinzuzufügen -Lizenz +Keine Konten vorhanden.\nErstellen Sie ein Konto um Widgets hinzuzufügen +Lizenz Apache License v2.0. Klicken für Details Allgemein Konto auswählen Keine Buchungen zum Exportieren -Sicherheit -PIN ändern +Sicherheit +Enable passcode +PIN ändern Über GnuCash -GnuCash Android exportierte %1$s-Datei +GnuCash Android exportierte %1$s-Datei GnuCash-Android-Konten-Export von Buchungen Einstellungen Buchungen @@ -107,7 +107,7 @@Alle exportierten Buchungen löschen Standard Export E-Mail Die Standard-E-Mail, an die exportierte OFX Dateien geschickt werden. Sie können diese immer noch beim Exportieren ändern. -Alle Buchungen stellen eine Überweisung von einem Konto zu einem anderen dar +Alle Buchungen stellen eine Überweisung von einem Konto zu einem anderen dar Doppelte Buchführung aktivieren Kontostand Geben Sie einen Kontonamen ein, um das Konto zu erstellen @@ -126,7 +126,7 @@Schließen Geben Sie einen Betrag ein, um die Buchung speichern zu können -Beim Importieren der GnuCash-Konten ist ein Fehler aufgetreten! +Beim Importieren der GnuCash-Konten ist ein Fehler aufgetreten! GnuCash-Konten wurden erfolgreich importiert Importiere Kontenstruktur, welche von der Desktop-Version von GnuCash exportiert wurde GnuCash-Konten importieren @@ -137,16 +137,16 @@Wollen Sie wirklich ALLE Konten und Buchungen löschen? \n\nDiese Operation kann nicht rückgängig gemacht werden! -Alle Buchungen in allen Konten werden gelöscht +Alle Buchungen in allen Konten werden gelöscht Alle Buchungen löschen Alle Buchungen wurden erfolgreich gelöscht Konten werden importiert -Buchungen +Buchungen Unterkonten Suchen Standard-Export-Format Dateiformat, welches standardmäßig verwendet wird, wenn Buchungen exportiert werden -Wiederholung +Wiederholung Ausgleichskonto Die Buchungen werden exportiert @@ -191,7 +191,7 @@Erstellt die häufig verwendeten Standard-GnuCash-Konten Standard-Konten erstellen Ein neues Buch wird mit den Standardkonten geöffnet\n\nIhre aktuellen Konten und Buchungen werden nicht geändert! -Eingeplante Buchungen +Eingeplante Buchungen Exportziel auswählen Buchungstext Ausgabe @@ -209,14 +209,14 @@Rechnung Kauf Verkauf -Anfangsbestand +Anfangsbestand Eigenkapital Möglichkeit aktivieren, den aktuellen Saldo als neuen Anfangsbestand nach dem Löschen der Buchungen zu übernehmen Saldo als neuen Anfangsbestand übernehmen OFX unterstützt keine doppelte Buchführung Erzeugt eine QIF-Datei für jede Währung -Differenz: +Differenz: Split hinzufügen Favorit Navigationsleiste geöffnet @@ -226,16 +226,16 @@Liniendiagramm Balkendiagramm Berichte -Kontofarbe +Kontofarbe Verwende Kontofarben in Balken- und Tortendiagrammen -Nach Größe sortieren +Nach Größe sortieren Legende anzeigen Beschreibung anzeigen Prozent anzeigen Durchschnitt anzeigen Kleine Segmente zusammenfassen Keine Daten zum anzeigen gefunden -Summe +Summe Sonstige Der Prozentsatz wird aus der Gesamtsumme errechnet Der Prozentsatz wird vom Gesamtwert des Balkens errechnet @@ -252,19 +252,19 @@Backup Dropbox-Export aktivieren ownCload-Export aktivieren -Sicherungs-Einstellungen +Sicherungs-Einstellungen Sicherung erstellen -Sicherungen werden auf der SDCARD gespeichert -Wähle eine Sicherungskopie zur Wiederherstellung aus +Create a backup of the active book +Restore most recent backup of active book Sicherung erfolgreich Sicherung fehlgeschlagen Alle Konten und Buchungen werden exportiert -Installieren Sie einen Dateimanager um Dateien auszuwählen +Installieren Sie einen Dateimanager um Dateien auszuwählen Wähle eine Sicherungskopie Favoriten Öffnen… Berichte -Exportieren… +Exportieren… Einstellungen Benutzername Passwort @@ -276,6 +276,10 @@OC-Server OK OC Benutzername/Passwort OK Dir-Name OK ++ - Hourly
+- Every %d hours
+- Täglich
- Jeden %d. Tag
@@ -296,9 +300,9 @@Enable to send information about malfunctions to the developers for improvement (recommended). No user-identifiable information will be collected as part of this process! Format -Alten PIN eingeben +Alten PIN eingeben Neuen PIN eingeben -Scheduled Exports +Scheduled Exports Keine geplanten Exporte Wiederkehrenden Export erstellen Exportiert auf %1$s @@ -308,7 +312,7 @@ No user-identifiable information will be collected as part of this process!Keine bevorzugten KontenGeplante Aktionen "Ended, last executed on " -Weiter +Weiter Fertig Standardwährung Konto einrichten @@ -328,7 +332,7 @@ No user-identifiable information will be collected as part of this process!Prüfen Sie vor dem Speichern, ob alle Buchungsteile gültige Beträge enthalten!Ungültiger Ausdruck! Geplante wiederkehrende Buchung -Überweisungen +Überweisungen Tippe auf ein Segment um Details zu sehen Zeitraum: @@ -346,7 +350,7 @@ No user-identifiable information will be collected as part of this process!VermögenVerbindlichkeiten Eigenkapital -Verschieben nach: +Verschieben nach: Gruppieren nach Monat Quartal @@ -360,7 +364,7 @@ No user-identifiable information will be collected as part of this process!Es gibt keine kompatible App, welche die exportierten Buchungen empfangen kann!Bewegen… Duplizieren -Geldfluss +Geldfluss Budgets Kompaktansicht verwenden Aktivieren, um stets die Kompaktansicht für die Buchungsliste zu verwenden @@ -431,8 +435,22 @@ No user-identifiable information will be collected as part of this process!Im Play Store empfehlenbis %1$s am %1$s -%1$s mal +for %1$d times Kompakte Ansicht Buch %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-en-rGB/strings.xml b/app/src/main/res/values-en-rGB/strings.xml index b02505400..87c3a750b 100644 --- a/app/src/main/res/values-en-rGB/strings.xml +++ b/app/src/main/res/values-en-rGB/strings.xml @@ -18,7 +18,7 @@ Δημιουργία Λογαριασμού Επεξεργασία Λογαριασμού -Προσθήκη μιας νέας συναλλαγής σε ένα λογαριασμό +Προσθήκη μιας νέας συναλλαγής σε ένα λογαριασμό View account details Δεν υπάρχουν λογαριασμοί για εμφάνιση Όνομα λογαριασμού @@ -34,7 +34,7 @@Ποσό Νέα συναλλαγή Δεν υπάρχουν συναλλαγές για εμφάνιση -ΧΡΕΩΣΗ +ΧΡΕΩΣΗ ΠΙΣΤΩΣΗ Λογαριασμοί Συναλλαγές @@ -43,29 +43,28 @@Ακύρωση Ο λογαριασμός διαγράφηκε Επιβεβαίωση διαγραφής -Επεξεργασία Συναλλαγής +Επεξεργασία Συναλλαγής Σημείωση -%1$d επιλέχθηκε +%1$d επιλέχθηκε Υπόλοιπο: Εξαγωγή σε: Export transactions -Προεπιλεγμένα, μόνο οι νέες συναλλαγές από τη τελευταία εξαγωγή θα εξαχθούν. Ενεργοποίησε αυτή την επιλογή για την εξαγωγή όλων των συναλλαγών +Προεπιλεγμένα, μόνο οι νέες συναλλαγές από τη τελευταία εξαγωγή θα εξαχθούν. Ενεργοποίησε αυτή την επιλογή για την εξαγωγή όλων των συναλλαγών Σφάλμα εξαγωγής δεδομένων %1$s Εξαγωγή Διαγραφή συναλλαγών μετά την εξαγωγή Όλες οι συναλλαγές που εξάγονται, θα διαγραφούν με την ολοκλήρωση της εξαγωγής Ρυθμίσεις - - Κάρτα SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Μετακίνηση Μετακίνησε %1$d συναλλαγή(ες) Λογιαριασμός Προορισμού -Αδυναμία μετακίνησης συναλλαγών.\nΟ λογαριασμός προορισμού χρησιμοποιεί διαφορετικό νόμισμα από το λογαριασμό προέλευσης +Αδυναμία μετακίνησης συναλλαγών.\nΟ λογαριασμός προορισμού χρησιμοποιεί διαφορετικό νόμισμα από το λογαριασμό προέλευσης Γενικές Πληροφορίες Προεπιλογή νομίσματος @@ -80,17 +79,18 @@Εμφάνιση λογαριασμού Hide account balance in widget Δημιουργία Λογαριασμών -Δεν υπάρχουν λογαριασμοί στο + Δεν υπάρχουν λογαριασμοί στο GnuCash.\nΔημιουργήστε ενα λογαριασμό πριν προσθέσετε ένα γραφικό στοιχείο -Άδεια χρήσης +Άδεια χρήσης Άδεια χρήσης Apache v2.0. Επιλέξτε για λεπτομέρειες Γενικά Επιλογή Λογαριασμού Δεν υπάρχουν διαθέσιμες συναλλαγές για εξαγωγή -Προτιμήσεις Κωδικού -Αλλαγή Κωδικού +Προτιμήσεις Κωδικού +Enable passcode +Αλλαγή Κωδικού Πληροφορίες για GnuCash -Εξαγωγή GnuCash Android %1$s +Εξαγωγή GnuCash Android %1$s Εξαγωγή GnuCash Android προς Κινήσεις Προτιμήσεις Κινήσεων @@ -108,7 +108,7 @@Διαγραφή εξηγμένων κινήσεων Προεπιλεγμένο email εξαγωγής Η προεπιλεγμένη διεύθυνση email για αποστολή εξαγωγών. Μπορείτε να το αλλάξετε και κατα την εξαγωγή. -Όλες οι κινήσεις θα μεταφερθούν από τον ένα λογαριασμό στον άλλο. +Όλες οι κινήσεις θα μεταφερθούν από τον ένα λογαριασμό στον άλλο. Ενεργοποίηση Διπλών Λογιστικών Εγγραφών Υπόλοιπο Εισαγωγή ονόματος λογαριασμού @@ -129,7 +129,7 @@ Απόρριψη Εισαγωγή ποσού για αποθήκευση κίνησης -Προέκυψε σφάλμα κατά την + Προέκυψε σφάλμα κατά την εισαγωγή λογαριασμών GnuCash Λογαριασμοί GnuCash εισήχθησαν με επιτυχία @@ -146,18 +146,18 @@Σίγουρα θέλετε να διαγράψετε όλους του λογαριασμούς και τις κινήσεις; \nΑυτή η ενέργεια δε μπορεί να αναιρεθεί! -Όλες οι κινήσεις σε όλους + Όλες οι κινήσεις σε όλους τους λογαριασμούς θα διαγραφούν! Διαγραφή όλων των κινήσεων Όλες οι κινήσεις διαγράφηκαν με επιτυχία! Εισαγωγή λογαριασμών -Κινήσεις +Κινήσεις Υπο-Λογαριασμοί Αναζήτηση Προεπιλεγμένη Μορφή Εξόδου Μορφή αρχείου για προεπιλεγμένη χρήση κατά την εξαγωγή κινήσεων. -Επαναλαμβανόμενη +Επαναλαμβανόμενη Imbalance Εξαγωγή κινήσεων @@ -202,7 +202,7 @@Δημιουργία προεπιλεγμένης συχνά χρησιμοποιούμενης δομής λογαριασμών GnuCash Δημιουργία προεπιλεγμένων λογαριασμών A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Προγραμματισμένες Κινήσεις +Προγραμματισμένες Κινήσεις Select destination for export Memo Spend @@ -220,14 +220,14 @@Invoice Buy Sell -Αρχικά υπόλοιπα +Αρχικά υπόλοιπα Καθαρή Θέση Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -237,16 +237,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -263,19 +263,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open... Reports -Export... +Export... Settings User Name Password @@ -287,6 +287,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -308,9 +312,9 @@ No user-identifiable information will be collected as part of this process!Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports +Scheduled Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -320,7 +324,7 @@ No user-identifiable information will be collected as part of this process!No favorite accounts Scheduled Actions "Ended, last executed on " -Next +Next Done Default Currency Account Setup @@ -340,7 +344,7 @@ No user-identifiable information will be collected as part of this process!Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -358,7 +362,7 @@ No user-identifiable information will be collected as part of this process!Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -372,7 +376,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -443,8 +447,22 @@ No user-identifiable information will be collected as part of this process!Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml index 92b09d168..c6fb0bd6f 100644 --- a/app/src/main/res/values-es-rMX/strings.xml +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -18,7 +18,7 @@ Create Account Edit Account -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -34,7 +34,7 @@Amount New transaction No transactions to display -DEBIT +DEBIT CREDIT Accounts Transactions @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favourite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favourites Open… Reports -Export… +Export… Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +301,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +313,7 @@No favourite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +333,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +351,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +365,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -432,8 +436,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index c6acad36c..e7270ba85 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -18,7 +18,7 @@ Crear Cuenta Editar Cuenta -Añadir una nueva transacción a una cuenta +Añadir una nueva transacción a una cuenta Ver detalles de la cuenta No hay cuentas que mostrar Nombre de la cuenta @@ -34,7 +34,7 @@Importe Nueva transacción No hay transacciones -CARGO +CARGO ABONO Cuentas Transacciones @@ -43,29 +43,28 @@Cancelar Cuenta borrada Confirmar borrado -Editar Transacción +Editar Transacción Nota -%1$d seleccionado +%1$d seleccionado Saldo: Exportar A: Exportar Transacciones -Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones +Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones Error exportando datos %1$s Exportar Borrar transacciones despues de exportar Todas las transacciones exportadas serán borradas cuando la exportación haya terminado Ajustes - - Tarjeta SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Enviar a…
+- Send to…
Mover Mover %1$d transacción(es) Cuenta Destino -No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen +No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen General Acerca de Elegir divisa por defecto @@ -80,16 +79,17 @@Mostrar cuentas Ocultar el saldo de la cuenta en widget Crear Cuentas -No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget -Licencia +No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget +Licencia Apache License v2.0. Clic para más detalles General Seleccionar Cuenta No hay transacciones disponibles para exportar -Ajustes de contraseña -Cambiar Contraseña +Ajustes de contraseña +Enable passcode +Cambiar Contraseña Acerca de Gnucash -Exportación %1$s de Gnucash Android +Exportación %1$s de Gnucash Android Exportación de Gnucash Transacciones Preferencias de transacciones @@ -107,7 +107,7 @@Borrar las transacciones exportadas Correo electrónico para exportar por defecto La dirección de correo electrónico a la que enviar las exportaciones por defecto. Se puede cambiar en cada exportación. -Todas las transacciones serán transferidas de una cuenta a otra +Todas las transacciones serán transferidas de una cuenta a otra Activar Doble Entrada Saldo Introduzca un nombre de cuenta para crear una cuenta @@ -125,7 +125,7 @@ - Múltiples fallos solucionados y otras mejoras\nCerrar Introduzca un importe para guardar la transacción -Ocurrió un error al importar las cuentas de GnuCash +Ocurrió un error al importar las cuentas de GnuCash Cuentas de GnuCash importadas con éxito Importas estructura de cuentas exportada desde GnuCash para escritorio Importas cuentas de GnuCash @@ -136,16 +136,16 @@Todas las cuentas han sido borradas con éxito ¿Borrar todas la cuentas y transacciones? \nEsta operación no se puede deshacer. -Todas las transacciones en todas las cuentas serán borradas +Todas las transacciones en todas las cuentas serán borradas Borrar todas las transacciones Todas las transacciones han sido borradas con éxito Importando cuentas -Transacciones +Transacciones Sub-Cuentas Buscar Formato de exportación por defecto Formato de archivo para usar por defecto al exportar transacciones -Recurrencia +Recurrencia Descuadre Exportando transacciones @@ -190,7 +190,7 @@Crea una estructura por defecto de cuentas GnuCash comúnmente usadas Crear cuentas por defecto Se abrirá un nuevo libro con las cuentas por defecto\n\nSus cuentas y transacciones actuales no se modificarán! -Transacciones Programadas +Transacciones Programadas Seleccionar destino para exportar Nota Gastar @@ -208,14 +208,14 @@Factura Comprar Vender -Saldo de apertura +Saldo de apertura Resultado Seleccionar para guardar el saldo actual (antes de borrar las transacciones) como nuevo saldo de apertura despues de borrar las transacciones Guardar saldos de apertura OFX no soporta transacciones de doble entrada Genera archivos QIF individuales por divisa -Descuadre: +Descuadre: Añadir desglose Favorito Cajón de navegación abierto @@ -225,16 +225,16 @@Gráfico de línea Gráfico de barras Preferencias de informe -Color de la cuenta en los informes +Color de la cuenta en los informes Usar el color de la cuenta en las gráficas de barra y tarta -Ordenar por tamaño +Ordenar por tamaño Mostrar leyenda Mostrar etiquetas Mostrar porcentaje Mostar lineas de media Agrupar porciones pequeñas Datos del gráfico no disponibles -Total +Total Otros El porcentaje del valor seleccionado calculado sobre la cantidad total El porcentaje del valor seleccionado calculado sobre la cantidad de la barra apilada actual @@ -251,19 +251,19 @@Copia de seguridad Habilitar exportar a DropBox Habilitar exportar a ownCloud -Preferencias de copia de seguridad +Preferencias de copia de seguridad Crear copia de seguridad -Por defecto las copias de seguridad se guardan en la tarjeta SD -Seleccione una copia de seguridad a restaurar +Create a backup of the active book +Restore most recent backup of active book Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones -Instale un gestor de archivos para seleccionar archivos +Instale un gestor de archivos para seleccionar archivos Seleccione la copia de seguridad a restaurar Favoritos Abrir… Informes -Exportar… +Exportar… Ajustes Nombre de usuario Contraseña @@ -275,6 +275,10 @@Servidor OC correcto Usuario/contraseña OC correctos Nombre del directorio correcto ++ - Hourly
+- Every %d hours
+- Diario
- Cada %d días
@@ -295,9 +299,9 @@Activar para enviar información de errores a los desarolladores (recomendado). Este proceso solo recoge información que no permite identificar al usuario Formato -Introduzca su contraseña antigua +Introduzca su contraseña antigua Introduzca su contraseña nueva -Exportaciones programadas +Exportaciones programadas No hay exportaciones programadas que mostrar Crear programación de exportación Exportado a: %1$s @@ -307,7 +311,7 @@ Este proceso solo recoge información que no permite identificar al usuarioNo hay cuentas favoritasAcciones Programadas "Completada, última ejecución " -Siguiente +Siguiente Hecho Divisa por defecto Configuración de cuenta @@ -327,7 +331,7 @@ Este proceso solo recoge información que no permite identificar al usuarioCompruebe que los desgloses tengan cantidades válidas antes de guardar.Expresión inválida Programar una transacción recurrente -Transferir Fondos +Transferir Fondos Seleccione una porción para ver los detalles Periodo: @@ -345,7 +349,7 @@ Este proceso solo recoge información que no permite identificar al usuarioActivoPasivo Acciones -Mover a: +Mover a: Agrupar por Mes Trimestre @@ -359,7 +363,7 @@ Este proceso solo recoge información que no permite identificar al usuario¡No hay aplicaciones compatibles para recibir las transacciones exportadas!Mover… Duplicar -Flujo de efectivo +Flujo de efectivo Presupuestos Activar la vista compacta Activar para usar siempre la vista compacta en la lista de transacciones @@ -430,8 +434,22 @@ Este proceso solo recoge información que no permite identificar al usuarioRecomendar en Play Storehasta %1$s en %1$s -%1$s veces +for %1$d times Vista compacta Libro %1$d nunca +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index 967f0e666..0b531595c 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -18,7 +18,7 @@ Crear cuenta Editar cuenta -Añadir una nueva transacción a una cuenta +Añadir una nueva transacción a una cuenta Ver detalles de la cuenta No hay cuentas que mostrar Nombre de la cuenta @@ -34,7 +34,7 @@Importe Nueva transacción No hay transacciones -CARGO +CARGO ABONO Cuentas Transacciones @@ -43,29 +43,28 @@Cancelar Cuenta borrada Confirmar borrado -Editar Transacción +Editar Transacción Nota -%1$d seleccionado +%1$d seleccionado Saldo: Exportar a: Exportar Transacciones -Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones +Por defecto solo las nuevas transacciones desde la última exportación serán exportadas. Seleccione esta opción para exportar todas las transacciones Error exportando datos %1$s Exportar Borrar las transacciones exportadas Todas las transacciones exportadas serán borradas cuando la exportación haya terminado Ajustes - - Tarjeta SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Enviar a…
+- Send to…
Mover Mover %1$d transacción(es) Cuenta Destino -No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen +No se pueden mover las transacciones.\nLa cuenta destino utiliza una divisa distinta a la de la cuenta de origen Ajustes generales Acerca de Elegir divisa por defecto @@ -80,16 +79,17 @@Mostrar cuentas Ocultar el saldo de la cuenta en widget Crear Cuentas -No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget -Licencia +No hay cuentas en Gnucash.\nCree una cuenta antes de añadir un widget +Licencia Apache License v2.0. Clic para más detalles General Seleccionar Cuenta No hay transacciones disponibles para exportar -Ajustes de contraseña -Cambiar Contraseña +Ajustes de contraseña +Enable passcode +Cambiar Contraseña Acerca de Gnucash -Exportación %1$s de Gnucash Android +Exportación %1$s de Gnucash Android Exportación de Gnucash Transacciones Preferencias de transacciones @@ -107,7 +107,7 @@Borrar las transacciones exportadas Correo electrónico para exportar por defecto La dirección de correo electrónico a la que enviar las exportaciones por defecto. Se puede cambiar en cada exportación. -Todas las transacciones serán transferidas de una cuenta a otra +Todas las transacciones serán transferidas de una cuenta a otra Activar Doble Entrada Saldo Introduzca un nombre de cuenta para crear una cuenta @@ -124,7 +124,7 @@ - Múltiples fallos solucionados y otras mejoras\nCerrar Introduzca un importe para guardar la transacción -Ocurrió un error al importar las cuentas de GnuCash +Ocurrió un error al importar las cuentas de GnuCash Cuentas de GnuCash importadas con éxito Importas estructura de cuentas exportada desde GnuCash para escritorio Importas cuentas de GnuCash @@ -135,16 +135,16 @@Todas las cuentas han sido borradas con éxito ¿Borrar todas la cuentas y transacciones? \nEsta operación no se puede deshacer. -Todas las transacciones en todas las cuentas serán borradas +Todas las transacciones en todas las cuentas serán borradas Borrar todas las transacciones Todas las transacciones han sido borradas con éxito Importando cuentas -Transacciones +Transacciones Sub-Cuentas Buscar Formato de exportación por defecto Formato de archivo para usar por defecto al exportar transacciones -Recurrencia +Recurrencia Descuadre Exportando transacciones @@ -189,7 +189,7 @@Crea una estructura por defecto de cuentas GnuCash comúnmente usadas Crear cuentas por defecto Se abrirá un nuevo libro con las cuentas por defecto\n\nSus cuentas y transacciones actuales no se modificarán. -Transacciones Programadas +Transacciones Programadas Seleccionar destino para exportar Memo Gastar @@ -207,14 +207,14 @@Factura Comprar Vender -Saldo de apertura +Saldo de apertura Resultado Seleccionar para guardar el saldo actual (antes de borrar las transacciones) como nuevo saldo de apertura despues de borrar las transacciones Guardar saldos de apertura OFX no soporta transacciones de doble entrada Genera archivos QIF individuales por divisa -Descuadre: +Descuadre: Añadir desglose Favorito Cajón de navegación abierto @@ -224,16 +224,16 @@Gráfico de línea Gráfico de barras Preferencias de informe -Color de la cuenta en los informes +Color de la cuenta en los informes Usar el color de la cuenta en las gráficas de barra y tarta -Ordenar por tamaño +Ordenar por tamaño Mostrar leyenda Mostrar etiquetas Mostrar porcentaje Mostar lineas de media Agrupar porciones pequeñas Datos del gráfico no disponibles -Total +Total Otros El porcentaje del valor seleccionado calculado sobre la cantidad total El porcentaje del valor seleccionado calculado sobre la cantidad de la barra apilada actual @@ -250,19 +250,19 @@Copia de seguridad Habilitar exportar a DropBox Habilitar exportar a ownCloud -Preferencias de copia de seguridad +Preferencias de copia de seguridad Crear copia de seguridad -Por defecto las copias de seguridad se guardan en la tarjeta SD -Seleccione una copia de seguridad a restaurar +Create a backup of the active book +Restore most recent backup of active book Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones -Instale un gestor de archivos para seleccionar archivos +Instale un gestor de archivos para seleccionar archivos Seleccione la copia de seguridad a restaurar Favoritos Abrir… Informes -Exportar… +Exportar… Ajustes Nombre de usuario Contraseña @@ -274,6 +274,10 @@Servidor OC correcto Usuario/contraseña OC correctos Nombre del directorio correcto ++ - Hourly
+- Every %d hours
+- Diario
- Cada %d días
@@ -294,9 +298,9 @@Activar para enviar información de errores a los desarolladores (recomendado). Este proceso solo recoge información que no permite identificar al usuario Formato -Introduzca su contraseña antigua +Introduzca su contraseña antigua Introduzca su contraseña nueva -Exportaciones programadas +Exportaciones programadas No hay exportaciones programadas que mostrar Crear programación de exportación Exportado a: %1$s @@ -306,7 +310,7 @@ Este proceso solo recoge información que no permite identificar al usuarioNo hay cuentas favoritasAcciones Programadas "Completada, última ejecución " -Siguiente +Siguiente Hecho Divisa por defecto Configuración de cuenta @@ -326,7 +330,7 @@ Este proceso solo recoge información que no permite identificar al usuarioCompruebe que los desgloses tengan cantidades válidas antes de guardar.Expresión inválida Programar una transacción recurrente -Transferir Fondos +Transferir Fondos Seleccione una porción para ver los detalles Periodo: @@ -344,7 +348,7 @@ Este proceso solo recoge información que no permite identificar al usuarioActivoPasivo Acciones -Mover a: +Mover a: Agrupar por Mes Trimestre @@ -358,7 +362,7 @@ Este proceso solo recoge información que no permite identificar al usuario¡No hay aplicaciones compatibles para recibir las transacciones exportadas!Mover… Duplicar -Flujo de efectivo +Flujo de efectivo Presupuestos Activar la vista compacta Activar para usar siempre la vista compacta en la lista de transacciones @@ -429,8 +433,22 @@ Este proceso solo recoge información que no permite identificar al usuarioRecomendar en Play Storehasta %1$s en %1$s -%1$s veces +for %1$d times Vista compacta Libro %1$d nunca +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index eb9438e70..30bee3c9c 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -18,7 +18,7 @@ Luo tili Muokkaa tiliä -Lisää uusi tapahtuma tilille +Lisää uusi tapahtuma tilille View account details Ei näytettävissä olevia tilejä Tilin nimi @@ -34,7 +34,7 @@Summa Uusi tapahtuma Ei näytettäviä tapahtumia -VELOITUS +VELOITUS HYVITYS Tilit Tapahtumat @@ -43,29 +43,28 @@Peruuta Tili poistettu Vahvista poistaminen -Muokkaa tapahtumaa +Muokkaa tapahtumaa Lisää huomautus -%1$d valittuna +%1$d valittuna Saldo: Export To: Vie tapahtumat -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +301,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +313,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +333,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +351,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +365,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -432,8 +436,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index 37c931d38..cb91f94a9 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -18,7 +18,7 @@ Créer un compte Éditer le compte -Ajoute une nouvelle transaction à un compte +Ajoute une nouvelle transaction à un compte Voir les détails du compte Aucun compte à afficher Nom du compte @@ -34,7 +34,7 @@Montant Nouvelle transaction Aucune transaction à afficher -DÉBIT +DÉBIT CRÉDIT Comptes Transactions @@ -43,29 +43,28 @@Annuler Compte supprimé Confirmer la suppression -Éditer la transaction +Éditer la transaction Ajouter note -%1$d sélectionné(s) +%1$d sélectionné(s) Solde: Exporter vers: Exporter les transactions -Par défaut, seules les nouvelles transactions depuis le dernier export seront exportées. Cochez cette option pour exporter toutes les transactions +Par défaut, seules les nouvelles transactions depuis le dernier export seront exportées. Cochez cette option pour exporter toutes les transactions Erreur lors de l\'export des données en %1$s Exporter Effacer les transactions après export Toutes les transactions exportées seront supprimées après l\'export Paramètres - - Carte SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Envoyer vers…
+- Send to…
Déplacer Déplacer %1$d transaction(s) Compte de destination -Impossible de déplacer les transactions.\nLe compte de destination utilise une monnaie différente du compte d\'origine +Impossible de déplacer les transactions.\nLe compte de destination utilise une monnaie différente du compte d\'origine Général À propos Choisisez une monnaie par défaut @@ -80,16 +79,17 @@Afficher le compte Cacher le solde du compte dans le widget Créer les comptes -Aucun compte existant dans GnuCash.\nCréez un compte avant d\'ajouter un widget -Licence +Aucun compte existant dans GnuCash.\nCréez un compte avant d\'ajouter un widget +Licence Apache License v2.0. Cliquez pour plus de détails Préférences Générales Sélectionner un compte Il n\'existe pas de transaction disponible pour l\'exportation -Préférences code d\'accès -Changer le code d\'accès +Préférences code d\'accès +Enable passcode +Changer le code d\'accès À propos de GnuCash -Exportation GnuCash Android %1$s +Exportation GnuCash Android %1$s GnuCash Android export de Transactions Préférences des transactions @@ -107,7 +107,7 @@Supprimer les transactions exportées Email d\'export par défaut Email par défaut pour les exports. Vous pourrez toujours le changer lors de votre prochain export. -Toutes les transactions seront un transfert d’un compte à un autre +Toutes les transactions seront un transfert d’un compte à un autre Activer la Double entrée Solde Entrer un nom de compte pour créer un compte @@ -120,7 +120,7 @@ -Support pour plusieurs livres comptables différents\n - Ajoute ownCloud comme destination pour les exportations\n - Vue compacte pour la liste de transactions\n - Nouvelle implémentation de l\'écran de verrouillage\n - Traitement amélioré des transactions programmées\n - Plusieurs corrections de bugs et améliorations\nPasser Entrez un montant pour sauvegarder la transaction -Une erreur s\'est produite pendant l\'import de vos comptes GnuCash +Une erreur s\'est produite pendant l\'import de vos comptes GnuCash Comptes GnuCash importés avec succès Importer la structure de compte exporté de GnuCash pour Bureau Import XML GnuCash @@ -129,16 +129,16 @@Comptes Tous les comptes ont été supprimés avec succès Êtes-vous sûr de vouloir supprimer tous les comptes et toutes les transactions?\nCette opération est définitive ! -Toutes les transactions sur tous les comptes seront supprimées ! +Toutes les transactions sur tous les comptes seront supprimées ! Supprimer toutes les transactions Toutes les transactions ont été supprimées avec succès ! Importation de comptes -Transactions +Transactions Sous-comptes Rechercher Format d\'export par défaut Format de fichier à utiliser par défaut pour l\'export des transactions -Récurrence +Récurrence Déséquilibre Exportation des transactions @@ -183,7 +183,7 @@Crée une structure de compte GnuCash par défaut couramment utilisé Crée comptes par défaut Un nouveau livre sera ouvert avec les comptes courants par défaut\n\n Vos comptes et opérations actuels ne seront pas modifiés ! -Transactions planifiées +Transactions planifiées Selectionnez une destination pour l\'export Memo Dépenser @@ -201,14 +201,14 @@Facture d\'achat Achat Vente -Soldes initiaux +Soldes initiaux Capitaux propres Permet d\'enregistrer le solde du compte courant (avant la suppression des transactions) comme le nouveau solde d\'ouverture après la suppression des transactions Enregistrer les soldes des comptes d\'ouverture OFX ne support pas les transactions à double entrée Génère un fichier QIF par monnaies -Déséquilibre : +Déséquilibre : Ajouter scission Favori Panneau de navigation ouvert @@ -218,16 +218,16 @@Graphique linéaire Histogramme Préférences de Rapport -Couleur du compte dans les rapports +Couleur du compte dans les rapports Utiliser la couleur du compte dans le diagramme bandes/circulaire -Tri par taille +Tri par taille Afficher la légende Afficher les libellés Montrer pourcentage Afficher les lignes moyennes Groupe par petites tranches Aucune données de graphe disponible -Total +Total Autre Le pourcentage de la valeur choisie, calculée à partir de la quantité totale Le pourcentage de la valeur choisie, calculée à partir de la quantité depuis le montant de la somme des barres @@ -244,19 +244,19 @@Sauvegarde Activer export vers DropBox Activer export vers owncloud -Sauvergarde Préférences +Sauvergarde Préférences Créer Sauvegarde -Par défaut les sauvegardes sont sauvegardées sur la carte SD -Sélectionner une sauvegarde spécifique à restaurer +Create a backup of the active book +Restore most recent backup of active book Sauvegarde réussie Échec de la sauvegarde Exporte tous les comptes et les transactions -Installez un gestionnaire de fichiers pour sélectionner les fichiers +Installez un gestionnaire de fichiers pour sélectionner les fichiers Sélectionnez une sauvegarde à restaurer Favoris Ouvrir… Rapports -Export… +Export… Paramètres Nom d\'utilisateur Mot de passe @@ -268,6 +268,10 @@Serveur OC OK Nom d’utilisateur/mot de passe OC OK Nom Répertoire OK ++ - Hourly
+- Every %d hours
+- Quotidien
- Tous les %d jours
@@ -287,9 +291,9 @@Activer le rapport de crash Envoyer automatiquement les informations de dysfonctionnement de l’app aux développeurs. Aucune information permettant d\'identifier l\'utilisateur ne sera recueillie dans le cadre de ce processus! Format -Entrez votre ancien mot de passe +Entrez votre ancien mot de passe Entrez votre nouveau mot de passe -Exports planifiés +Exports planifiés Pas d\'exports planifiés à afficher Créer un export planifié Exporté vers : %1$s @@ -299,7 +303,7 @@Aucun comptes favoris Actions prévues "Fini, dernière exécution le " -Suivant +Suivant Terminer Monnaie par défaut Configuration du Compte @@ -319,7 +323,7 @@Vérifiez que chaque découpe aient un montant valide avant de sauvgarder! Expression invalide! Transaction planifiée -Transfert de Fonds +Transfert de Fonds Sélectionnez une tranche pour voir les détails Période: @@ -337,7 +341,7 @@Actifs Dettes Capitaux propres -Déplacer vers: +Déplacer vers: Grouper par Mois Trimestre @@ -351,7 +355,7 @@Aucune application compatible pour recevoir les transactions exportées ! Déplacer… Dupliquer -Flux de trésorerie +Flux de trésorerie Budgets Activez le mode compact Activez pour toujours utiliser la vue compacte pour la liste des opérations @@ -422,8 +426,22 @@Recommander dans le PlayStore jusqu\'à %1$s sur %1$s -pour la %1$s fois +for %1$d times Vue compacte Livre %1$d jamais +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 14e566634..2592d2290 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -18,7 +18,7 @@ Fiók létrehozása Fiók szerkesztése -Új tranzakció hozzáadása egy fiókhoz +Új tranzakció hozzáadása egy fiókhoz View account details Nincs megjeleníthető fiók Fiók neve @@ -34,7 +34,7 @@Összeg Új tranzakció Nincs megjeleníthető tranzakció -DEBIT +DEBIT CREDIT Fiókok Tranzakicók @@ -43,29 +43,28 @@Mégsem Fiók törölve Törlése megerősítése -Edit Transaction +Edit Transaction Note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s data Export Delete transactions after export All exported transactions will be deleted when exporting is completed Beállítások - - SD-kártya
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Mozgatás Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash %1$s export +GnuCash %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash accounts @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions? \nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Scheduled Transactions +Scheduled Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Nyitóegyenlegek +Nyitóegyenlegek Saját tőke Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open... Reports -Export... +Export... Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -299,9 +303,9 @@ No user-identifiable information will be collected as part of this process!Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Scheduled Exports +Scheduled Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -311,7 +315,7 @@ No user-identifiable information will be collected as part of this process!No favorite accounts Scheduled Actions "Ended, last executed on " -Next +Next Done Default Currency Account Setup @@ -331,7 +335,7 @@ No user-identifiable information will be collected as part of this process!Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -349,7 +353,7 @@ No user-identifiable information will be collected as part of this process!Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -363,7 +367,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -434,8 +438,22 @@ No user-identifiable information will be collected as part of this process!Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 03b07fa81..7288957ee 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -18,7 +18,7 @@ Buat Akun Ubah Akun -Tambah transaksi baru ke akun +Tambah transaksi baru ke akun Lihat rincian akun Tidak ada akun untuk ditampilkan Nama akun @@ -34,7 +34,7 @@Jumlah Transaksi baru Tidak ada transaksi untuk ditampilkan -DEBIT +DEBIT KREDIT Akun Transaksi @@ -43,29 +43,28 @@Batal Akun dihapus Konfirmasi penghapusan -Ubah Transaksi +Ubah Transaksi Tambah catatan -%1$d dipilih +%1$d dipilih Saldo: Ekspor ke: Ekspor Transaksi -Secara default, hanya transaksi baru sejak ekspor terakhir yang akan diekspor. Beri centang pilihan ini untuk mengekspor semua transaksi +Secara default, hanya transaksi baru sejak ekspor terakhir yang akan diekspor. Beri centang pilihan ini untuk mengekspor semua transaksi Kesalahan mengekspor file %1$s Ekspor Hapus transaksi setelah mengekspor Semua transaksi yang diekspor akan dihapus saat proses ekspor selesai Pengaturan - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Kirim ke…
+- Send to…
Pindahkan Memindah transaksi %1$d Akun Tujuan -Tidak bisa memindah transaksi. \n Akun tujuan menggunakan mata uang yang berbeda dengan akun asal +Tidak bisa memindah transaksi. \n Akun tujuan menggunakan mata uang yang berbeda dengan akun asal Umum Tentang Pilih mata uang default @@ -80,16 +79,17 @@Tampilan akun Sembunyikan saldo akun dalam widget Buat akun -Tidak ada akun di GnuCash.\nBuat sebuah akun sebelum menambahkan sebuah widget -Lisensi +Tidak ada akun di GnuCash.\nBuat sebuah akun sebelum menambahkan sebuah widget +Lisensi Lisensi Apache v2.0. Klik untuk rincian Preferensi umum Pilih akun Tidak ada transaksi yang tersedia untuk diekspor -Pengaturan Kode Akses -Ganti Kode Akses +Pengaturan Kode Akses +Enable passcode +Ganti Kode Akses Tentang GnuCash -GnuCash Android %1$s ekspor +GnuCash Android %1$s ekspor GnuCash Android Ekspor dari Transaksi Preferensi Transaksi @@ -107,7 +107,7 @@Hapus transaksi yang diekspor Email ekspor default Alamat email default untuk mengirim ekspor. Anda tetap dapat mengubahnya saat Anda melakukan ekspor. -Seluruh transaksi akan menjadi sebuah transfer dari satu akun ke yang lainnya +Seluruh transaksi akan menjadi sebuah transfer dari satu akun ke yang lainnya Aktifkan Double Entry Saldo Tuliskan nama akun untuk membuat sebuah akun @@ -126,7 +126,7 @@Abaikan Tuliskan jumlah untuk menyimpan transaksi -Terjadi error saat mengimpor akun GnuCash +Terjadi error saat mengimpor akun GnuCash Akun GnuCash berhasil diimpor Mengimpor struktur akun yang telah diekspor dari GnuCash desktop Impor XML GnuCash @@ -137,16 +137,16 @@Akun Semua akun telah berhasil dihapus Apakah Anda yakin Anda ingin menghapus seluruh akun dan transaksi? \n\nOperasi ini tidak dapat dibatalkan! -Seluruh transaksi di semua akun akan dihapus! +Seluruh transaksi di semua akun akan dihapus! Hapus seluruh transaksi Seluruh transaksi berhasil dihapus! Mengimpor akun -Transaksi +Transaksi Sub-Akun Cari Formart Ekspor Default Format file untuk digunakan secara default ketika mengekspor transaksi -Perulangan +Perulangan Tak Seimbang Mengekspor transaksi @@ -190,7 +190,7 @@Buat struktur akun yang paling sering digunakan di GnuCash secara default Buat akun default A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transaksi +Transaksi Pilih tujuan untuk ekspor Memo Mengeluarkan @@ -208,13 +208,13 @@Invoice Beli Jual -Saldo Awal +Saldo Awal Ekuitas Aktifkan untuk menyimpan saldo akun (sebelum menghapus transaksi) sebagai saldo pembukaan setelah menghapus traksaksi Simpan saldo pembukaan akun OFX tidak mendukung transaksi double-entry Menghasilkan file QIF terpisah per mata uang -Tidak seimbang: +Tidak seimbang: Add split Favorit Navigation drawer opened @@ -224,16 +224,16 @@Bagan Garis Bagan Batang Pengaturan Laporan -Warna akun dalam laporan +Warna akun dalam laporan Gunakan warna akun di bagan batang/pai -Urut berdasarkan ukuran +Urut berdasarkan ukuran Tampilkan legenda Tampilkan label Tampilkan persentase Tampilkan garis rata-rata Group Smaller Slices Tidak ada data bagan tersedia -Total +Total Lainnya Persentase nilai yang dipilih dihitung dari jumlah total Persentase dari nilai yang dipilih dihitung dari jumlah batang yang ditumpuk saat ini @@ -250,19 +250,19 @@Cadangan Aktifkan mengekspor ke DropBox Aktifkan mengekspor ke ownCloud -Pengaturan Cadangan +Pengaturan Cadangan Membuat Cadangan -Secara default backup disimpan ke SDCARD -Pilih cadangan untuk dipulihkan +Create a backup of the active book +Restore most recent backup of active book Pencadangan berhasil Pencadangan gagal Ekspor seluruh akun dan transaksi -Install sebuah file manager untuk memilih file +Install sebuah file manager untuk memilih file Pilih backup untuk di-restore Favorit Buka… Laporan -Ekspor… +Ekspor… Pengaturan Nama Pengguna Kata Sandi @@ -274,6 +274,9 @@Server OC OK OC username/password OK Nama Dir OK ++ - Every %d hours
+@@ -289,9 +292,9 @@ - Setiap %d hari
Aktifkan Pencatatan Kerusakan Mengirim informasi secara otomatis tentang malfungsi aplikasi ke pengembang. Format -Masukkan kode akses lama Anda +Masukkan kode akses lama Anda Masukkan kode akses baru Anda -Ekspor +Ekspor Tidak ada ekspor terjadwal untuk ditampilkan Membuat jadwal ekspor Telah diekspor ke: %1$s @@ -301,7 +304,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -321,7 +324,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -339,7 +342,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -353,7 +356,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -422,8 +425,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index a27bad6ec..ca29af2b7 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -18,7 +18,7 @@ Crea conto Modifica conto -Aggiungi una nuova transazione al conto +Aggiungi una nuova transazione al conto Visualizza i dettagli dell\'account Nessun conto da visualizzare Nome conto @@ -34,7 +34,7 @@Importo Nuova transazione Nessuna transazione da visualizzare -DEBITO +DEBITO CREDITO Conti Transazioni @@ -43,29 +43,28 @@Annulla Conto eliminato Conferma eliminazione -Modifica transazione +Modifica transazione Aggiungi nota -%1$d selezionate +%1$d selezionate Bilancio: Esporta su: Esporta transazioni -Per impostazione predefinita, verranno esportate solo le transazioni dall\'ultima esportazione. Selezionare questa opzione per esportare tutte le transazioni +Per impostazione predefinita, verranno esportate solo le transazioni dall\'ultima esportazione. Selezionare questa opzione per esportare tutte le transazioni Errore nell\'esportazione del file %1$s Esporta Elimina le transazioni dopo l\'esportazione Tutte le transazioni esportate verranno eliminate al termine dell\'esportazione Impostazioni - - Scheda SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Invia a…
+- Send to…
Sposta Sposta %1$d transazioni Conto di destinazione -Impossibile spostare le transazioni.\nIl conto di destinazione ha una valuta diversa dal conto di origine +Impossibile spostare le transazioni.\nIl conto di destinazione ha una valuta diversa dal conto di origine Generali Informazioni Scegli valuta predefinita @@ -80,16 +79,17 @@Visualizza conto Nascondi il saldo del conto nel widget Crea conti -Non esiste alcun conto in GnuCash.\nCreare un conto prima di aggiungere il widget -Licenza +Non esiste alcun conto in GnuCash.\nCreare un conto prima di aggiungere il widget +Licenza Apache License v2.0. Fare clic per i dettagli Preferenze generali Seleziona conto Non sono disponibili transazioni da esportare -Preferenze codice di accesso -Cambia codice di accesso +Preferenze codice di accesso +Enable passcode +Cambia codice di accesso Informazioni su GnuCash -Esportazione %1$s di GnuCash per Android +Esportazione %1$s di GnuCash per Android Esportazione di GnuCash per Android da Transazioni Preferenze transazione @@ -107,7 +107,7 @@Elimina le transazioni esportate Email predefinita di esportazione L\'indirizzo email predefinito a cui inviare i file esportati. È comunque possibile modificare l\'indirizzo quando si esporta. -Tutte le transazioni consisteranno in un trasferimento di denaro da un conto a un altro +Tutte le transazioni consisteranno in un trasferimento di denaro da un conto a un altro Abilita partita doppia Saldo Inserire un nome per creare il conto @@ -126,7 +126,7 @@Chiudi Inserire un importo per salvare la transazione -Si è verificato un errore nell\'importare i conti di GnuCash +Si è verificato un errore nell\'importare i conti di GnuCash I conti di GnuCash sono stati importati correttamente Importa una struttura dei conti esportata da GnuCash per desktop Importa XML di GnuCash @@ -136,16 +136,16 @@Conti Tutti i conti sono stati eliminati con successo Eliminare davvero tutti i conti e le transazioni?\n\nQuesta operazione non può essere annullata! -Verranno eliminate tutte le transazioni in tutti i conti! +Verranno eliminate tutte le transazioni in tutti i conti! Elimina tutte le transazioni Tutte le transazioni sono state eliminate con successo! Importazione dei conti -Transazioni +Transazioni Sotto-conti Cerca Formato predefinito di esportazione Formato di file predefinito da utilizzare per l\'esportazione delle transazioni -Ripetizione +Ripetizione Sbilancio Esportazione transazioni in corso @@ -190,7 +190,7 @@Crea la struttura predefinita di GnuCash dei conti comunemente utilizzati Crea conti predefiniti Verrà aperto un nuovo libro con i conti predefiniti.\n\nI conti e le transazioni correnti non verranno modificate! -Transazioni +Transazioni Seleziona la destinazione per l\'esportazione Promemoria Spendere @@ -208,14 +208,14 @@Fattura Compra Vendi -Bilanci d\'apertura +Bilanci d\'apertura Capitali Attiva l\'opzione per salvare il bilancio corrente di un conto (prima di eliminare le transazioni) come nuovo bilancio di apertura dopo l\'eliminazione delle transazioni Salva bilanci di apertura dei conti OFX non supporta le transazioni a partita doppia Genera file QIF separati per ogni valuta -Sbilancio: +Sbilancio: Aggiungi suddivisione Preferito Menu laterale aperto @@ -225,16 +225,16 @@Grafico a linee Grafico a barre Preferenze resoconto -Colore del conto nei resoconti +Colore del conto nei resoconti Usa il colore del conto nei grafici a barre e nei grafici a torta -Ordina per dimensione +Ordina per dimensione Mostra legenda Mostra etichette Mostra percentuale Mostra linee della media Raggruppa fette più piccole Dati del grafico non disponibili -Totale +Totale Altro La percentuale del valore selezionato, calcolata a partire dall\'importo totale La percentuale del valore selezionato, calcolata a partire dall\'importo della barra corrente @@ -251,19 +251,19 @@Backup Attiva l\'esportazione su DropBox Attiva l\'esportazione su ownCloud -Preferenze di backup +Preferenze di backup Crea backup -Per impostazione predefinita, i backup vengono salvati nella scheda SD -Selezionare un backup specifico da ripristinare +Create a backup of the active book +Restore most recent backup of active book Backup riuscito Backup non riuscito Esporta tutti i conti e tutte le transazioni -Installa un file manager per selezionare i file +Installa un file manager per selezionare i file Seleziona il backup da ripristinare Preferiti Apri… Resoconti -Esporta… +Esporta… Impostazioni Nome utente Password @@ -275,6 +275,10 @@Server OC OK Nome utente/password OC OK Nome directory OK ++ - Hourly
+- Every %d hours
+- Ogni giorno
- Ogni %d giorni
@@ -294,9 +298,9 @@Attiva la registrazione dei crash Invia automaticamente delle informazioni sul malfunzionamento dell\'app agli sviluppatori. Formato -Inserisci il vecchio codice di accesso +Inserisci il vecchio codice di accesso Inserisci il nuovo codice di accesso -Esportazioni +Esportazioni Nessuna esportazione pianificata da visualizzare Crea una esportazione pianificata Esportato su: %1$s @@ -306,7 +310,7 @@Nessun conto preferito Azioni pianificate "Terminata, ultima esecuzione il %1$s" -Avanti +Avanti Fatto Valuta predefinita Impostazione conti @@ -326,7 +330,7 @@Controlla che tutte le suddivisioni abbiano degli importi validi prima di salvare! Espressione non valida! Transazioni ricorrenti pianificate -Trasferisci fondi +Trasferisci fondi Seleziona una fetta per vedere i dettagli Periodo: @@ -344,7 +348,7 @@Attività Passività Capitali -Sposta in: +Sposta in: Raggruppa per Mese Trimestre @@ -358,7 +362,7 @@Nessuna app compatibile con la ricezione delle transazioni esportate! Sposta… Duplica -Flusso di liquidi +Flusso di liquidi Bilanci Attiva visualizzazione compatta Attiva per visualizzare sempre la lista delle transazioni in forma compatta @@ -429,8 +433,22 @@Consigliala sul Play Store fino al %1$s il %1$s -per %1$s volte +for %1$d times Visualizzazione compatta Libro %1$d mai +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 55e93e55c..982e74dc4 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -18,7 +18,7 @@ Create Account ערוך חשבון -הוספת העברה כספים לחשבון +הוספת העברה כספים לחשבון View account details אין חשבונות לתצוגה שם חשבון @@ -34,7 +34,7 @@סכום העברה חדשה אין העברות להציג -חוב +חוב אשראי חשבונות העברות @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- שלח אל…
+- Send to…
העבר Move %1$d transaction(s) חשבון יעד -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General אודות בחר מטבע ברירת מחדל @@ -80,16 +79,17 @@הצג חשבון Hide account balance in widget צור חשבונות -לא קיימים חשבונות ב- GnuCassh.\n צור חשבון לפני הוספת widget -רישיון +לא קיימים חשבונות ב- GnuCassh.\n צור חשבון לפני הוספת widget +רישיון רישיון אפאצ\'י v 2.0. לחץ לפרטים העדפות כלליות בחר חשבון אין תנועות זמינות לייצא -העדפות קוד גישה -שנה את קוד הגישה +העדפות קוד גישה +Enable passcode +שנה את קוד הגישה אודות GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -195,7 +195,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -213,14 +213,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -230,16 +230,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -256,19 +256,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -280,6 +280,12 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Every %d hours
+- Daily
- Every %d days
@@ -307,9 +313,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -319,7 +325,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -339,7 +345,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -357,7 +363,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -371,7 +377,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -446,8 +452,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index 9ac8d6573..b093ec1cb 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -18,7 +18,7 @@ 勘定を作成 勘定の編集 -新規の取引を入力 +新規の取引を入力 勘定の詳細を表示 表示する勘定科目がありません 勘定科目名 @@ -34,7 +34,7 @@合計 新規取引 表示する取引がありません -現金 +現金 掛け(後払い) 勘定科目 取引 @@ -43,29 +43,28 @@キャンセル アカウントは削除されました 削除する -取引を変更 +取引を変更 メモ -%1$d を選択 +%1$d を選択 貸借バランス: エクスポート先: 取引のエクスポート -デフォルトでは前回エクスポートされた取引より新しいものがエクスポートされます。すべての取引をエクスポートするにはチェックしてください +デフォルトでは前回エクスポートされた取引より新しいものがエクスポートされます。すべての取引をエクスポートするにはチェックしてください エクスポートエラー(%1$s) エクスポート エクスポート後に取引を削除する エクスポート完了時に、エクスポートしたすべての取引が削除されます 設定 - - SDカード
+- Save As…
- Dropbox
-- Google ドライブ
- ownCloud
-- …に送信
+- Send to…
移動 %1$d件の取引を移動 あて先の費目 -取引を移動できません。\nあて先の費目は通貨が異なっています +取引を移動できません。\nあて先の費目は通貨が異なっています 一般設定 このソフトについて デフォルトの通貨を選択 @@ -80,16 +79,17 @@勘定科目を表示 勘定残高を非表示 勘定科目を作成 -GnuCashに勘定科目が存在しません。\nウィジェットを追加する前に勘定科目を作成してください -ライセンス +GnuCashに勘定科目が存在しません。\nウィジェットを追加する前に勘定科目を作成してください +ライセンス Apacheライセンスv2.0. 詳細を確認するにはクリックしてください 一般設定 アカウントを選択 エクスポート可能な取引がありません -パスコードの設定 -パスコードを変更する +パスコードの設定 +Enable passcode +パスコードを変更する GnuCashについて -GnuCash Android %1$s エクスポート +GnuCash Android %1$s エクスポート GnuCash Android のエクスポート 取引 取引の設定 @@ -107,7 +107,7 @@エクスポートした取引を削除する デフォルトのエクスポート先メールアドレス エクスポートした際にデフォルトで連絡するメールアドレス(エクスポート時にも変更できます) -すべての取引は勘定科目別に転送されます +すべての取引は勘定科目別に転送されます 複式簿記を有効にする 貸借バランス 作成する勘定科目の名前を入力してください @@ -125,7 +125,7 @@ - 複数のバグの修正と改良\n消去 取引を保存するには金額の入力が必要です -GnuCashの勘定科目をインポート中にエラーが発生しました。 +GnuCashの勘定科目をインポート中にエラーが発生しました。 GnuCashの費目のインポートが成功しました。 デスクトップ版のGnuCashからエクスポートされた勘定科目の構成をインポートする GnuCachからXML形式でインポートする @@ -134,16 +134,16 @@費目 すべての費目が削除されました 本当にすべての費目と取引を削除しますか?\n\nこの処理は取り消せません! -すべての取引と費目が削除されます! +すべての取引と費目が削除されます! すべての取引を削除する すべての取引が完全に削除されました 費目のインポート -取引 +取引 補助科目 検索 既定のエクスポートフォーマット 取引のエクスポート時に既定とするファイル形式 -繰り返し +繰り返し 不均衡 取引のエクスポート @@ -187,7 +187,7 @@一般的に使用されるデフォルトの GnuCash 勘定科目構成を作成します デフォルトの勘定科目を作成 デフォルトの勘定で新しい帳簿が開かれて\n\n現在の勘定と取引は変更されません! -取引 +取引 エクスポート先を選択 メモ 消費 @@ -205,13 +205,13 @@納品書 購入 販売 -期首残高 +期首残高 資本 取引を削除した後、新しい期首残高として (取引を削除する前の) 現在の帳簿残高を保存するようにします 勘定の期首残高を保存 OFX は複式簿記の取引をサポートしていません 通貨ごとに個別の QIF ファイルを生成します -不均衡: +不均衡: 分割を追加 お気に入り ナビゲーション ドロワーを開きました @@ -221,16 +221,16 @@線グラフ 棒グラフ レポート設定 -レポートの勘定科目の色 +レポートの勘定科目の色 棒/円グラフに勘定科目の色を使用します -サイズ順 +サイズ順 凡例を表示 ラベルを表示 割合を表示 平均線を表示 小さい断片はグループ化する グラフのデータがありません -合計 +合計 その他 選択した値の割合は、合計金額から計算されます 選択された値の割合は、現在の棒グラフを積み上げた金額から計算されます @@ -247,19 +247,19 @@バックアップ DropBox へのエクスポートを有効にします ownCloud へのエクスポートを有効にします -バックアップ設定 +バックアップ設定 バックアップを作成 -デフォルトでは、バックアップは SD カードに保存されます -復元する特定のバックアップを選択してください +Create a backup of the active book +Restore most recent backup of active book バックアップに成功しました バックアップに失敗しました すべての勘定と取引をエクスポートします -ファイルを選択するために、ファイル マネージャーをインストールします +ファイルを選択するために、ファイル マネージャーをインストールします 復元するバックアップを選択 お気に入り 開く… レポート -エクスポート… +エクスポート… 設定 ユーザー名 パスワード @@ -271,6 +271,9 @@OC サーバー OK OC ユーザー名/パスワード OK ディレクトリ名 OK ++ - Every %d hours
+@@ -286,9 +289,9 @@ - %d 日ごと
クラッシュ ログを有効する アプリの異常に関する情報を自動的に開発者に送信します。 フォーマット -古いパスコードを入力 +古いパスコードを入力 新しいパスコードを入力 -エクスポート +エクスポート 表示する予定のエクスポートはありません エクスポートの予定を作成 エクスポートしました: %1$s @@ -298,7 +301,7 @@お気に入りの勘定科目はありません 予定のアクション "終了。最後の実行 %1$s" -次へ +次へ 完了 デフォルトの通貨 勘定科目のセットアップ @@ -318,7 +321,7 @@保存する前に、すべての分割の金額が正しいことを確認してください! 式が正しくありません! 予定の繰り返し取引 -資金を移動 +資金を移動 詳細を表示するスライスを選択 期間: @@ -336,7 +339,7 @@資産 負債 資本 -移動先: +移動先: グループ化 月 四半期 @@ -350,7 +353,7 @@エクスポートされた取引を受け取る、互換性のあるアプリがありません! 移動… 複製 -キャッシュフロー +キャッシュフロー 予算 コンパクト表示を有効にする 取引リストで常にコンパクト表示を使用します @@ -419,8 +422,22 @@Play ストア でお勧め %1$s まで %1$s に -%1$s 回 +for %1$d times コンパクト表示 帳簿 %1$d しない +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-lv-rLV/strings.xml b/app/src/main/res/values-lv-rLV/strings.xml index 9580c8008..32b3cdbaf 100644 --- a/app/src/main/res/values-lv-rLV/strings.xml +++ b/app/src/main/res/values-lv-rLV/strings.xml @@ -18,7 +18,7 @@ 계정 만들기 계정 편집 -계정에 새 거래 추가 +계정에 새 거래 추가 View account details 계정 없음 계정 이름 @@ -34,7 +34,7 @@금액 새 거래 표시할 거래가 없습니다. -현금 +현금 신용 계정 거래 @@ -43,29 +43,28 @@취소 계정이 삭제되었습니다. 삭제 확인 -거래내역 편집 +거래내역 편집 메모 추가 -%1$d건 선택됨 +%1$d건 선택됨 잔액: 내보낼 위치: 거래내역 내보내기 -기본적으로 마지막 내보내기 이후에 생성된 거래내역만 내보내집니다. 모든 거래내역을 내보내려면 체크하세요. +기본적으로 마지막 내보내기 이후에 생성된 거래내역만 내보내집니다. 모든 거래내역을 내보내려면 체크하세요. %1$s 파일을 내보내는 중 오류가 발생했습니다. 내보내기 내보내기 후 거래내역 삭제 내보낸 모든 거래내역은 작업 완료후 삭제됩니다. 설정 - - SD 카드
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- 보낼 곳 지정...
+- Send to…
이동 %1$d개 거래내역 이동 대상 계정 -거래내역을 이동할 수 없습니다. \n대상 계정과 원 계정의 통화가 다릅니다. +거래내역을 이동할 수 없습니다. \n대상 계정과 원 계정의 통화가 다릅니다. 일반 소개 기본 통화 선택 @@ -80,16 +79,17 @@계정 표시 Hide account balance in widget 계정 만들기 -GnuCash에 계정이 없습니다.\n위젯을 만들기 전에 계정을 생성하십시오 -약관 +GnuCash에 계정이 없습니다.\n위젯을 만들기 전에 계정을 생성하십시오 +약관 아파치 라이선스 v 2.0. 클릭하여 상세 정보 확인 일반 설정 계정 선택 내보낼 거래내역이 없습니다 -암호 설정 -암호 변경 +암호 설정 +Enable passcode +암호 변경 GnuCash 정보 -안드로이드용 GnuCash %1$s 내보내기 +안드로이드용 GnuCash %1$s 내보내기 안드로이드용 GnuCash에서 내보냄. 날짜: 거래 거래 설정 @@ -107,7 +107,7 @@내보낸 거래내역 삭제 기본 내보내기 이메일 내보내는 파일을 보낼 기본 이메일 주소입니다. 내보낼 때에 다시 선택할 수 있습니다. -모든 거래는 하나의 계정에서 다른 계정으로의 이동의 형식으로 이루어질 것입니다 +모든 거래는 하나의 계정에서 다른 계정으로의 이동의 형식으로 이루어질 것입니다 복식부기 활성화 잔액 만들 계정의 이름을 입력하세요 @@ -126,7 +126,7 @@닫기 거래기록에 저장할 금액을 입력해 주세요 -GnuCash 계정을 가져오는 동안 오류가 발생했습니다. +GnuCash 계정을 가져오는 동안 오류가 발생했습니다. GnuCash 계정을 가져왔습니다 데스크톱용 GnuCash프로그램에서 내보낸 계정 구조를 가져옵니다. GnuCash XML파일 가져오기 @@ -137,16 +137,16 @@정말로 모든 거래내역을 삭제할까요?\n\n삭제후에는 되돌릴 수 없습니다! -모든 계정의 모든 거래내역이 삭제됩니다! +모든 계정의 모든 거래내역이 삭제됩니다! 모든 거래내역 삭제 모든 거래내역을 삭제하였습니다! 계정 가져오기 -거래내역 +거래내역 하위 계정 검색 기본 내보내기 형식 내보낼 때 기본적으로 사용할 파일 형식 -반복거래 +반복거래 불균형 거래내역을 내보내고 있습니다 @@ -190,7 +190,7 @@GnuCash에서 일반적으로 사용되는 기본 계정구조를 생성합니다. 기본 계정을 생성합니다 A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -거래내역 +거래내역 내보낼 곳 선택 메모 지출 @@ -208,13 +208,13 @@납품서 구매 판매 -최초 잔고 +최초 잔고 자본 거래내역을 지우기 전의 잔고를 새로운 초기잔고로 사용합니다. 계정 초기잔고를 저장합니다 OFX 형식으로는 복식부기 거래내역을 저장할 수 없습니다 통화마다 각각 QIF 파일 생성 -불균형: +불균형: 분할 추가 즐겨찾기 Navigation drawer opened @@ -224,16 +224,16 @@꺾은선형 차트 막대 차트 보고서 설정 -보고서에 사용될 계정 색상 +보고서에 사용될 계정 색상 막대/원형 차트에서 계정별 색상 사용 -크기순 +크기순 범례 보기 레이블 표시 비율 표시 평균선 표시 작은 슬라이스를 묶어서 표시 차트 데이터가 없습니다 -합계 +합계 기타 선택한 부분의 총액대비 비율 The percentage of selected value calculated from the current stacked bar amount @@ -250,19 +250,19 @@백업 DropBox에 내보내기 사용 ownCloud에 내보내기 사용 -백업 설정 +백업 설정 백업 만들기 -기본적으로 백업은 SD카드에 저장됩니다 -복원할 백업을 선택해 주세요 +Create a backup of the active book +Restore most recent backup of active book 백업되었습니다 백업에 실패했습니다 모든 계정 및 거래내역 내보내기 -파일을 선택할수 있게 파일 관리자를 설치합니다 +파일을 선택할수 있게 파일 관리자를 설치합니다 복원할 백업파일을 선택해 주세요 즐겨찾기 열기... 보고서 -내보내기... +내보내기... 설정 사용자 이름 비밀번호 @@ -274,6 +274,9 @@Owncloud서버 정상 아이디와 비밀번호 확인 폴더 확인 ++ - Every %d hours
+@@ -289,9 +292,9 @@ - %d일마다
비정상 종료시 로그함 앱 비정상 작동시 개발자들에게 자동으로 관련 정보를 보냅니다. 내보낼 형식 -이전 암호 +이전 암호 새 암호 -내보내기 +내보내기 예약된 내보내기가 없습니다 내보내기 예약을 생성합니다 다음에 저장됨: %1$s @@ -301,7 +304,7 @@즐겨찾기에 등록된 계정 없음 예약된 작업 "완료, 마지막으로 %1$s에 실행" -다음 +다음 완료 기본 통화 계정 설정 @@ -321,7 +324,7 @@Check that all splits have valid amounts before saving! 식이 맞지 않습니다! 예약된 반복 거래 -자금을 이동 +자금을 이동 Select a slice to see details 기간: @@ -339,7 +342,7 @@자산 부채 자본 -이동할 곳: +이동할 곳: Group By 월 분기 @@ -353,7 +356,7 @@내보낸 거래내역을 받을 앱이 없습니다 이동... 중복 -현금흐름 +현금흐름 예산 간단히 표시하기 항상 거래내역을 간단히 표시합니다 @@ -422,8 +425,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml index 41ba61e24..8ddd3f766 100644 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -18,7 +18,7 @@ Create Account Edit Account -Add a new transaction to an account +Add a new transaction to an account View account details No accounts to display Account name @@ -34,7 +34,7 @@Amount New transaction No transactions to display -DEBIT +DEBIT CREDIT Accounts Transactions @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -194,7 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -212,14 +212,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -229,16 +229,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -255,19 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -279,6 +279,11 @@OC server OK OC username/password OK Dir name OK ++ - Every %d hours
+- Hourly
+- Every %d hours
+- Every %d days
- Daily
@@ -302,9 +307,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -314,7 +319,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -334,7 +339,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -352,7 +357,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -366,7 +371,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -439,8 +444,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index d7b2df8d2..a6971f251 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -18,7 +18,7 @@ Opprett konto Rediger konto -Legge til en ny transaksjon i en konto +Legge til en ny transaksjon i en konto Vis kontoinformasjon Ingen kontoer for å vise Kontonavn @@ -34,7 +34,7 @@Beløp Ny transaksjon Ingen transaksjoner å vise -DEBET +DEBET KREDIT Kontoer Transaksjoner @@ -43,29 +43,28 @@Avbryt Konto slettet Bekreft sletting -Redigere transaksjonen +Redigere transaksjonen Legg til notat -%1$d valgt +%1$d valgt Saldo: Eksporter til: Eksport av transaksjoner -Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner +Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner Feil ved eksport av %1$s Eksporter Slett transaksjoner etter eksport Alle eksporterte transaksjoner slettes når eksport er fullført Innstillinger - - SD-kort
+- Save As…
- Dropbox
-- Google Disk
- ownCloud
-- Send til…
+- Send to…
Flytt Flytt %1$d transaksjon(er) Målkonto -Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto +Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto Generelt Om Velg standardvaluta @@ -80,16 +79,17 @@Vis konto Skjul saldo i widget Opprett konto -Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget -Lisens +Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget +Lisens Apache Lisens v2.0. Klikk for mer informasjon Generelle innstillinger Velg konto Det finnes ingen transaksjoner som er tilgjengelige for eksport -Passordpreferanser -Endre passord +Passordpreferanser +Enable passcode +Endre passord Om GnuCash -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport fra Transaksjoner Transaksjonsinnstillinger @@ -107,7 +107,7 @@Slett eksporterte transaksjoner Standard eksport e-post Standard postadresse å sende eksporter til. Du kan endre dette når du eksporterer. -Alle transaksjoner blir en overføring fra en konto til en annen +Alle transaksjoner blir en overføring fra en konto til en annen Aktiver dobbel bokføring Balanse Angi kontonavn for å opprette en konto @@ -126,7 +126,7 @@Avvis Angi et beløp for å lagre transaksjonen -Det oppstod en feil under import av GnuCash kontoene +Det oppstod en feil under import av GnuCash kontoene GnuCash kontoer importert Importere kontostrukturen eksportert fra GnuCash desktop Importere GnuCash XML @@ -135,16 +135,16 @@Kontoer Alle kontoer ble slettet Er du sikker på at du vil slette alle kontoer og transaksjoner? \n\nDenne operasjonen kan ikke angres! -Alle transaksjoner i alle kontoer vil bli slettet! +Alle transaksjoner i alle kontoer vil bli slettet! Slett alle transaksjoner Alle transaksjoner slettet! Importere kontoer -Transaksjoner +Transaksjoner Underkontoer Søk Standard eksportformat Filformat som skal brukes som standard når du eksporterer transaksjoner -Gjentakelse +Gjentakelse Ubalanse Eksportere transaksjoner @@ -189,7 +189,7 @@Oppretter standard GnuCash kontostruktur Opprette standardkontoer En ny bok åpnes med standard accounts\n\nYour gjeldende kontoer og transaksjoner vil ikke bli endret! -Transaksjoner +Transaksjoner Velg sted for eksport Notat Bruke @@ -207,13 +207,13 @@Faktura Kjøp Selg -Åpningssaldoer +Åpningssaldoer Egenkapital Aktiver lagring av den gjeldende saldoen (før sletting av transaksjoner) som ny startsaldo etter sletting av transaksjoner Lagre konto startsaldoer OFX støtter ikke dobbeltoppføringstransaksjoner Genererer separate QIF filer per valuta -Ubalanse: +Ubalanse: Legge til splitt Favoritt Navigasjonskuffen åpnet @@ -223,16 +223,16 @@Linjediagram Stolpediagram Rapportinnstillinger -Kontofarge i rapporter +Kontofarge i rapporter Bruke kontofargen i søyle/sektordiagrammet -Sorter etter størrelse +Sorter etter størrelse Vis forklaring Vis etiketter Vis prosent Viser gjennomsnittslinjer Grupper mindre deler Ingen diagramdata tilgjengelig -Totalt +Totalt Andre Prosentandelen av valgte verdien beregnet ut i fra totalbeløpet Prosentandelen av valgte verdien beregnet ut i fra gjeldende stacked bar amount @@ -249,19 +249,19 @@Sikkerhetskopiering Aktiver eksportering til DropBox Aktiver eksport til ownCloud -Innstillinger for sikkerhetskopiering +Innstillinger for sikkerhetskopiering Opprett sikkerhetskopi -Som standard lagres sikkerhetskopier på SD minne-kortet -Velg en bestemt backup å gjenopprette +Create a backup of the active book +Restore most recent backup of active book Sikkerhetskopiering vellykket Sikkerhetskopiering mislyktes Eksporterer alle kontoer og transaksjoner -Installer en filbehandler for å velge filer +Installer en filbehandler for å velge filer Velg sikkerhetskopien som skal gjenopprettes Favoritter Åpne… Rapporter -Eksport… +Eksport… Innstillinger Brukernavn Passord @@ -273,6 +273,10 @@OC serveren OK OC brukernavn/passord OK Mappenavn OK ++ - Hourly
+- Every %d hours
+- Daglig
- Hver %d dag
@@ -292,9 +296,9 @@Aktiver Logging av feil Send automatisk informasjon om feil på app til utviklerne. Format -Angi ditt gamle passord +Angi ditt gamle passord Skriv inn ditt nye passord -Eksporter +Eksporter Ingen planlagte eksporter å vise Opprette ekporteringsplan Eksportert til: %1$s @@ -304,7 +308,7 @@Ingen favoritt kontoer Planlagte handlinger "Avsluttet. Sist kjørt på %1$s" -Neste +Neste Ferdig Standardvaluta Konfigurering av konto @@ -324,7 +328,7 @@Sjekk at alle splitter har gyldig beløp før lagring! Ugyldig uttrykk! Planlagt gjentakende transaksjon -Overføre penger +Overføre penger Merk et stykke for å se detaljer Periode: @@ -342,7 +346,7 @@Eiendeler Gjeld Egenkapital -Flytt til: +Flytt til: Gruppere etter Måned Kvartal @@ -356,7 +360,7 @@Ingen kompatible apper til å motta de eksporterte transaksjonene! Flytt… Dupliser -Kontantstrøm +Kontantstrøm Budsjetter Aktiver Kompaktvisning Aktiver Kompaktvisning for Transaksjonsliste @@ -427,8 +431,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index 6d0940604..6bd7d1ebf 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -18,7 +18,7 @@ Nieuwe rekening Rekening bewerken -Nieuwe boeking op een rekening +Nieuwe boeking op een rekening View account details Geen rekeningen beschikbaar Rekeningnaam @@ -34,7 +34,7 @@Bedrag Nieuwe boeking Geen boekingen beschikbaar -Debet +Debet Credit Rekeningen Boekingen @@ -43,29 +43,28 @@Annuleren De rekening werd verwijderd Verwijderen bevestigen -Boeking bewerken +Boeking bewerken Omschrijving -%1$d geselecteerd +%1$d geselecteerd Saldo: Exporteer naar: OFX exporteren -Aanvinken om alle boekingen te exporteren. Anders worden uitsluitend de nieuwe boekingen sinds de laatste export geëxporteerd. +Aanvinken om alle boekingen te exporteren. Anders worden uitsluitend de nieuwe boekingen sinds de laatste export geëxporteerd. Fout tijdens het exporteren van de %1$s data Exporteren Delete transactions after export Alle geëxporteerde boekingen zullen verwijderd worden na de export Instellingen - - SD-kaart
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Verplaatsen %1$d boeking(en) verplaatsen Bestemmingsrekening -De boekingen kunnen niet verplaatst worden.\nDe munteenheden van de rekeningen zijn niet compatibel +De boekingen kunnen niet verplaatst worden.\nDe munteenheden van de rekeningen zijn niet compatibel Algemeen Over Standaard munteenheid kiezen @@ -80,16 +79,17 @@Rekening tonen Hide account balance in widget Rekeningen aanmaken -Geen rekeningen beschikbaar.\nU moet een rekening aanmaken alvorens een widget toe te voegen -Licentie +Geen rekeningen beschikbaar.\nU moet een rekening aanmaken alvorens een widget toe te voegen +Licentie Apache License v2.0. Klik voor details Algemeen Account kiezen Geen transacties beschikbaar om te exporteren -Wachtwoord voorkeuren -Wachtwoord wijzigen +Wachtwoord voorkeuren +Enable passcode +Wachtwoord wijzigen Over GnuCash -Export %1$s vanuit GnuCash Android +Export %1$s vanuit GnuCash Android GnuCash Android Export van Transacties Transactie voorkeuren @@ -107,7 +107,7 @@Verwijder geëxporteerde transacties Standaard export emailadres Het standaard emailaddress om geëxporteerde data heen te sturen. U kan dit emailadres nog wijzigen als u exporteerd. -Alle transacties zullen worden overgedragen van het ene account naar de andere +Alle transacties zullen worden overgedragen van het ene account naar de andere Schakel dubbel boekhouden in Saldo Vul een rekeningnaam in @@ -126,7 +126,7 @@Wijs af Vul een bedrag in om de transactie op te slaan. -Fout bij het importeren van de GnuCash rekeningen +Fout bij het importeren van de GnuCash rekeningen GnuCash rekeningen met succes geïmporteerd Rekeningstructuur uit desktop-GnuCash importeren GnuCash rekeningen importeren @@ -139,16 +139,16 @@Weet je zeker dat je alle rekeningen en transacties wil verwijderen? \nDeze verrichting kan niet ongedaan gemaakt worden! -Alle transacties in alle rekeningen zullen verwijderd worden! +Alle transacties in alle rekeningen zullen verwijderd worden! Alle transacties verwijderen Alle transacties werden met succes verwijderd! Rekeningen importeren -Transacties +Transacties Subrekeningen Zoeken Standaard Export Formaat Bestandsformaat om standaard te gebruiken bij het experteren van transacties -Herhaling +Herhaling Onbalans Transactions exporteren @@ -193,7 +193,7 @@Creëert standaard GnuCash veelgebruikte rekeningstructuur Standaard rekeningen creëren A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Vaste journaalposten +Vaste journaalposten Selecteer bestemming voor export Memo Uitgeven @@ -211,13 +211,13 @@Verkoopfactuur Kopen Verkopen -Openingsbalans +Openingsbalans Eigen Vermogen Inschakelen om het huidige rekeningsaldo (alvorens boekingen te verwijderen) als nieuw beginsaldo te gebruiken nadat de boekingen verwijderd zijn Beginsaldi rekeningen opslaan OFX biedt geen ondersteuning voor dubbel-boekhouden boekingen Genereert afzonderlijke QIF bestanden per valuta -Onbalans: +Onbalans: Boekregel toevoegen Favoriet Navigatie lade geopend @@ -227,16 +227,16 @@Lijndiagram Staafdiagram Rapport voorkeuren -Rekening kleur in rapporten +Rekening kleur in rapporten Gebruik rekening kleur in de staaf/cirkeldiagram -Op grootte sorteren +Op grootte sorteren Toon Legenda Toon labels Percentage weergeven Gemiddelde lijnen weergeven Groepeer kleinere segmenten Geen grafiekgegevens beschikbaar -Totaal +Totaal Overige Het percentage van de geselecteerde waarde berekend op basis van het totale bedrag Het percentage van de geselecteerde waarde berekend op basis van het bedrag van de huidige gestapelde-staaf @@ -253,19 +253,19 @@Back-up Enable exporting to DropBox Enable exporting to ownCloud -Back-up voorkeuren +Back-up voorkeuren Back-up maken -Back-ups worden standaard opgeslagen op de SDCARD -Selecteer een specifieke back-up om te herstellen +Create a backup of the active book +Restore most recent backup of active book Maken back-up succesvol Back-up mislukt Exporteert alle rekeningen en boekingen -Installeer een bestandsbeheerder om bestanden te selecteren +Installeer een bestandsbeheerder om bestanden te selecteren Selecteer back-up om te herstellen Favorieten Open... Rapporten -Export... +Export... Instellingen User Name Password @@ -277,6 +277,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Dagelijks
- Elke %d dagen
@@ -298,9 +302,9 @@ No user-identifiable information will be collected as part of this process!Format -Voer uw oude wachtwoord in +Voer uw oude wachtwoord in Voer uw nieuwe wachtwoord in -Scheduled Exports +Scheduled Exports Geen geplande exports om weer te geven Export schema maken Geëxporteerd naar: %1$s @@ -310,7 +314,7 @@ No user-identifiable information will be collected as part of this process!Geen favoriete rekeningen Geplande acties "Ended, last executed on " -Volgende +Volgende Klaar Standaard munteenheid Rekening setup @@ -330,7 +334,7 @@ No user-identifiable information will be collected as part of this process!Controleer alle splitsingen op geldige bedragen alvorens op te slaan! Ongeldige expressie! Geplande periodieke boeking -Overdracht van middelen +Overdracht van middelen Selecteer een segment om details te bekijken Periode: @@ -348,7 +352,7 @@ No user-identifiable information will be collected as part of this process!Activa Vreemd vermogen Eigen vermogen -Verplaatsen naar: +Verplaatsen naar: Groeperen op Maand Kwartaal @@ -362,7 +366,7 @@ No user-identifiable information will be collected as part of this process!No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -433,8 +437,22 @@ No user-identifiable information will be collected as part of this process!Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index d4cf10e5a..d5c5977b2 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -18,7 +18,7 @@ Opprett konto Rediger konto -Legge til en ny transaksjon i en konto +Legge til en ny transaksjon i en konto Vis kontoinformasjon Ingen kontoer for å vise Kontonavn @@ -34,7 +34,7 @@Beløp Ny transaksjon Ingen transaksjoner å vise -DEBET +DEBET KREDIT Kontoer Transaksjoner @@ -43,29 +43,28 @@Avbryt Konto slettet Bekreft sletting -Redigere transaksjonen +Redigere transaksjonen Legg til notat -%1$d valgt +%1$d valgt Saldo: Eksporter til: Eksport av transaksjoner -Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner +Standard eksporteres bare nye transaksjoner siden siste eksport. Merk dette alternativet for å eksportere alle transaksjoner Feil ved eksport av %1$s Eksporter Slett transaksjoner etter eksport Alle eksporterte transaksjoner slettes når eksport er fullført Innstillinger - - SD-kort
+- Save As…
- Dropbox
-- Google Disk
- ownCloud
-- Send til…
+- Send to…
Flytt Flytt %1$d transaksjon(er) Målkonto -Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto +Kan ikke flytte transaksjonene. \nMålkontoen bruker en annen valuta enn opprinnelig konto Generelt Om Velg standardvaluta @@ -80,16 +79,17 @@Vis konto Skjul saldo i widget Opprett konto -Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget -Lisens +Det finnes ingen kontoer i GnuCash.\nOpprett en konto før du legger til en widget +Lisens Apache Lisens v2.0. Klikk for mer informasjon Generelle innstillinger Velg konto Det finnes ingen transaksjoner som er tilgjengelige for eksport -Passordpreferanser -Endre passord +Passordpreferanser +Enable passcode +Endre passord Om GnuCash -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport fra Transaksjoner Transaksjonsinnstillinger @@ -107,7 +107,7 @@Slett eksporterte transaksjoner Standard eksport e-post Standard postadresse å sende eksporter til. Du kan endre dette når du eksporterer. -Alle transaksjoner blir en overføring fra en konto til en annen +Alle transaksjoner blir en overføring fra en konto til en annen Aktiver dobbel bokføring Balanse Angi kontonavn for å opprette en konto @@ -126,7 +126,7 @@Avvis Angi et beløp for å lagre transaksjonen -Det oppstod en feil under import av GnuCash kontoene +Det oppstod en feil under import av GnuCash kontoene GnuCash kontoer importert Importere kontostrukturen eksportert fra GnuCash desktop Importere GnuCash XML @@ -135,16 +135,16 @@Kontoer Alle kontoer ble slettet Er du sikker på at du vil slette alle kontoer og transaksjoner? \n\nDenne operasjonen kan ikke angres! -Alle transaksjoner i alle kontoer vil bli slettet! +Alle transaksjoner i alle kontoer vil bli slettet! Slett alle transaksjoner Alle transaksjoner slettet! Importere kontoer -Transaksjoner +Transaksjoner Underkontoer Søk Standard eksportformat Filformat som skal brukes som standard når du eksporterer transaksjoner -Gjentakelse +Gjentakelse Ubalanse Eksportere transaksjoner @@ -189,7 +189,7 @@Oppretter standard GnuCash kontostruktur Opprette standardkontoer En ny bok åpnes med standardkontoer\n\nDine gjeldende kontoer og transaksjoner vil ikke bli endret! -Transaksjoner +Transaksjoner Velg sted for eksport Notat Bruke @@ -207,13 +207,13 @@Faktura Kjøp Selg -Åpningssaldoer +Åpningssaldoer Egenkapital Aktiver lagring av den gjeldende saldoen (før sletting av transaksjoner) som ny startsaldo etter sletting av transaksjoner Lagre konto startsaldoer OFX støtter ikke dobbeltoppføringstransaksjoner Genererer separate QIF filer per valuta -Ubalanse: +Ubalanse: Legge til splitt Favoritt Navigasjonskuffen åpnet @@ -223,16 +223,16 @@Linjediagram Stolpediagram Rapportinnstillinger -Kontofarge i rapporter +Kontofarge i rapporter Bruke kontofargen i søyle/sektordiagrammet -Sorter etter størrelse +Sorter etter størrelse Vis forklaring Vis etiketter Vis prosent Viser gjennomsnittslinjer Grupper mindre deler Ingen diagramdata tilgjengelig -Totalt +Totalt Andre Prosentandelen av valgte verdien beregnet ut i fra totalbeløpet Prosentandelen av valgte verdien beregnet ut i fra gjeldende stacked bar amount @@ -249,19 +249,19 @@Sikkerhetskopiering Aktiver eksportering til DropBox Aktiver eksportering til DropBox -Innstillinger for sikkerhetskopiering +Innstillinger for sikkerhetskopiering Opprett sikkerhetskopi -Som standard lagres sikkerhetskopier på SD minne-kortet -Velg en bestemt backup å gjenopprette +Create a backup of the active book +Restore most recent backup of active book Sikkerhetskopiering vellykket Sikkerhetskopiering mislyktes Eksporterer alle kontoer og transaksjoner -Installer en filbehandler for å velge filer +Installer en filbehandler for å velge filer Velg sikkerhetskopien som skal gjenopprettes Favoritter Åpne… Rapporter -Eksport… +Eksport… Innstillinger Brukernavn Passord @@ -273,6 +273,10 @@OC serveren OK OC brukernavn/passord OK Mappenavn OK ++ - Hourly
+- Every %d hours
+- Daglig
- Hver %d dag
@@ -292,9 +296,9 @@Aktiver Logging av feil Send automatisk informasjon om feil på app til utviklerne. Format -Angi ditt gamle passord +Angi ditt gamle passord Skriv inn ditt nye passord -Eksporter +Eksporter Ingen planlagte eksporter å vise Opprette ekporteringsplan Eksportert til: %1$s @@ -304,7 +308,7 @@Ingen favoritt kontoer Planlagte handlinger "Avsluttet. Sist kjørt på %1$s" -Neste +Neste Ferdig Standardvaluta Konfigurering av konto @@ -324,7 +328,7 @@Sjekk at alle splitter har gyldig beløp før lagring! Ugyldig uttrykk! Planlagt gjentakende transaksjon -Overføre penger +Overføre penger Merk et stykke for å se detaljer Periode: @@ -342,7 +346,7 @@Eiendeler Gjeld Egenkapital -Flytt til: +Flytt til: Gruppere etter Måned Kvartal @@ -356,7 +360,7 @@Ingen kompatible apper til å motta de eksporterte transaksjonene! Flytt… Dupliser -Kontantstrøm +Kontantstrøm Budsjetter Aktiver Kompaktvisning Aktiver Kompaktvisning for Transaksjonsliste @@ -427,8 +431,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index f727b064f..f5af3c767 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -18,7 +18,7 @@ Utwórz konto Edytuj konto -Dodaj nową transakcję do konta +Dodaj nową transakcję do konta View account details Brak kont do wyświetlenia Nazwa konta @@ -34,7 +34,7 @@Kwota Nowa transakcja Brak transakcji do wyświetlenia -DEBET +DEBET KREDYT Konta Transakcje @@ -43,29 +43,28 @@Anuluj Konto usunięte Potwierdź usunięcie -Edytuj transakcję +Edytuj transakcję Notka -%1$d wybranych +%1$d wybranych Saldo: Wyeksportuj do: Eksport transakcji -Domyślnie tylko nowe transakcje od ostatniego eksportu, zostaną wyeksportowane. Zaznacz tą opcję, aby eksportować wszystkie transakcje +Domyślnie tylko nowe transakcje od ostatniego eksportu, zostaną wyeksportowane. Zaznacz tą opcję, aby eksportować wszystkie transakcje Błąd eksportowania pliku %1$s Eksportuj Usuń transakcje po eksporcie Wszystkie eksportowane transakcje będą usunięte po zakończeniu eksportu Ustawienia - - Karta SD
+- Save As…
- Dropbox
-- Dysk Google
- ownCloud
- Send to…
Przenieś Przenieś %1$d transakcji Konto docelowe -Nie można przenieść transakcji. + Nie można przenieść transakcji. Konto docelowe używa innej waluty niż konto wyjściowe Ogólne O… @@ -81,16 +80,17 @@ Konto docelowe używa innej waluty niż konto wyjścioweWyświetl konto Hide account balance in widget Utwórz konta -Brak kont w GnuCash.\nUtwórz konto zanim dodasz widżet -Licencja +Brak kont w GnuCash.\nUtwórz konto zanim dodasz widżet +Licencja Licencja Apache v2.0. Kliknij po szczegóły Ogólne ustawienia Wybierz konto Brak transakcji dostępnych do eksportu -Ustawienia hasła -Zmień hasło +Ustawienia hasła +Enable passcode +Zmień hasło O GnuCash -GnuCash Android %1$s eksport +GnuCash Android %1$s eksport GnuCash Android eksport z Transakcje Ustawienia transakcji @@ -108,7 +108,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweUsuń wyeksportowane transakcje Domyślny email do eksportu Domyślny adres email na który będzie wysyłany eksport. Możesz nadal zmienić go w trakcie eksportu. -Wszystkie transakcje będą przeniesione z jednego konta na drugie +Wszystkie transakcje będą przeniesione z jednego konta na drugie Aktywuj podwójne wpisy Saldo Wprowadź nazwę konta do utworzenia @@ -127,7 +127,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweSpocznij Wprowadź kwotę by zapisać transakcję -Wystąpił błąd podczas importowania kont GnuCash +Wystąpił błąd podczas importowania kont GnuCash Import kont GnuCash zakończony pomyślnie Importuj strukturę kont wyeksportowaną z GnuCash dla desktop Importuj GnuCash XML @@ -136,16 +136,16 @@ Konto docelowe używa innej waluty niż konto wyjścioweKonta Wszystkie konta zostały usunięte pomyślnie Czy jesteś pewień, że chcesz usunąć wszystkie konta i transakcje?\n\nTej operacji nie można cofnąć! -Wszystkie transakcje na tym koncie zostaną usunięte! +Wszystkie transakcje na tym koncie zostaną usunięte! Usuń wszyskie transakcje Wszystkie transakcje usunięte pomyślnie! Importowanie kont -Transakcje +Transakcje Sub-konto Szukaj Domyślny format eksportu Format pliku użyty w trakcie eksportowania transakcji -Powtarzająca się +Powtarzająca się Niezbilansowane Eksport transakcji @@ -191,7 +191,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweTworzy typową dla GnuCash strukturę kont Utwórz domyślne konta A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Zaplanowane transakcje +Zaplanowane transakcje Wybierz miejsce docelowe dla eksportu Notka Wydaj @@ -209,13 +209,13 @@ Konto docelowe używa innej waluty niż konto wyjścioweFaktura Kup Sprzedaj -Saldo otwarcia +Saldo otwarcia Kapitał Wybierz aby zachować obecne saldo konta (przed usunięciem transakcji) jak nowe saldo otwarcia po usunięciu transakcji Zachowaj saldo otwarcia konta OFX nie wspiera transakcji double-entry Generuje osobne pliki QIF dla każdej waluty -Niezbilansowanie: +Niezbilansowanie: Dodaj podział Ulubione Szuflada nawigacyjna otwarta @@ -225,16 +225,16 @@ Konto docelowe używa innej waluty niż konto wyjścioweWykres liniowy Wykres słupkowy Ustawienia raportu -Kolor konta w raportach +Kolor konta w raportach Użyj koloru konta w wykresie kołowym/słupkowym -Sortuj po rozmarze +Sortuj po rozmarze Pokaż legendę Pokaż etykiety Pokaż procenty Pokaż linie średnich Grupuj mniejsze wycinki Brak danych dla wykresu -Całkowity +Całkowity Inne Procentarz wybranej wartości wyliczony z całkowitej kwoty Procentarz wybranej wartości wyliczony z aktualnej skumulowanej wartości słupka @@ -251,19 +251,19 @@ Konto docelowe używa innej waluty niż konto wyjścioweKopia zapasowa Enable exporting to DropBox Enable exporting to ownCloud -Ustawienia kopii zapasowej +Ustawienia kopii zapasowej Utwórz kopię zapasową -Domyślnie kopie zapasowe są zachowywane na karcie SD -Wybierz konkretną kopię zapasową by ją przywrócić +Create a backup of the active book +Restore most recent backup of active book Kopia zapasowa utworzona pomyślnie Błąd tworzenia kopii zapasowej Wyeksportowano wszystkie konta i transakcje -Zainstaluj managera plików aby wybrać pliki +Zainstaluj managera plików aby wybrać pliki Wybierz kopię zapaswą aby ją przywrócić Ulubione Otwórz… Raporty -Eksport… +Eksport… Ustawienia User Name Password @@ -275,6 +275,11 @@ Konto docelowe używa innej waluty niż konto wyjścioweOC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Codziennie
- Co %d dni
@@ -299,9 +304,9 @@ Konto docelowe używa innej waluty niż konto wyjścioweWłącz by wysyłać inforamcje o błędach do twórców w celu poleszania aplikacji (zalecane). Żadne informacje umożliwiające identyfikację użytkownika nie będą zbierane w ramach tego procesu! Format -Wpisz stare hasło +Wpisz stare hasło Wpisz nowe hasło -Zaplanowane eksporty +Zaplanowane eksporty Brak zaplanowanych eksportów do pokazania Zaplanuj eksport Wyeksportowane do: %1$s @@ -311,7 +316,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweBrak ulubionych kont Zaplanowane akcje "Zakończone, ostatnie wykonanie o %1$s" -Dalej +Dalej Zrobione Domyślna waluta Ustawienie konta @@ -331,7 +336,7 @@ Konto docelowe używa innej waluty niż konto wyjściowePrzed zapisaniem sprawdź czy wszystkie podziały mają poprawną wartość! Niepoprawne wyrażenie! Zaplanowane powtarzające się transakcje -Transferuj środki +Transferuj środki Wybierz wycinek aby zobaczyć szczegóły Okres: @@ -349,7 +354,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweŚrodki Zobowiązania Kapitał -Przenieś do: +Przenieś do: Grupuj po Miesiącu Kwartale @@ -363,7 +368,7 @@ Konto docelowe używa innej waluty niż konto wyjścioweBrak kompatybilnych aplikacji do otrzymania eksportowanych transakcji! Move… Duplikuj -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -436,8 +441,22 @@ Konto docelowe używa innej waluty niż konto wyjścioweRecommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index 1e1d9802c..c537b6843 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -18,7 +18,7 @@ Criar Conta Editar Conta -Adicionar nova transação a uma conta +Adicionar nova transação a uma conta Exibir detalhes de conta Sem contas para mostrar Nome da Conta @@ -34,7 +34,7 @@Valor Nova transação Sem transações para mostrar -DÉBITO +DÉBITO CRÉDITO Contas Transações @@ -43,29 +43,28 @@Cancelar Conta apagada Confirma apagar -Editar Transação +Editar Transação Adicionar nota -%1$d selecionado +%1$d selecionado Saldo: Exportar para: Exportar Transações -Por padrão, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações +Por padrão, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações Erro ao exportar o arquivo %1$s Exportar Excluir transações após exportar Todas as transações exportadas serão apagadas quando a exportação estiver completa Configurações - - Cartão SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Enviar para…
+- Send to…
Mover Mover %1$d transação(ões) Conta Destino -Impossível mover transação.\nA conta destino usa uma moeda diferente da conta de origem. +Impossível mover transação.\nA conta destino usa uma moeda diferente da conta de origem. Geral Sobre Escolhe a moeda padrão @@ -80,16 +79,17 @@Mostrar conta Esconder o saldo da conta no widget Criar Contas -Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget -Licença +Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget +Licença Apache License v2.0. Clique para obter detalhes Preferências Escolha uma conta Não existem transações para exportar -Preferências de Senha -Modificar senha +Preferências de Senha +Enable passcode +Modificar senha Sobre o GnuCash -GnuCash Android %1$s exportação +GnuCash Android %1$s exportação Exportação do GnuCash Android de Transações Preferências de Transações @@ -107,7 +107,7 @@Apagar as transações exportadas Email de exportação padrão O endereço de email padrão para onde serão enviadas as exportações. Pode ser alterado no momento da exportação. -Todas as transações serão uma transferência de uma conta para a outra +Todas as transações serão uma transferência de uma conta para a outra Activar a entrada dupla Saldo Introduza o nome da conta a criar @@ -125,7 +125,7 @@ - Diversas correções de erros e melhorias\nDescartar Introduza um valor para gravar a transação -Ocorreu um erro ao importar as contas do GnuCash +Ocorreu um erro ao importar as contas do GnuCash Contas do GnuCash importadas com sucesso Importar a estrutura de contas do GnuCash para Desktop Importar XML do GnuCash @@ -134,16 +134,16 @@Contas Todas as contas foram apagadas com sucesso Tem a certeza que quer apagar todasd as contas e todas as transações?n\nEsta operação é definitiva e não pode ser recuperada! -Todas as transações de todas as contas serão apagadas! +Todas as transações de todas as contas serão apagadas! Apagar todas as transações Todas as transações apagadas com sucesso! Importando contas -Transações +Transações Sub-Contas Procurar Formato de Exportação padrão Formato de arquivo a ser usado por padrão ao exportar transações -Recorrente +Recorrente Desequilibrio Exportando transações @@ -188,7 +188,7 @@Cria uma estrutura de contas GnuCash padrão Cria contas padrão Um novo livro será aberto com as contas padrão \n\n Suas contas e transações atuais não serão modificadas! -Transações agendadas +Transações agendadas Escolha o destino da exportação Memo Gasto @@ -206,14 +206,14 @@Fatura Compra Venda -Saldo de abertura +Saldo de abertura Capital Próprio Permite salvar o saldo da conta atual (antes de apagar as transações) como novo saldo de abertura após a exclusão das transações Grava o saldo de abertura da conta O formato OFX não permite transações de entrada dupla Gera ficheiros QIF separados por moeda -Desequilibrío: +Desequilibrío: Adicionar contrapartida Favorito Gaveta de navegação aberta @@ -223,16 +223,16 @@Gráfico de Linhas Gráfico de Barras Preferências de relatórios -Côr da conta nos relatórios +Côr da conta nos relatórios Use côr da conta no gráfico de barras/linhas -Ordenar por tamanho +Ordenar por tamanho Alterna visibilidade da legenda Alterna visibilidade das etiquetas Alterna visibilidade da percentagem Alterna visibilidade das linhas da média Agrupar fatias menores Gráfico não disponível -Total +Total Outro O percentual do valor selecionado em relação ao valor total O percentual do valor selecionado em relação ao valor da barra empilhada atual @@ -249,19 +249,19 @@Backup Habilitar a exportação para o DropBox Habilitar a exportação para o ownCloud -Preferências de Backup +Preferências de Backup Criar Backup -Por defeito os backups são guardado no SDCARD -Escolha um backup a restaurar +Create a backup of the active book +Restore most recent backup of active book Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações -Instalar um gerenciador de arquivos para selecionar arquivos +Instalar um gerenciador de arquivos para selecionar arquivos Escolha um backup para restaurar Favoritos Abrir… Relatórios -Exportar… +Exportar… Definições Nome do usuário Senha @@ -273,6 +273,10 @@Servidor OC OK Usuário/senha do OC OK Nome do diretório OK ++ - Hourly
+- Every %d hours
+- Diariamente
- Todos os %d dias
@@ -293,9 +297,9 @@Permite o envio de informações aos programadores para melhoria do programa (recomendado). Neste processo não serão recolhidas informações do utilizador! Formato -Introduza a palavra passe antiga +Introduza a palavra passe antiga Introduza a nova palavra passe -Exportações agendadas +Exportações agendadas Não existem exportações agendadas para mostrar Criar uma exportação agendada Exportado para : %1$s @@ -305,7 +309,7 @@ Neste processo não serão recolhidas informações do utilizador!Sem Contas favoritas Ações Agendadas "Feito, execução completada em %1$s" -Avançar +Avançar Finalizar Moeda padrão Configuração de Contas @@ -325,7 +329,7 @@ Neste processo não serão recolhidas informações do utilizador!Confirme que todas as contrapartidas têm montantes válidos antes de gravar! Expressão inválida! Transação agendade recorrente -Transferências +Transferências Escolha uma seção para ver os detalhes Período: @@ -343,7 +347,7 @@ Neste processo não serão recolhidas informações do utilizador!Ativos Passivos Capital Próprio -Mover para +Mover para Agrupar por Mês Trimestre @@ -357,7 +361,7 @@ Neste processo não serão recolhidas informações do utilizador!Não existem apps compatíveis para receber as transações exportadas! Mover… Duplicar -Fluxo de caixa +Fluxo de caixa Orçamentos Habilitar a exibição compacta Sempre permitir visão compacta para a lista de transações @@ -428,8 +432,22 @@ Neste processo não serão recolhidas informações do utilizador!Recomendado na Play Store até %1$s em %1$s -por %1$s vezes +for %1$d times Visualização compacta Livro %1$d nunca +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 7999b0f39..724f2cb09 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -18,7 +18,7 @@ Criar Conta Editar Conta -Adicionar nova transacção a uma conta +Adicionar nova transacção a uma conta View account details Sem contas para mostrar Nome da conta @@ -34,7 +34,7 @@Valor Nova transação Sem transações para mostrar -DÉBITO +DÉBITO CRÉDITO Contas Transações @@ -43,29 +43,28 @@Cancelar Conta apagada Confirma apagar -Editar Transações +Editar Transações Nota -%1$d seleccionado +%1$d seleccionado Saldo: Exportar para: Exportar Transações -Por defeito, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações +Por defeito, apenas as novas transações após a última exportação serão exportadas. Marque esta opção para exportar todas as transações Erro ao exportar o ficheiro %1$s Exportar Apagar as transações depois de exportar Todas as transações exportadas serão apagadas quando a exportação estiver completa Configurações - - Cartão SD
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Enviar para…
+- Send to…
Mover Mover %1$d transacções Conta destino -Impossível mover transacção.\nA conta destino usa uma moeda diferente da conta origem +Impossível mover transacção.\nA conta destino usa uma moeda diferente da conta origem Geral Acerca Escolher a moeda padrão @@ -80,16 +79,17 @@Mostrar conta Hide account balance in widget Criar contas -Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget -Licença +Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget +Licença Apache License v2.0. Clique para obter detalhes Preferências Escolha uma conta Não existem transacções para exportar -Preferências de senha -Mudar Palavra Passe +Preferências de senha +Enable passcode +Mudar Palavra Passe Sobre o GnuCash -GnuCash Android %1$s exportação +GnuCash Android %1$s exportação Exportação do GnuCash Android de Transações Preferências de Transações @@ -107,7 +107,7 @@Apagar as transações exportadas Email de exportação padrão O endereço de email por defeito para onde serão enviadas as exportações. Pode ser alterado no momento da exportação -Todas as transações serão uma transferência de uma conta para a outra +Todas as transações serão uma transferência de uma conta para a outra Activar a entrada dupla Saldo Introduza o nome da conta a criar @@ -125,7 +125,7 @@ - Várias correcções de erros e melhoramentos\nDescartar Introduza um valor para gravar a transação -Ocorreu um erro ao importar as contas do GnuCash +Ocorreu um erro ao importar as contas do GnuCash Contas do GnuCash importadas com sucesso Importar a estrutura de contas do GnuCash para Desktop Importar XML do GnuCash @@ -134,16 +134,16 @@Contas Todas as contas foram apagadas com sucesso Tem a certeza que quer apagar todasd as contas e todas as transações?n\nEsta operação é definitiva e não pode ser recuperada! -Todas as transações de todas as contas serão apagadas! +Todas as transações de todas as contas serão apagadas! Apagar todas as transações Todas as transações apagadas com sucesso! Importando contas -Transações +Transações Sub-Contas Procurar Formato de Exportação padrão Formato de ficheiro usado por defeito quando é feita uma exportação de transações -Agendadas +Agendadas Desequilíbrio Exportando transações @@ -188,7 +188,7 @@Cria uma estrutura de contas GnuCash padrão Cria contas padrão Irá ser aberto um novo livro com as contas por defeito\n\nAs suas contas e transações não irão ser modificadas! -Transações agendadas +Transações agendadas Escolha o destino da exportação Memo Gasto @@ -206,14 +206,14 @@Fatura Compra Venda -Saldo de abertura +Saldo de abertura Capital Próprio Permite gravar o saldo da conta actual (antes de apagar as transações) como novo saldo de abertura depois de apagadas as transações Grava o saldo de abertura da conta O formato OFX não permite transações de entrada dupla Gera ficheiros QIF separados por moeda -Desequilibrío: +Desequilibrío: Adicionar contrapartida Favorito Gaveta de navegação aberta @@ -223,16 +223,16 @@Gráfico de Linhas Gráfico de Barras Preferências de relatórios -Côr da conta nos relatórios +Côr da conta nos relatórios Use côr da conta no gráfico de barras/linhas -Ordenar por tamanho +Ordenar por tamanho Alterna visibilidade da legenda Alterna visibilidade das etiquetas Alterna visibilidade da percentagem Alterna visibilidade das linhas da média Agrupar fatias menores Gráfico não disponível -Total +Total Outro A percentagem do valor seleccionado face ao valor total A percentagem do valor seleccionado face ao valor da barra actual @@ -249,19 +249,19 @@Cópia de Segurança Permitir a exportação para o DropBox Permitir a exportação para o ownCloud -Preferências de Backup +Preferências de Backup Criar Backup -Por defeito os backups são guardado no SDCARD -Escolha um backup a restaurar +Create a backup of the active book +Restore most recent backup of active book Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações -Instale um gestor de ficheiros para escolher um ficheiro +Instale um gestor de ficheiros para escolher um ficheiro Escolha um backup para restaurar Favoritos Abrir… Relatórios -Exportar… +Exportar… Definições Nome de utilizador Password @@ -273,6 +273,10 @@Servidor OC OK Nome de utilizador/password OK Nome de directório OK ++ - Hourly
+- Every %d hours
+- Diariamente
- Todos os %d dias
@@ -293,9 +297,9 @@Permite o envio de informações aos programadores para melhoria do programa (recomendado). Neste processo não serão recolhidas informações do utilizador! Formato -Introduza a palavra passe antiga +Introduza a palavra passe antiga Introduza a nova palavra passe -Exportações agendadas +Exportações agendadas Não existem exportações agendadas para mostrar Criar uma exportação agendada Exportado para : %1$s @@ -305,7 +309,7 @@ Neste processo não serão recolhidas informações do utilizador!Sem Contas favoritas Acções agendadas "Feito, execução completada em %1$s" -Seguinte +Seguinte Feito Moeda padrão Configuração de Contas @@ -325,7 +329,7 @@ Neste processo não serão recolhidas informações do utilizador!Confirme que todas as contrapartidas têm montantes válidos antes de gravar! Expressão inválida! Transação agendade recorrente -Transferências +Transferências Escolha uma secção para ver os detalhes Período: @@ -343,7 +347,7 @@ Neste processo não serão recolhidas informações do utilizador!Activo Passivo Capital Próprio -Mover para +Mover para Agrupar por Mês Trimestre @@ -357,7 +361,7 @@ Neste processo não serão recolhidas informações do utilizador!Não existem aplicações compatíveis para receber as transações exportadas! Mover… Duplicar -Fluxo de caixa +Fluxo de caixa Orçamentos Permitir a vista compacta Permitir sempre a utilização da vista compacta para a lista de transações @@ -428,8 +432,22 @@ Neste processo não serão recolhidas informações do utilizador!Recomendado na Play Store desde%1$s na %1$s -para %1$s vezes +for %1$d times Vista Compacta Livro %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index 25f36eb75..f75350abd 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -18,7 +18,7 @@ Creează cont Editați contul -Adăugaţi o nouă tranzacţie într-un cont +Adăugaţi o nouă tranzacţie într-un cont View account details Nu există conturi pentru a afișa Numele contului @@ -34,7 +34,7 @@Amount New transaction No transactions to display -DEBIT +DEBIT CREDIT Accounts Transactions @@ -43,29 +43,28 @@Cancel Account deleted Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d selected +%1$d selected Balance: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Settings - - SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account General About Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -194,7 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -212,14 +212,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -229,16 +229,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -255,19 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -279,6 +279,11 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Daily
- Every %d days
@@ -302,9 +307,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -314,7 +319,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -334,7 +339,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -352,7 +357,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -366,7 +371,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -439,8 +444,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 305622666..84ca634b0 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -18,7 +18,7 @@ Создать счёт Изменить счёт -Новая проводка +Новая проводка Посмотреть дели счета Нет счетов Имя счёта @@ -34,7 +34,7 @@Сумма Новая проводка Нет проводок -ДЕБЕТ +ДЕБЕТ КРЕДИТ Счета Проводки @@ -43,29 +43,28 @@Отмена Счёт удалён Подтвердите удаление -Редактировать проводку +Редактировать проводку Заметка -%1$d выбрано +%1$d выбрано Баланс: Экспорт в: Экспорт проводок -По умолчанию экспортируются проводки после последнего экспорта. Отметьте для экспорта всех проводок +По умолчанию экспортируются проводки после последнего экспорта. Отметьте для экспорта всех проводок Ошибка экспорта %1$s Экспорт Удалить проводки после экспорта Все экспортированные проводки будут удалены по завершении. Настройки - - Карта памяти
+- Save As…
- Dropbox
-- Google Диск
- ownCloud
-- Отправить…
+- Send to…
Перенести Перенести %1$d проводку (и) Счёт-получатель -Невозможно перенести проводки.\nСчёт-получатель в другой валюте +Невозможно перенести проводки.\nСчёт-получатель в другой валюте Общие О программе Выберите валюту по умолчанию @@ -80,16 +79,17 @@Показать счёт Скрыть баланс счета в виджете Создать счета -Нет счетов в Gnucash.\nСначала создайте счета, а потом добавляйте виджет. -Лицензия +Нет счетов в Gnucash.\nСначала создайте счета, а потом добавляйте виджет. +Лицензия Apache License v2.0. Нажмите, чтобы просмотреть. Общие Выберите счёт Нет проводок для экспорта -Настройки парольной защиты -Сменить пароль +Настройки парольной защиты +Enable passcode +Сменить пароль О Gnucash -Экспорт %1$s-файла из Gnucash Android +Экспорт %1$s-файла из Gnucash Android Экспорт из GnuCash Android Проводки Свойства проводки @@ -107,7 +107,7 @@Всегда удалять после экспорта E-mail для экспорта Почтовый ящик по умолчанию для экспорта. Можете менять его в процессе. -Все проводки будут переводами с одного счёта на другой. +Все проводки будут переводами с одного счёта на другой. Вести двойную запись Баланс Введите имя нового счёта @@ -126,7 +126,7 @@Отмена Введите сумму, чтобы сохранить проводку -Ошибка импорта счетов из GnuCash +Ошибка импорта счетов из GnuCash Счета из GnuCash успешно импортированы Импорт структуры счетов из GnuCash для ПК Импорт счетов из GnuCash @@ -135,16 +135,16 @@Счета Все счета удалены Вы точно хотите удалить все счета и проводки? \nЭто нельзя отменить! -Все проводки во всех счетах будут удалены! +Все проводки во всех счетах будут удалены! Удалить все проводки Все проводки удалены! Импортируются счета -Проводки +Проводки Дочерние счета Поиск Формат экспорта по умолчанию Формат файла, используемый по умолчанию при экспорте -Периодическая проводка +Периодическая проводка Дисбаланс Проводки экспортируются @@ -190,7 +190,7 @@Создать структуру счетов GnuCash по умолчанию Создать счета по умолчанию Новая книга будет открыта с помощью учетной записи по умолчанию\n\nВаши текущие счета и операции не изменятся! -Запланированные проводки +Запланированные проводки Выберите получателя экспорта Заметка Расход @@ -208,14 +208,14 @@Чек Покупка Продажа -Начальное сальдо +Начальное сальдо Собственные средства Сохранить текущий баланс (перед удалением проводок) как новое начальное сальдо после их удаления Сохранить начальное сальдо счетов OFX не поддерживает двойную запись Создаёт на каждую валюту отдельный QIF-файл -Дисбаланс: +Дисбаланс: Добавить часть Закладки Меню быстрого доступа открыто @@ -225,16 +225,16 @@График Гистограмма Настройки отчётов -Цвет счёта в отчётых +Цвет счёта в отчётых Использовать цвет счёта в отчётах -Отсортировать по размеру +Отсортировать по размеру Показать легенду Показать ярлыки Показать %% Показывать промежуточные линии Группировать мелкие части Нет данных для диаграммы -Общая сумма +Общая сумма Прочее Проценты считаются по общему Проценты считаются по выбранному @@ -251,19 +251,19 @@Резервное копирование Включить экспорт на DropBox Включить экспорт на ownCloud -Резервная копия настроек +Резервная копия настроек Создать резервную копию -По умолчанию резервные копии сохраняются на карту памяти -Выбор резервной копии для восстановления +Create a backup of the active book +Restore most recent backup of active book Резервная копия создана Не получилось создать резервную копию Будут экспортированы все счета и проводки -Установите программу для просмотра файловой системы +Установите программу для просмотра файловой системы Выберите резервную копию для восстановления Закладки Открыть... Отчёты -Экспорт... +Экспорт... Настройки Имя пользователя Пароль @@ -275,6 +275,11 @@OC сервер ОК OC имя/пароль ОК Имя папки ОК ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Ежедневно
- Каждые %d дня
@@ -298,9 +303,9 @@Записывать отказы программы Включить запись отказов программы (рекомендуем). Обещаем не собирать приватную информацию. Формат -Введите старый пароль +Введите старый пароль Введите новый пароль -Запланированный экспорт +Запланированный экспорт Вы ещё не планировали экспорт данных Создать расписание экспорта Экспортировано в: %1$s @@ -310,7 +315,7 @@Нет избранных счетов Запланированные действия "Завершено. Последний раз выполнено " -Далее +Далее Конец Валюта по умолчанию Настройки счёта @@ -330,7 +335,7 @@Проверьте, что все части корректно распределены перед сохранением! Неверное выражение! Запланированная повторяющаяся проводка -Перевод денег +Перевод денег Выберите часть, чтобы посмотреть подробно Период: @@ -348,7 +353,7 @@Активы Долги Акции -Переместить в: +Переместить в: Группировать по Месяц Квартал @@ -362,7 +367,7 @@Не совместимых приложений, чтобы получить экспортированные транзакции! Перемещение… Повтор -Денежный поток +Денежный поток Бюджеты Компактный вид Использовать компактный вид для списка проводок @@ -435,8 +440,22 @@Рекомендовать в Play Store до %1$s в %1$s -для %1$s раз +for %1$d times Компактный вид Книга %1$d никогда +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index 5f1a57b39..88ea71dd3 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -18,7 +18,7 @@ Креирај рачун Уреди рачун -Додајте нову трансакцију на рачун +Додајте нову трансакцију на рачун View account details Нема рачуна за приказ Назив рачуна @@ -34,7 +34,7 @@Износ Нова трансакција Нема трансакција за приказ -Дуговања +Дуговања CREDIT Рачуни Трансакције @@ -43,29 +43,28 @@Отказати Рачун обрисан Потврдите брисање -Уреди трансакцију +Уреди трансакцију Додај напомену -%1$d изабрано +%1$d изабрано Биланс: Извези у: Извези трансакције -Подразумева се да буду извезене само нове трансакције након последњег извоза. Укључите ову опцију ако желите извоз свих трансакција +Подразумева се да буду извезене само нове трансакције након последњег извоза. Укључите ову опцију ако желите извоз свих трансакција Грешка при извозу датотеке %1$s Извези Delete transactions after export Све извезене трансакције ће бити обрисане након завршетка извоза Подешавања - - SD Картица
+- Save As…
- Dropbox
-- Google диск
- ownCloud
- Send to…
Премести Пренос %1$d трансакције(а) Одредишни рачун -Немогућ пренос трансакције.\nОдредишни рачун користи другачију валуту од полазног рачуна +Немогућ пренос трансакције.\nОдредишни рачун користи другачију валуту од полазног рачуна Опште О програму Изабери подразумевану валуту @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -194,7 +194,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -212,14 +212,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -229,16 +229,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -255,19 +255,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -279,6 +279,11 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Daily
- Every %d days
@@ -302,9 +307,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -314,7 +319,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -334,7 +339,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -352,7 +357,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -366,7 +371,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -439,8 +444,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index 10d5f7534..b545baaab 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -18,7 +18,7 @@ Skapa konto Redigera konto -Lägg till en transaktion till ett konto +Lägg till en transaktion till ett konto Visa kontodetaljer Det finns inga konton att visa Kontonamn @@ -34,7 +34,7 @@Belopp Lägg till transaktion Det finns inga transaktioner att visa -DEBIT +DEBIT KREDIT Konton Transaktioner @@ -43,29 +43,28 @@Avbryt Kontot borttaget Bekräfta radering -Redigera transaktion +Redigera transaktion Lägg till anteckning -%1$d har markerats +%1$d har markerats Saldo: Exportera till: Exportera transaktioner -Som standard exporteras endast nya transaktioner sedan senaste export. Markera detta alternativ för att exportera alla transaktioner +Som standard exporteras endast nya transaktioner sedan senaste export. Markera detta alternativ för att exportera alla transaktioner Fel uppstod då filen skulle %1$s exporteras Exportera Radera transaktioner efter export Alla exporterade transaktioner raderas när exporten har slutförs Inställningar - - SD-kort
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
-- Skicka till…
+- Send to…
Flytta Flytta %1$d transaktion(er) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account Allmänt Om Choose default currency @@ -80,16 +79,17 @@Display account Hide account balance in widget Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License +No accounts exist in GnuCash.\nCreate an account before adding a widget +License Apache License v2.0. Click for details General Preferences Select Account There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Balance Enter an account name to create an account @@ -126,7 +126,7 @@Dismiss Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Search Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +301,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +313,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +333,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +351,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +365,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -432,8 +436,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 54b620eb1..f7ffdc9ee 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -18,7 +18,7 @@ Hesap Oluştur Hesabı Düzenle -Bir hesaba yeni bir işlem ekle +Bir hesaba yeni bir işlem ekle View account details No accounts to display Hesap adı @@ -34,7 +34,7 @@Tutar New transaction No transactions to display -DEBIT +DEBIT KREDİ Hesaplar İşlemler @@ -43,29 +43,28 @@İptal Silinmiş hesap Confirm delete -Edit Transaction +Edit Transaction Add note -%1$d seçildi +%1$d seçildi Bakiye: Export To: Export Transactions -By default, only new transactions since last export will be exported. Check this option to export all transactions +By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file Export Delete transactions after export All exported transactions will be deleted when exporting is completed Ayarlar - - Hafıza Kartı
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Move Move %1$d transaction(s) Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Cannot move transactions.\nThe destination account uses a different currency from origin account Genel Hakkında Varsayılan para birimini seçin @@ -80,16 +79,17 @@Display account Hide account balance in widget Hesap Oluştur -No accounts exist in GnuCash.\nCreate an account before adding a widget -Lisans +No accounts exist in GnuCash.\nCreate an account before adding a widget +Lisans Apache Lisansı v2.0. Detaylar için tıklayın Genel Tercihler Hesap seçin There are no transactions available to export -Passcode Preferences -Change Passcode +Passcode Preferences +Enable passcode +Change Passcode About GnuCash -GnuCash Android %1$s export +GnuCash Android %1$s export GnuCash Android Export from Transactions Transaction Preferences @@ -107,7 +107,7 @@Delete exported transactions Default export email The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another +All transactions will be a transfer from one account to another Activate Double Entry Bakiye Enter an account name to create an account @@ -126,7 +126,7 @@Yoksay Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts +An error occurred while importing the GnuCash accounts GnuCash Accounts successfully imported Import account structure exported from GnuCash desktop Import GnuCash XML @@ -139,16 +139,16 @@Are you sure you want to delete all accounts and transactions?\n\nThis operation cannot be undone! -All transactions in all accounts will be deleted! +All transactions in all accounts will be deleted! Delete all transactions All transactions successfully deleted! Importing accounts -Transactions +Transactions Sub-Accounts Arama Default Export Format File format to use by default when exporting transactions -Recurrence +Recurrence Imbalance Exporting transactions @@ -193,7 +193,7 @@Creates default GnuCash commonly-used account structure Create default accounts A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions +Transactions Select destination for export Memo Spend @@ -211,14 +211,14 @@Invoice Buy Sell -Opening Balances +Opening Balances Equity Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions Save account opening balances OFX does not support double-entry transactions Generates separate QIF files per currency -Imbalance: +Imbalance: Add split Favorite Navigation drawer opened @@ -228,16 +228,16 @@Line Chart Bar Chart Report Preferences -Account color in reports +Account color in reports Use account color in the bar/pie chart -Order by size +Order by size Show legend Show labels Show percentage Show average lines Group Smaller Slices No chart data available -Total +Total Other The percentage of selected value calculated from the total amount The percentage of selected value calculated from the current stacked bar amount @@ -254,19 +254,19 @@Backup Enable exporting to DropBox Enable exporting to ownCloud -Backup Preferences +Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions -Install a file manager to select files +Install a file manager to select files Select backup to restore Favorites Open… Reports -Export… +Export… Settings User Name Password @@ -278,6 +278,10 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Daily
- Every %d days
@@ -297,9 +301,9 @@Enable Crash Logging Automatically send information about app malfunction to the developers. Format -Enter your old passcode +Enter your old passcode Enter your new passcode -Exports +Exports No scheduled exports to display Create export schedule Exported to: %1$s @@ -309,7 +313,7 @@No favorite accounts Scheduled Actions "Ended, last executed on %1$s" -Next +Next Done Default Currency Account Setup @@ -329,7 +333,7 @@Check that all splits have valid amounts before saving! Invalid expression! Scheduled recurring transaction -Transfer Funds +Transfer Funds Select a slice to see details Period: @@ -347,7 +351,7 @@Assets Liabilities Equity -Move to: +Move to: Group By Month Quarter @@ -361,7 +365,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -432,8 +436,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index 48620de4d..3a49852a4 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -56,9 +56,8 @@ Створити рахунок Редагувати рахунок -Додати до рахунку нову транзакцію +Додати до рахунку нову транзакцію View account details Немає рахунків Ім\'я рахунку @@ -34,7 +34,7 @@Сума Нова транзакція Немає транзакцій -ДЕБЕТ +ДЕБЕТ КРЕДИТ Рахунки Транзакції @@ -43,29 +43,28 @@Скасувати Рахунок видалений Підтвердіть видалення -Редагувати транзакцію +Редагувати транзакцію Опис -%1$d обрано +%1$d обрано Баланс: Export To: Експорт транзакцій -Експортувати всі транзакції, а не тільки нові. +Експортувати всі транзакції, а не тільки нові. Помилка при експорті %1$s Експорт Delete transactions after export Всі експортовані транзакції будуть видалені по завершенні. Налаштування - - Карта пам\'яті
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Перенести Перенести %1$d транзакц(ію,ії,ій) Рахунок-одержувач -Неможливо перенести транзакції.\nРахунок-одержувач використовує іншу валюту. +Неможливо перенести транзакції.\nРахунок-одержувач використовує іншу валюту. Загальні Про програму Оберіть валюту за замовчуванням @@ -80,16 +79,17 @@Показати рахунок Hide account balance in widget Створити рахунки -Немає рахунків в Gnucash.\nСтворіть рахунки перед додаваням віджета. -Ліцензія +Немає рахунків в Gnucash.\nСтворіть рахунки перед додаваням віджета. +Ліцензія Apache License v2.0. Натисніть, щоб переглянути. Загальні налаштування Оберіть рахунок Немає транзакцій для експорту -Захист паролем -Змінити пароль +Захист паролем +Enable passcode +Змінити пароль Про Gnucash -Експорт %1$s-файлу із Gnucash Android +Експорт %1$s-файлу із Gnucash Android GnuCash Android експорт з Транзакції Властивості транзакції @@ -107,7 +107,7 @@Завжди видаляти експортоване Електронна пошта для експорту Поштова скринька за замовчуванням для експорту. Можете змінювати її в процесі. -Всі транзакції будуть переказами з одного рахунку на інший. +Всі транзакції будуть переказами з одного рахунку на інший. Активувати подвійний запис Баланс Введіть ім\'я створюваного рахунку @@ -126,7 +126,7 @@Відмовитися Введіть суму, щоб зберегти транзакцію -Сталася помилка при імпорті рахунків із GnuCash +Сталася помилка при імпорті рахунків із GnuCash Рахунки із GnuCash успішно імпортовані Імпорт структури рахунків із GnuCash для ПК Імпортувати рахунки із GnuCash @@ -135,16 +135,16 @@Рахунки Всі рахунки видалено Ви дійсно хочете видалити всі рахунки та транзакції?\nЦе не можна буде скасувати! -Усі транзакції в усіх рахунках будуть видалені! +Усі транзакції в усіх рахунках будуть видалені! Видалити всі транзакції Всі транзакції видалені Рахунки імпортуються -Транзакції +Транзакції Дочірні рахунки Пошук Формат експорту за замовчуванням Формат файлу, який використовується за умовчанням при експорті -Запланована транзакція +Запланована транзакція Дисбаланс Транзакції експортуються @@ -190,7 +190,7 @@Створення стандартної структури рахунків GnuCash Створення стандартних рахунків A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Заплановані транзакції +Заплановані транзакції Оберіть місце призначення експорту Пам\'ятка Трата @@ -208,14 +208,14 @@Чек Купівля Продаж -Початкове сальдо +Початкове сальдо Власні кошти Увімкніть щоб зберегти поточний баланс (перед видаленням транзакцій) як нове початкове сальдо після їх видалення Зберігати початкове сальдо рахунків OFX не підтримує транзакції подвійного запису Створює на кожну валюту окремий QIF файл -Дисбаланс: +Дисбаланс: Додати частину Закладки Бокове меню відкрито @@ -225,16 +225,16 @@Лінійний графік Гістограма Налаштування звітів -Колір рахунку в звіті +Колір рахунку в звіті Використовувати колір рахунку в звітах -Відсортувати за розміром +Відсортувати за розміром Показати легенду Показати ярлики Показати відсотки Показати середі лінії Групувати дрібні частинки Немає даних для діаграми -Загальна сума +Загальна сума Інше Відсотки рахуються від загальної суми Відсотки рахуються від вибраного стовпчика @@ -251,19 +251,19 @@Резервне копіюванняе Enable exporting to DropBox Enable exporting to ownCloud -Налаштування резервного копіювання +Налаштування резервного копіювання Створити резервну копію -За замовчуванням резервні копії зберігаються на карту пам\'яті -Вибір резервної копії для відновлення +Create a backup of the active book +Restore most recent backup of active book Резервна копія створена Не вийшло створити резервну копію Будуть експортовані всі рахунки і транзакції -Встановіть програму для перегляду файлової системи +Встановіть програму для перегляду файлової системи Оберіть резервну копію для відновлення Закладки Відкрити… Звіти -Експорт… +Експорт… Налаштування User Name Password @@ -275,6 +275,11 @@OC server OK OC username/password OK Dir name OK ++ - Hourly
+- Every %d hours
+- Every %d hours
+- Щодня
- Кожні %d дні
@@ -298,9 +303,9 @@Вести журнал відмов програми Вести журнал відмов програми (рекомендуємо). Обіцяємо не збирати приватну інформацію. Формат -Введіть старий пароль +Введіть старий пароль Введіть новий пароль -Запланований експорт +Запланований експорт Ви ще не планували експорт даних Створити розклад експорту Експортовано в: %1$s @@ -310,7 +315,7 @@Немає закладок рахунків Заплановані заходи "Закінчений, останнє виконання " -Наступне +Наступне Завершити Валюта по замовчуванню Налаштування облікового запису @@ -330,7 +335,7 @@Перевірте щоб всі частинки мали допустимі суми перед збереженням! Недопустимий вираз! Запланувати повторюванні транзакції -Переведення грошей +Переведення грошей Виберіть частинку, щоб побачити деталі Період: @@ -348,7 +353,7 @@Активи Борги Акції -Перемістити в: +Перемістити в: Групувати за Місяцями Кварталами @@ -362,7 +367,7 @@No compatible apps to receive the exported transactions! Move… Duplicate -Cash Flow +Cash Flow Budgets Enable compact view Enable to always use compact view for transactions list @@ -435,8 +440,22 @@Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox All exported transactions will be deleted when exporting is completed Settings - @@ -87,6 +86,7 @@- SD Card
+- Save As…
- Dropbox
-- Google Drive
- ownCloud
- Send to…
Select Account There are no transactions available to export Passcode Preferences +Enable passcode Change Passcode About GnuCash GnuCash Android %1$s export @@ -255,8 +255,8 @@Enable exporting to ownCloud Backup Preferences Create Backup -By default backups are saved to the SDCARD -Select a specific backup to restore +Create a backup of the active book +Restore most recent backup of active book Backup successful Backup failed Exports all accounts and transactions @@ -277,6 +277,9 @@OC server OK OC username/password OK Dir name OK ++ - Every %d hours
+@@ -425,8 +428,22 @@ - Every %d days
Recommend in Play Store until %1$s on %1$s -for %1$s times +for %1$d times Compact View Book %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 1786b95b8..1e24940ed 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -18,7 +18,7 @@ 创建科目 编辑科目 -为科目增加交易 +为科目增加交易 View account details 没有可以显示的科目 科目名称 @@ -34,7 +34,7 @@金额 新建交易 没有可以显示的交易 -借方 +借方 贷方 科目 交易 @@ -43,29 +43,28 @@取消 科目已删除 确认删除 -修改交易 +修改交易 备注 -已选中 %1$d 项 +已选中 %1$d 项 科目余额: 导出到: 导出交易 -默认情况下,自上次导出后新增的交易才会被导出。选择此项后所有的交易都会被导出。 +默认情况下,自上次导出后新增的交易才会被导出。选择此项后所有的交易都会被导出。 导出%1$s发生错误 导出 导出后删除交易 导出完成后被导出的所有交易都会被删除 设置 - - SD卡
+- Save As…
- Dropbox
-- Google 云端硬盘
- ownCloud
-- 发送到...
+- Send to…
移动 移动 %1$d 笔交易 目的科目 -不能移动交易。\n两个科目的货币设置不一样。 +不能移动交易。\n两个科目的货币设置不一样。 常规 关于 选择默认货币 @@ -80,16 +79,17 @@显示科目 Hide account balance in widget 创建科目 -GnuCash里还没有科目信息。\n使用小部件前需要添加科目 -授权许可 +GnuCash里还没有科目信息。\n使用小部件前需要添加科目 +授权许可 Apache License v2.0,点击查看明细(将打开网页) 通用 选择科目 没有需要导出的交易 -密码设置 -修改密码 +密码设置 +Enable passcode +修改密码 关于GnuCash -GnuCash Android %1$s 导出 +GnuCash Android %1$s 导出 GnuCash 导出的数据 交易 交易设置 @@ -107,7 +107,7 @@删除已导出的交易 Email设置 默认发送导出的文件到这个E-mail地址,当然在导出时仍然可以变更。 -所有交易会记录为由一个科目到另一个科目的资金流动 +所有交易会记录为由一个科目到另一个科目的资金流动 使用复式记账法 科目余额 需要输入科目名称 @@ -126,7 +126,7 @@知道了 输入金额才能保存交易 -导入 GnuCash 科目时发生错误。 +导入 GnuCash 科目时发生错误。 GnuCash 科目资料导入完成。 导入从GnuCash桌面版导出的科目设置 导入GnuCash XML @@ -137,16 +137,16 @@所有科目都已删除 确定删除所有科目和交易? \n这个操作不能撤销! -所有科目的所有的交易信息将被删除! +所有科目的所有的交易信息将被删除! 删除所有交易 所有交易都已删除 导入科目 -交易 +交易 子科目 搜索 默认的导出格式 导出交易信息时默认使用的文件格式。 -重复 +重复 不平衡的 正在导出交易信息 @@ -190,7 +190,7 @@创建通用的科目结构 创建默认科目 将会创建带有默认科目的新账簿\n\n现在这个账簿不会受到影响 -交易 +交易 选择导出的目标 描述 花费 @@ -208,13 +208,13 @@发票 买入 卖出 -期初余额 +期初余额 所有者权益 当删除所有交易后,还保持当前的账户余额作为新的期初余额。 保存账户的期初余额 OFX 格式不支持复式簿记 每种货币都会生成一个QIF文件 -不平衡的: +不平衡的: 添加一行 收藏 打开导航抽屉 @@ -224,16 +224,16 @@折线图 柱状图 报表设置 -用不同颜色区分科目 +用不同颜色区分科目 在饼图中使用科目的颜色 -按数量排序 +按数量排序 显示图例 显示标签 显示占比 显示平均线 合并太小的数据 没有数据可显示 -总计 +总计 其他 百分比按照总金额占比来计算 百分比按照柱状图比例计算 @@ -250,19 +250,19 @@备份 启用导出到DropBox 启用导出到 ownCloud -备份设置 +备份设置 创建备份 -备份会保存到SD卡上 -选择恢复到哪一个备份 +Create a backup of the active book +Restore most recent backup of active book 备份成功 备份失败 导出所有科目和交易 -你需要安装一个文件管理器 +你需要安装一个文件管理器 选择备份 收藏 打开... 报表 -导出... +导出... 设置 用户名 密码 @@ -274,6 +274,9 @@OC 服务器正常 OC 用户名/密码正确 目录名正确 ++ - Every %d hours
+@@ -289,9 +292,9 @@ - 每 %d 天
启用崩溃日志 发送崩溃日志给开发者来帮助改进软件,里面没有个人的隐私信息。 文件格式: -先输入现在的密码 +先输入现在的密码 请输入新密码 -定时备份 +定时备份 没有备份任务 创建定时备份 导出到:%1$s @@ -301,7 +304,7 @@没有加星标的科目 定时任务 "Ended, last executed on " -下一步 +下一步 完成 默认的货币 科目设置 @@ -321,7 +324,7 @@保存之前请检查拆分交易的各项金额有效! 算式不完整! 计划的交易 -转账 +转账 点击切片查看详情 时间段: @@ -339,7 +342,7 @@资产 负债 所有者权益 -移动到: +移动到: 分组 月 季度 @@ -353,7 +356,7 @@没有合适的应用接受导出的文件 移动... 复制 -现金流 +现金流 预算 启用精简视图 交易列表总是用精简视图显示 @@ -422,8 +425,22 @@在 Play Store 上推荐 直到%1$s 在%1$s -共%1$s次 +for %1$d times 紧凑视图 账簿 %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox From 71324356a2b6c17908c70abf21796e6f5f445054 Mon Sep 17 00:00:00 2001 From: Ngewi Fet 新增科目 編輯科目 -给科目添加交易 +给科目添加交易 View account details 没有要显示的科目 科目名稱 @@ -34,7 +34,7 @@金額 新交易 没有要顯示的交易 -借方 +借方 貸方 科目 交易 @@ -43,29 +43,28 @@取消 科目已删除 確認刪除 -編輯交易 +編輯交易 備註 -%1$d 已選中 +%1$d 已選中 合計: 匯出至: 匯出交易資料 -預設情况下,自上次匯出後新增的交易才會被匯出。選擇此項後所有的交易都會被匯出。 +預設情况下,自上次匯出後新增的交易才會被匯出。選擇此項後所有的交易都會被匯出。 匯出%1$s發生錯誤 匯出 匯出後刪除交易記錄 匯出完成後現存所有交易都會被刪除 設置 - - SD 卡
+- Save As…
- Dropbox
-- Google 雲端硬碟
- ownCloud
-- 發送給...
+- Send to…
移動 移動 %1$d 交易 目標科目 -不能移動交易。\n兩個會計科目的貨幣設置不一样。 +不能移動交易。\n兩個會計科目的貨幣設置不一样。 一般設定 關於 選擇預設貨幣 @@ -80,16 +79,17 @@顯示科目名字 Hide account balance in widget 创建科目 -GnuCash裡還没有會計科目信息。\n使用小部件前需要添加會計科目 -授權許可 +GnuCash裡還没有會計科目信息。\n使用小部件前需要添加會計科目 +授權許可 Apache License v2.0,點擊查看詳细(將打開網頁)。 一般偏好設定 選擇科目 没有需要匯出的交易 -密碼設置 -修改密碼 +密碼設置 +Enable passcode +修改密碼 關於GnuCash -GnuCash Android %1$s 匯出 +GnuCash Android %1$s 匯出 GnuCash 匯出 交易 交易設置 @@ -107,7 +107,7 @@刪除已匯出的交易 email設置 預設發送匯出的OFX文件到這個email地址,在匯出時你仍然可以改變email地址。 -所有交易會顯示成兩行,複式簿記 +所有交易會顯示成兩行,複式簿記 使用複式簿記 餘額 需要輸入科目名稱 @@ -125,7 +125,7 @@ - 多個 bug 修復\n知道了 輸入金額才能保存交易 -匯入GnuCash科目时發生錯誤。 +匯入GnuCash科目时發生錯誤。 GnuCash科目資料匯入完成。 匯入從GnuCash桌面版匯出的科目設置 匯入GnuCash科目 @@ -135,16 +135,16 @@科目 所有科目都已删除 確定刪除所有科目和交易? \n這個操作不能撤銷! -所有科目的所有的交易信息將被刪除! +所有科目的所有的交易信息將被刪除! 删除所有交易 所有交易都已删除 匯入科目 -交易 +交易 子科目 搜索 預設的匯出格式 匯出交易信息時使用的文件格式。 -重複 +重複 失調 正在匯出交易信息 @@ -189,7 +189,7 @@建立預設科目 将会创建新的账簿附带默认的科目 现在这个账簿不会受到影响 -交易 +交易 選擇儲存的位置 描述 花費 @@ -207,13 +207,13 @@發票 買入 賣出 -起始結餘 +起始結餘 所有者權益 當刪除所有交易後,保留現存(刪除前)的帳戶餘額作為新的期初餘額。 保存账户的起始結餘 OFX格式不支持複式簿記 每種貨幣都會產生一個QIF文件 -失調 +失調 添加一行 收藏 打开导航 @@ -223,16 +223,16 @@折線圖 橫條圖 報表設置 -用不同顏色区分科目 +用不同顏色区分科目 在饼图中使用科目的颜色 -按數量排序 +按數量排序 顯示圖例 顯示標籤 顯示百分比 显示平均线 合併數目較小的數據 没有數據可顯示 -總計 +總計 其他 所選值的百分比從總金額中計算 百分比按照柱状图比例计算 @@ -249,19 +249,19 @@備份 啟用匯出到 DropBox 啟用匯出到 ownCloud -備份設置 +備份設置 建立備份 -備份會保存到SD卡上 -選擇恢復到哪一個備份 +Create a backup of the active book +Restore most recent backup of active book 備份成功 備份失敗 匯出所有科目和交易 -你需要安裝一個文件管理器 +你需要安裝一個文件管理器 選擇備份 收藏 打開... 報表 -匯出... +匯出... 設置 帳號 密碼 @@ -273,6 +273,9 @@OC server OK OC username/password OK Dir name OK ++ - Every %d hours
+@@ -290,9 +293,9 @@ No user-identifiable information will be collected as part of this process! - 每 %d 天
格式 -先輸入現在的密碼 +先輸入現在的密碼 請輸入新密碼 -定時備份 +定時備份 没有備份任務 建立定時備份 匯出到:%1$s @@ -302,7 +305,7 @@ No user-identifiable information will be collected as part of this process!沒有最星标的科目 計畫的操作 "Ended, last executed on " -下一个 +下一个 完成 預設貨幣: 科目设置 @@ -322,7 +325,7 @@ No user-identifiable information will be collected as part of this process!保存之前请检查拆分交易的各项金额有效! 運算式有誤 排程交易 -轉帳 +轉帳 選擇一個切片以查看詳細資訊 时间段 @@ -340,7 +343,7 @@ No user-identifiable information will be collected as part of this process!資產 負債 財產淨值 -移動至 +移動至 分组方式 月 季度 @@ -354,7 +357,7 @@ No user-identifiable information will be collected as part of this process!没有合适的应用接收汇出的文档 移動... 複製 -現金流 +現金流 預算 啟用紧凑視圖 交易清單總是啟用緊湊視圖 @@ -423,8 +426,22 @@ No user-identifiable information will be collected as part of this process!在 Play Store 推薦 直到%1$s 在%1$s -共%1$s次 +for %1$d times 紧凑视图 账簿 %1$d never +Rename Book +Rename +Rename +Select backup file +Select a file for automatic backups +Confirm restore from backup +A new book will be opened with the contents of this backup. Do you wish to proceed? +Restore +No backups found +There are no existing backup files to restore from + +gnucash_android_backup.gnca +Select the destination after export is complete +Export to \'/Apps/GnuCash Android/\' folder on Dropbox Date: Mon, 24 Apr 2017 23:32:43 +0200 Subject: [PATCH 38/45] Fix: crash after upgrade from 2.1.x due to invalid reference to last export destination Update text for "What's new" dialog --- .../java/org/gnucash/android/db/MigrationHelper.java | 8 ++++++++ app/src/main/res/values/strings.xml | 9 ++++----- 2 files changed, 12 insertions(+), 5 deletions(-) diff --git a/app/src/main/java/org/gnucash/android/db/MigrationHelper.java b/app/src/main/java/org/gnucash/android/db/MigrationHelper.java index 20fe9053e..5acc1d74a 100644 --- a/app/src/main/java/org/gnucash/android/db/MigrationHelper.java +++ b/app/src/main/java/org/gnucash/android/db/MigrationHelper.java @@ -1616,6 +1616,14 @@ static int upgradeDbToVersion15(SQLiteDatabase db) { db.endTransaction(); } + //remove previously saved export destination index because the number of destinations has changed + //an invalid value would lead to crash on start + Context context = GnuCashApplication.getAppContext(); + android.preference.PreferenceManager.getDefaultSharedPreferences(context) + .edit() + .remove(context.getString(R.string.key_last_export_destination)) + .apply(); + //the default interval has been changed from daily to hourly with this release. So reschedule alarm rescheduleServiceAlarm(); return dbVersion; diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index a37229a67..fb7f526ab 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -117,11 +117,10 @@ Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss From 56307863e6ae70b9fd83ed232a83c6cc93fe542f Mon Sep 17 00:00:00 2001 From: Ngewi FetDate: Tue, 25 Apr 2017 11:36:53 +0200 Subject: [PATCH 39/45] Export QIF as zip files so as to include multiple files generated for multicurrency transactions --- .../android/export/ExportAsyncTask.java | 39 ++++++++++++++----- .../android/ui/export/ExportFormFragment.java | 12 +++++- 2 files changed, 40 insertions(+), 11 deletions(-) diff --git a/app/src/main/java/org/gnucash/android/export/ExportAsyncTask.java b/app/src/main/java/org/gnucash/android/export/ExportAsyncTask.java index 49d579c60..9b7b9fb3f 100644 --- a/app/src/main/java/org/gnucash/android/export/ExportAsyncTask.java +++ b/app/src/main/java/org/gnucash/android/export/ExportAsyncTask.java @@ -17,7 +17,6 @@ package org.gnucash.android.export; -import android.annotation.TargetApi; import android.app.Activity; import android.app.ProgressDialog; import android.content.Context; @@ -27,7 +26,6 @@ import android.database.sqlite.SQLiteDatabase; import android.net.Uri; import android.os.AsyncTask; -import android.os.Build; import android.preference.PreferenceManager; import android.support.annotation.NonNull; import android.support.v4.content.FileProvider; @@ -79,6 +77,8 @@ import java.util.Date; import java.util.List; import java.util.concurrent.TimeUnit; +import java.util.zip.ZipEntry; +import java.util.zip.ZipOutputStream; /** * Asynchronous task for exporting transactions. @@ -280,21 +280,38 @@ private void moveExportToUri() throws Exporter.ExporterException { return; } - //we only support exporting to a single file - String exportedFile = mExportedFiles.get(0); - try { - moveFile(exportedFile, mContext.getContentResolver().openOutputStream(exportUri)); - } catch (IOException e) { - e.printStackTrace(); - Log.e(TAG, "Error moving export file to: " + exportUri); - Crashlytics.logException(e); + if (mExportedFiles.size() > 0){ + try { + OutputStream outputStream = mContext.getContentResolver().openOutputStream(exportUri); + ZipOutputStream zipOutputStream = new ZipOutputStream(outputStream); + byte[] buffer = new byte[1024]; + for (String exportedFile : mExportedFiles) { + File file = new File(exportedFile); + FileInputStream fileInputStream = new FileInputStream(file); + zipOutputStream.putNextEntry(new ZipEntry(file.getName())); + + int length; + while ((length = fileInputStream.read(buffer)) > 0) { + zipOutputStream.write(buffer, 0, length); + } + zipOutputStream.closeEntry(); + fileInputStream.close(); + } + zipOutputStream.close(); + } catch (IOException ex) { + Log.e(TAG, "Error when zipping QIF files for export"); + ex.printStackTrace(); + Crashlytics.logException(ex); + } } } /** * Move the exported files to a GnuCash folder on Google Drive * @throws Exporter.ExporterException + * @deprecated Explicit Google Drive integration is deprecated, use Storage Access Framework. See {@link #moveExportToUri()} */ + @Deprecated private void moveExportToGoogleDrive() throws Exporter.ExporterException { Log.i(TAG, "Moving exported file to Google Drive"); final GoogleApiClient googleApiClient = BackupPreferenceFragment.getGoogleApiClient(GnuCashApplication.getAppContext()); @@ -421,7 +438,9 @@ private void moveExportToOwnCloud() throws Exporter.ExporterException { * Moves the exported files from the internal storage where they are generated to * external storage, which is accessible to the user. * @return The list of files moved to the SD card. + * @deprecated Use the Storage Access Framework to save to SD card. See {@link #moveExportToUri()} */ + @Deprecated private List moveExportToSDCard() throws Exporter.ExporterException { Log.i(TAG, "Moving exported file to external storage"); new File(Exporter.getExportFolderPath(mExporter.mBookUID)); diff --git a/app/src/main/java/org/gnucash/android/ui/export/ExportFormFragment.java b/app/src/main/java/org/gnucash/android/ui/export/ExportFormFragment.java index 1939c865a..90503473f 100644 --- a/app/src/main/java/org/gnucash/android/ui/export/ExportFormFragment.java +++ b/app/src/main/java/org/gnucash/android/ui/export/ExportFormFragment.java @@ -501,7 +501,17 @@ private void selectExportFile() { Intent createIntent = new Intent(Intent.ACTION_CREATE_DOCUMENT); createIntent.setType("text/*").addCategory(Intent.CATEGORY_OPENABLE); String bookName = BooksDbAdapter.getInstance().getActiveBookDisplayName(); - createIntent.putExtra(Intent.EXTRA_TITLE, Exporter.buildExportFilename(mExportFormat, bookName)); + + if (mExportFormat == ExportFormat.XML || mExportFormat == ExportFormat.QIF) { + createIntent.setType("application/zip"); + } + + String filename = Exporter.buildExportFilename(mExportFormat, bookName); + if (mExportTarget == ExportParams.ExportTarget.URI && mExportFormat == ExportFormat.QIF){ + filename += ".zip"; + } + + createIntent.putExtra(Intent.EXTRA_TITLE, filename); startActivityForResult(createIntent, REQUEST_EXPORT_FILE); } From a74311a1cf6b2697d4511c5b8168944b451c95b6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=C3=80lex=20Magaz=20Gra=C3=A7a?= Date: Sun, 23 Apr 2017 17:36:49 +0200 Subject: [PATCH 40/45] Take into account weekdays on weekly scheduled actions The actions were run just once per week without taking into account the weekdays set by the user. Fixes https://github.com/codinguser/gnucash-android/issues/641 --- .../android/model/ScheduledAction.java | 40 +++++++++++++++- .../test/unit/model/ScheduledActionTest.java | 46 +++++++++++++++++++ 2 files changed, 85 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/gnucash/android/model/ScheduledAction.java b/app/src/main/java/org/gnucash/android/model/ScheduledAction.java index 8a743abdf..c6391782c 100644 --- a/app/src/main/java/org/gnucash/android/model/ScheduledAction.java +++ b/app/src/main/java/org/gnucash/android/model/ScheduledAction.java @@ -24,6 +24,7 @@ import java.sql.Timestamp; import java.text.SimpleDateFormat; +import java.util.Calendar; import java.util.Date; import java.util.Locale; import java.util.TimeZone; @@ -224,7 +225,7 @@ private long computeNextScheduledExecutionTimeStartingAt(long startTime) { nextScheduledExecution = nextScheduledExecution.plusDays(multiplier); break; case WEEK: - nextScheduledExecution = nextScheduledExecution.plusWeeks(multiplier); + nextScheduledExecution = computeNextWeeklyExecutionStartingAt(nextScheduledExecution); break; case MONTH: nextScheduledExecution = nextScheduledExecution.plusMonths(multiplier); @@ -236,6 +237,43 @@ private long computeNextScheduledExecutionTimeStartingAt(long startTime) { return nextScheduledExecution.toDate().getTime(); } + /** + * Computes the next time that this weekly scheduled action is supposed to be + * executed starting at startTime. + * + * @param startTime LocalDateTime to use as start to compute the next schedule. + * + * @return Next run time as a LocalDateTime + */ + @NonNull + private LocalDateTime computeNextWeeklyExecutionStartingAt(LocalDateTime startTime) { + // Look into the week of startTime for another scheduled weekday + for (int weekDay : mRecurrence.getByDays() ) { + int jodaWeekDay = convertCalendarWeekdayToJoda(weekDay); + LocalDateTime candidateNextDueTime = startTime.withDayOfWeek(jodaWeekDay); + if (candidateNextDueTime.isAfter(startTime)) + return candidateNextDueTime; + } + + // Return the first scheduled weekday from the next due week + int firstScheduledWeekday = convertCalendarWeekdayToJoda(mRecurrence.getByDays().get(0)); + return startTime.plusWeeks(mRecurrence.getMultiplier()) + .withDayOfWeek(firstScheduledWeekday); + } + + /** + * Converts a java.util.Calendar weekday constant to the + * org.joda.time.DateTimeConstants equivalent. + * + * @param calendarWeekday weekday constant from java.util.Calendar + * @return weekday constant equivalent from org.joda.time.DateTimeConstants + */ + private int convertCalendarWeekdayToJoda(int calendarWeekday) { + Calendar cal = Calendar.getInstance(); + cal.set(Calendar.DAY_OF_WEEK, calendarWeekday); + return LocalDateTime.fromCalendarFields(cal).getDayOfWeek(); + } + /** * Set time of last execution of the scheduled action * @param nextRun Timestamp in milliseconds since Epoch diff --git a/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java b/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java index 8ce1b4c7d..192004824 100644 --- a/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java +++ b/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java @@ -23,9 +23,13 @@ import org.junit.Test; import java.sql.Timestamp; +import java.util.Arrays; import java.util.Calendar; +import java.util.Collections; import static org.assertj.core.api.Assertions.assertThat; + + /** * Test scheduled actions */ @@ -130,6 +134,48 @@ public void testComputingTimeOfLastSchedule(){ } + /** + * Weekly actions scheduled to run on multiple weekdays should be due + * in each of them in the same week. + * + * For an action scheduled on Mondays and Thursdays, we test that, if + * the last run was on Monday, the next should be due on the Thursday + * of the same week instead of the following week. + */ + @Test + public void multiWeekdayWeeklyActions_shouldBeDueOnEachWeekdaySet() { + ScheduledAction scheduledAction = new ScheduledAction(ScheduledAction.ActionType.BACKUP); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setByDays(Arrays.asList(Calendar.MONDAY, Calendar.THURSDAY)); + scheduledAction.setRecurrence(recurrence); + scheduledAction.setStartTime(new DateTime(2016, 6, 6, 9, 0).getMillis()); + scheduledAction.setLastRun(new DateTime(2017, 4, 17, 9, 0).getMillis()); // Monday + + long expectedNextDueDate = new DateTime(2017, 4, 20, 9, 0).getMillis(); // Thursday + assertThat(scheduledAction.computeNextTimeBasedScheduledExecutionTime()) + .isEqualTo(expectedNextDueDate); + } + + /** + * Weekly actions scheduled with multiplier should skip intermediate + * weeks and be due in the specified weekday. + */ + @Test + public void weeklyActionsWithMultiplier_shouldBeDueOnTheWeekdaySet() { + ScheduledAction scheduledAction = new ScheduledAction(ScheduledAction.ActionType.BACKUP); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(2); + recurrence.setByDays(Collections.singletonList(Calendar.WEDNESDAY)); + scheduledAction.setRecurrence(recurrence); + scheduledAction.setStartTime(new DateTime(2016, 6, 6, 9, 0).getMillis()); + scheduledAction.setLastRun(new DateTime(2017, 4, 12, 9, 0).getMillis()); // Wednesday + + // Wednesday, 2 weeks after the last run + long expectedNextDueDate = new DateTime(2017, 4, 26, 9, 0).getMillis(); + assertThat(scheduledAction.computeNextTimeBasedScheduledExecutionTime()) + .isEqualTo(expectedNextDueDate); + } + private long getTimeInMillis(int year, int month, int day) { Calendar calendar = Calendar.getInstance(); calendar.set(year, month, day); From 8087978c5a277b203f3290d10d4d83bb8e6dfab6 Mon Sep 17 00:00:00 2001 From: Ngewi Fet Date: Tue, 25 Apr 2017 23:17:22 +0200 Subject: [PATCH 41/45] Update database version to enable migrations Fixes crash when trying to export in v2.2.0-beta1 Update translations and extract string resource Update version for v2.2.0-beta2 release --- app/build.gradle | 2 +- .../gnucash/android/db/DatabaseSchema.java | 2 +- app/src/main/res/menu/nav_drawer_menu.xml | 2 +- app/src/main/res/values-af-rZA/strings.xml | 9 ++-- app/src/main/res/values-ar-rSA/strings.xml | 9 ++-- app/src/main/res/values-ca-rES/strings.xml | 9 ++-- app/src/main/res/values-cs-rCZ/strings.xml | 9 ++-- app/src/main/res/values-de/strings.xml | 11 ++-- app/src/main/res/values-el-rGR/strings.xml | 9 ++-- app/src/main/res/values-en-rGB/strings.xml | 9 ++-- app/src/main/res/values-es-rMX/strings.xml | 12 ++--- app/src/main/res/values-es/strings.xml | 13 ++--- app/src/main/res/values-fi-rFI/strings.xml | 9 ++-- app/src/main/res/values-fr/strings.xml | 7 ++- app/src/main/res/values-hu-rHU/strings.xml | 9 ++-- app/src/main/res/values-in-rID/strings.xml | 11 ++-- app/src/main/res/values-it-rIT/strings.xml | 51 +++++++++--------- app/src/main/res/values-iw-rIL/strings.xml | 9 ++-- app/src/main/res/values-ja-rJP/strings.xml | 49 +++++++++-------- app/src/main/res/values-ko-rKR/strings.xml | 9 ++-- app/src/main/res/values-lv-rLV/strings.xml | 9 ++-- app/src/main/res/values-nb/strings.xml | 9 ++-- app/src/main/res/values-nl-rNL/strings.xml | 9 ++-- app/src/main/res/values-no-rNO/strings.xml | 9 ++-- app/src/main/res/values-pl-rPL/strings.xml | 9 ++-- app/src/main/res/values-pt-rBR/strings.xml | 51 +++++++++--------- app/src/main/res/values-pt-rPT/strings.xml | 12 ++--- app/src/main/res/values-ro-rRO/strings.xml | 9 ++-- app/src/main/res/values-ru/strings.xml | 53 +++++++++---------- app/src/main/res/values-sr-rSP/strings.xml | 9 ++-- app/src/main/res/values-sv-rSE/strings.xml | 9 ++-- app/src/main/res/values-tr-rTR/strings.xml | 9 ++-- app/src/main/res/values-uk-rUA/strings.xml | 9 ++-- app/src/main/res/values-vi-rVN/strings.xml | 9 ++-- app/src/main/res/values-zh-rCN/strings.xml | 51 +++++++++--------- app/src/main/res/values-zh-rTW/strings.xml | 12 ++--- app/src/main/res/values/strings.xml | 1 + 37 files changed, 254 insertions(+), 275 deletions(-) diff --git a/app/build.gradle b/app/build.gradle index eb0847d7b..1a6df18e3 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -7,7 +7,7 @@ apply plugin: 'android-apt' def versionMajor = 2 def versionMinor = 2 def versionPatch = 0 -def versionBuild = 1 +def versionBuild = 2 def buildTime() { def df = new SimpleDateFormat("yyyyMMdd HH:mm 'UTC'") diff --git a/app/src/main/java/org/gnucash/android/db/DatabaseSchema.java b/app/src/main/java/org/gnucash/android/db/DatabaseSchema.java index 01f07d2d9..f3dcbeaf8 100644 --- a/app/src/main/java/org/gnucash/android/db/DatabaseSchema.java +++ b/app/src/main/java/org/gnucash/android/db/DatabaseSchema.java @@ -39,7 +39,7 @@ public class DatabaseSchema { * Version number of database containing accounts and transactions info. * With any change to the database schema, this number must increase */ - public static final int DATABASE_VERSION = 14; + public static final int DATABASE_VERSION = 15; /** * Name of the database diff --git a/app/src/main/res/menu/nav_drawer_menu.xml b/app/src/main/res/menu/nav_drawer_menu.xml index 195cf2193..f57f50be8 100644 --- a/app/src/main/res/menu/nav_drawer_menu.xml +++ b/app/src/main/res/menu/nav_drawer_menu.xml @@ -53,7 +53,7 @@ - + android:title="@string/title_section_preferences">
What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index 614a9f9a0..a29459346 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index 5eac310ff..1b818086e 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -117,11 +117,10 @@Habiliteu aquesta opció quan exporteu a aplicacions de tercers diferents de GnuCash per escriptori Novetats - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index 0c5893eea..4148da9c4 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -117,11 +117,10 @@Použijte tuto možnost při exportu do aplikace jiného výrobce než GnuCash pro stolní počítače Co je nového - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index ef94323f0..7942afbac 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -117,12 +117,11 @@Diese Option aktivieren, wenn Sie die OFX-Dateien für ein anderes Programm als GnuCash auf dem Desktop exportieren Neuigkeiten in dieser Version - - Unterstützung für mehrere verschiedene Bücher\n - - Fügt ownCloud als Exportziel hinzu\n - - Kompaktansicht für Buchungsliste\n - - Neugestaltung des Zugangscode-Sperrbildschirms\n - - Verbesserte Handhabung terminierter Buchungen\n - - Mehrere Bugfixes und Verbesserungen\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n Schließen Geben Sie einen Betrag ein, um die Buchung speichern zu können diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index 363e3bb54..b58b3fe95 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -119,11 +119,10 @@Ενεργοποίηση αυτής της επιλογής για εξαγωγή σε εφαρμογές τρίτων, εκτός του GnuCash για επιτραπέζιο υπολογιστή. Τι νέο υπάρχει - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Απόρριψη diff --git a/app/src/main/res/values-en-rGB/strings.xml b/app/src/main/res/values-en-rGB/strings.xml index 87c3a750b..9d3c09aac 100644 --- a/app/src/main/res/values-en-rGB/strings.xml +++ b/app/src/main/res/values-en-rGB/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml index c6fb0bd6f..11e19a26b 100644 --- a/app/src/main/res/values-es-rMX/strings.xml +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -117,12 +117,12 @@Active esta opción para exportar a otras aplicaciones distintas a GnuCash para escritorio Novedades - - Soporte de múltiples libros\n -- Añade ownCloud como destino para exportaciones\n -- Vista compacta para la lista de transacciones\n -- Rediseño de la pantalla de bloqueo con contraseña\n -- Mejora del manejo de transacciones programadas\n -- Múltiples fallos solucionados y otras mejoras\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n +Cerrar Introduzca un importe para guardar la transacción Ocurrió un error al importar las cuentas de GnuCash diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index e7270ba85..776abfbe1 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -116,12 +116,13 @@Usar cabecera XML OFX Active esta opción para exportar a otras aplicaciones distintas a GnuCash para escritorio Novedades -- Soporte de múltiples libros\n -- Añade ownCloud como destino para exportaciones\n -- Vista compacta para la lista de transacciones\n -- Rediseño de la pantalla de bloqueo con contraseña\n -- Mejora del manejo de transacciones programadas\n -- Múltiples fallos solucionados y otras mejoras\n ++ - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n + Cerrar Introduzca un importe para guardar la transacción Ocurrió un error al importar las cuentas de GnuCash diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index 0b531595c..bf8d3ba43 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index 30bee3c9c..7b7e42b39 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -117,7 +117,12 @@Activez cette option lors d\'un export vers une application tierce autre que GnuCash pour PC Nouveautés --Support pour plusieurs livres comptables différents\n - Ajoute ownCloud comme destination pour les exportations\n - Vue compacte pour la liste de transactions\n - Nouvelle implémentation de l\'écran de verrouillage\n - Traitement amélioré des transactions programmées\n - Plusieurs corrections de bugs et améliorations\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n +Passer Entrez un montant pour sauvegarder la transaction Une erreur s\'est produite pendant l\'import de vos comptes GnuCash diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index cb91f94a9..2f13dda69 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 2592d2290..4bdb19463 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -117,12 +117,11 @@Aktifkan opsi ini ketika mengekspor ke aplikasi pihak ketiga selain GnuCash versi desktop Yang Terbaru - - Mendukung lebih dari satu buku yang berbeda \n - - Menambahkan ownCloud sebagai tujuan untuk ekspor\n - - Tampilan yang terpadu untuk daftar transaksi\n - - Desain ulang terkait layar kunci kode akses\n - - Penanganan yang ditingkatkan terkait transaksi terjadwal\n - - Perbaikan berbagai bug dan beberapa peningkatan\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n Abaikan Tuliskan jumlah untuk menyimpan transaksi diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 7288957ee..8ed537e6f 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -56,10 +56,10 @@Tutte le transazioni esportate verranno eliminate al termine dell\'esportazione Impostazioni - - Save As…
+- Salva con nome…
- Dropbox
- ownCloud
-- Send to…
+- Invia a…
Sposta Sposta %1$d transazioni @@ -86,7 +86,7 @@Seleziona conto Non sono disponibili transazioni da esportare Preferenze codice di accesso -Enable passcode +Attiva il codice di accesso Cambia codice di accesso Informazioni su GnuCash Esportazione %1$s di GnuCash per Android @@ -117,12 +117,11 @@Abilitare questa opzione quando si esporta verso un\'applicazione diversa da GnuCash per desktop Novità -- Supporto per più libri differenti \n - - Aggiunto ownCloud come destinazione per le esportazioni\n - - Vista compatta per la lista delle transazioni\n - - Ridisegno della schermata di blocco per il codice di accesso\n - - Migliorata la gestione delle transazioni pianificate\n - - Sistemati molti bug e molti miglioramenti\n +- Aggiunta la possibilità di effettuare l\'esportazione verso qualsiasi servizio che supporti Storage Access Framework \n + - Aggiunta un\'opzione per impostare il percorso per i backup automatici a intervalli regolari (vedi le impostazioni di backup)\n + - Aggiunto il supporto alla valuta Bitcoin\n + - Aggiunto il supporto alla ridenominazione dei libri\n + - Molte risoluzioni di bug e molti miglioramenti\n Chiudi Inserire un importo per salvare la transazione @@ -253,8 +252,8 @@Attiva l\'esportazione su ownCloud Preferenze di backup Crea backup -Create a backup of the active book -Restore most recent backup of active book +Crea un backup del libro attivo +Ripristina il backup più recente del libro attivo Backup riuscito Backup non riuscito Esporta tutti i conti e tutte le transazioni @@ -276,8 +275,8 @@Nome utente/password OC OK Nome directory OK - - Hourly
-- Every %d hours
+- Ogni ora
+- Ogni %d ore
- Ogni giorno
@@ -433,22 +432,22 @@Consigliala sul Play Store fino al %1$s il %1$s -for %1$d times +per %1$d volte Visualizzazione compatta Libro %1$d mai -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Rinomina libro +Rinomina +Rinomina +Seleziona un file di backup +Seleziona un file per il backup automatico +Conferma il ripristino da backup +Verrà aperto un nuovo libro con il contenuto di questo backup. Vuoi procedere? +Ripristina +Nessun backup trovato +Non ci sono file di backup da cui effettuare un ripristino gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Seleziona la destinazione al termine dell\'esportazione +Esporta su Dropbox nella cartella \'/Apps/GnuCash Android/\' Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 982e74dc4..ae7030f60 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -56,10 +56,10 @@エクスポート完了時に、エクスポートしたすべての取引が削除されます 設定 - - Save As…
+- 名前を付けて保存…
- Dropbox
- ownCloud
-- Send to…
+- …に送信
移動 %1$d件の取引を移動 @@ -86,7 +86,7 @@アカウントを選択 エクスポート可能な取引がありません パスコードの設定 -Enable passcode +パスワードを有効にする パスコードを変更する GnuCashについて GnuCash Android %1$s エクスポート @@ -117,12 +117,11 @@GnuCash for desktopではなく他のサードパーティ製ソフトウェアにエクスポートする場合は、このオプションを有効にします 新着情報 -- 複数の異なる帳簿のサポート \n -- エクスポート先として ownCloud を追加\n -- 取引リストのコンパクト表示\n -- パスコードロック画面の再設計\n -- スケジュールされた取引の処理を改善\n -- 複数のバグの修正と改良\n +- ストレージ アクセス フレームワークをサポートしている任意のサービスにエクスポートする機能の追加 \n +- 定期的な自動バックアップの場所を設定する機能の追加 (バックアップの設定を参照してください) \n +- Bitcoin 通貨サポートの追加 \n +- 帳簿の名前を変更するサポートの追加 \n +- 複数のバグの修正と改善 \n消去 取引を保存するには金額の入力が必要です GnuCashの勘定科目をインポート中にエラーが発生しました。 @@ -249,8 +248,8 @@ownCloud へのエクスポートを有効にします バックアップ設定 バックアップを作成 -Create a backup of the active book -Restore most recent backup of active book +アクティブな帳簿のバックアップを作成します +アクティブな帳簿の最新バックアップを復元します バックアップに成功しました バックアップに失敗しました すべての勘定と取引をエクスポートします @@ -272,7 +271,7 @@OC ユーザー名/パスワード OK ディレクトリ名 OK - - Every %d hours
+- %d 時間ごと
- %d 日ごと
@@ -422,22 +421,22 @@Play ストア でお勧め %1$s まで %1$s に -for %1$d times +%1$d 回 コンパクト表示 帳簿 %1$d しない -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +帳簿の名前を変更 +名前を変更 +名前を変更 +バックアップファイルを選択 +自動バックアップのファイルを選択します +バックアップからの復元を確認 +このバックアップの内容で新しい帳簿が開かれます。続行しますか? +復元 +バックアップが見つかりません +復元する既存のバックアップファイルはありません gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +エクスポートが完了した後、移動先を選択します +Dropbox の \'/Apps/GnuCash Android/\' フォルダーにエクスポート 데스크탑용 GnuCash 이외의 타 응용 프로그램에 내보낼 때에 사용하세요 새로운 기능 - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n 닫기 diff --git a/app/src/main/res/values-lv-rLV/strings.xml b/app/src/main/res/values-lv-rLV/strings.xml index 32b3cdbaf..226c5ad27 100644 --- a/app/src/main/res/values-lv-rLV/strings.xml +++ b/app/src/main/res/values-lv-rLV/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml index 8ddd3f766..8806a9a5f 100644 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -117,11 +117,10 @@Aktiver dette alternativet når du eksporterer til tredjeparts programvare, borsett fra GnuCash for PC Hva er nytt - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Avvis diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index a6971f251..5dddc2e74 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -117,11 +117,10 @@Schakel deze optie in als u naar een applicatie anders dan GnuCash wil exporteren Nieuw sinds de vorige versie - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Wijs af diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index 6bd7d1ebf..6872b964f 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -117,11 +117,10 @@Aktiver dette alternativet når du eksporterer til tredjeparts programvare, borsett fra GnuCash for PC Hva er nytt - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Avvis diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index d5c5977b2..5bb558e6f 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -118,11 +118,10 @@ Konto docelowe używa innej waluty niż konto wyjścioweWłącz tę opcję gdy eksportujesz do aplikacji innej ni GnuCash dla desktopa Co nowego - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Spocznij diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index f5af3c767..27eb0d5a1 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -56,10 +56,10 @@Todas as transações exportadas serão apagadas quando a exportação estiver completa Configurações - - Save As…
+- Salvar como…
- Dropbox
- ownCloud
-- Send to…
+- Enviar para…
Mover Mover %1$d transação(ões) @@ -86,7 +86,7 @@Escolha uma conta Não existem transações para exportar Preferências de Senha -Enable passcode +Habilitar senha Modificar senha Sobre o GnuCash GnuCash Android %1$s exportação @@ -117,12 +117,11 @@Active esta opção quando fizer exportações para outras aplicações que não seja o GnuCash para Desktop O que há de novo -- Suporte para múltiplos livros\n -- Adiciona o ownCloud como destino das exportações\n -- Visualização compacta da lista de transações\n -- Nova tela de bloqueio de senha\n -- Aperfeiçoado o tratamento de transações agendadas\n - - Diversas correções de erros e melhorias\n +-Adicionada a capacidade de exportar para qualquer serviço que suporta a estrutura de acesso de armazenamento \n +- adicionada opção para definir o local de backups automáticos regulares (ver configurações de backup) \n +- adicionado suporte a Bitcoins \n +- adicionada a capacidade de renomear livros\n +- diversas correções de bugs e aperfeiçoamentos\nDescartar Introduza um valor para gravar a transação Ocorreu um erro ao importar as contas do GnuCash @@ -251,8 +250,8 @@Habilitar a exportação para o ownCloud Preferências de Backup Criar Backup -Create a backup of the active book -Restore most recent backup of active book +Criar backup do livro ativo +Restaurar o backup mais recente do livro ativo Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações @@ -274,8 +273,8 @@Usuário/senha do OC OK Nome do diretório OK - - Hourly
-- Every %d hours
+- Por hora
+- A cada %d horas
- Diariamente
@@ -432,22 +431,22 @@ Neste processo não serão recolhidas informações do utilizador!Recomendado na Play Store até %1$s em %1$s -for %1$d times +por %1$d vezes Visualização compacta Livro %1$d nunca -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Renomear livro +Renomear +Renomear +Selecionar arquivo de backup +Selecione um arquivo para backups automáticos +Confirmar a restauração do backup +Um novo livro será aberto com o conteúdo deste backup. Deseja prosseguir? +Restaurar +Nenhum backup encontrado +Não existem arquivos de backup disponíveis para restaurar gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Selecione o destino após finalizar a exportação +Exportar para a pasta \' / Apps/GnuCash Android /\' no Dropbox Active esta opção quando fizer exportações para outras aplicações que não seja o GnuCash para Desktop O que há de novo -- Suporte para vários livres diferentes\n -- Adiciona o ownCloud como destino das exportações\n -- Vista compacta da lista das transações\n -- Redesenhado o ecrã de bloqueio de password\n -- Melhorado o tratamento de transações agendadas\n - - Várias correcções de erros e melhoramentos\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n +Descartar Introduza um valor para gravar a transação Ocorreu um erro ao importar as contas do GnuCash diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 724f2cb09..098c93a7e 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index f75350abd..2baa6bbe9 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -56,10 +56,10 @@Все экспортированные проводки будут удалены по завершении. Настройки - - Save As…
+- Сохранить как…
- Dropbox
- ownCloud
-- Send to…
+- Отправить…
Перенести Перенести %1$d проводку (и) @@ -86,7 +86,7 @@Выберите счёт Нет проводок для экспорта Настройки парольной защиты -Enable passcode +Включить пароль Сменить пароль О Gnucash Экспорт %1$s-файла из Gnucash Android @@ -117,12 +117,11 @@Включите эту опцию, если экспортируете в программы отличные от GnuCash для ПК Новости - - Поддержка нескольких различных книг \n - - Добавляет ownCloud как место для экспорта\n - - Компактный вид списка операций\n - - Новый дизайн окна блокировки\n - - Улучшена обработка запланированных операций\n - - Множество других исправлений ошибок и улучшений\n + - Добавлена возможность экспорта с любым сервисом с поддержкой Storage Access Framework \n + - Добавлена опция выбора пути сохранения резервных копий (см. настройки)\n + - Добавлена поддержка валюты Bitcoin\n + - Добавлена поддержка переименования книги\n + - Множество мелких правок и улучшений\n Отмена Введите сумму, чтобы сохранить проводку @@ -253,8 +252,8 @@Включить экспорт на ownCloud Резервная копия настроек Создать резервную копию -Create a backup of the active book -Restore most recent backup of active book +Создать резервную копию активной книги +Восстановите последнюю резервную копию активной книги Резервная копия создана Не получилось создать резервную копию Будут экспортированы все счета и проводки @@ -276,9 +275,9 @@OC имя/пароль ОК Имя папки ОК - - Hourly
-- Every %d hours
-- Every %d hours
+- Каждый час
+- Каждые %d часа
+- Каждые %d часов
- Ежедневно
@@ -440,22 +439,22 @@Рекомендовать в Play Store до %1$s в %1$s -for %1$d times +для %1$d раз Компактный вид Книга %1$d никогда -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Переименовать Книгу +Переименование +Переименовать +Выберите файл резервной копии +Выберите файл для автоматического резервного копирования +Подтвердите восстановление из резервной копии +Новая книга будет открыта с содержанием этой резервной копии. Вы хотите продолжить? +Восстановить +Резервные копии не найдены +Нет существующих файлов резервных копий для восстановления gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Выберите пункт назначения после завершения экспорта +Экспорт в \' / Apps/GnuCash Android /\' папку на Dropbox Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index 88ea71dd3..f3c134545 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index b545baaab..2cc127544 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop Yenilikler - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Yoksay diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index f7ffdc9ee..8bd361f7e 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -117,11 +117,10 @@Ввімкніть цю опцію, якщо експортуєте в програми відмінні від GnuCash для ПК Що нового - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Відмовитися diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index 3a49852a4..d048f6515 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -117,11 +117,10 @@Enable this option when exporting to third-party application other than GnuCash for desktop What\'s New - - Support for multiple different books \n - - Adds ownCloud as destination for exports\n - - Compact view for transactions list\n - - Re-design of passcode lock screen\n - - Improved handling of scheduled transactions\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n - Multiple bug fixes and improvements\n Dismiss diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index 92b99c9f7..f48824290 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -56,10 +56,10 @@导出完成后被导出的所有交易都会被删除 设置 - - Save As…
+- 另存为...
- Dropbox
- ownCloud
-- Send to…
+- 发送到...
移动 移动 %1$d 笔交易 @@ -86,7 +86,7 @@选择科目 没有需要导出的交易 密码设置 -Enable passcode +启用密码保护 修改密码 关于GnuCash GnuCash Android %1$s 导出 @@ -117,12 +117,11 @@当导出数据到GnuCash桌面版以外的程序时需要开启这个选项。 新功能 -- 支持多个账簿 \n -- 支持导出至ownCloud\n -- 紧凑的交易列表视图\n -- 重新设计的锁屏界面\n -- 改进计划交易功能\n -- 多个缺陷修复以及性能提升\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n 知道了 输入金额才能保存交易 @@ -252,8 +251,8 @@启用导出到 ownCloud 备份设置 创建备份 -Create a backup of the active book -Restore most recent backup of active book +为当前账簿创建备份 +还原至上次备份的状态 备份成功 备份失败 导出所有科目和交易 @@ -275,7 +274,7 @@OC 用户名/密码正确 目录名正确 - - Every %d hours
+- 每隔%d小时
- 每 %d 天
@@ -425,22 +424,22 @@在 Play Store 上推荐 直到%1$s 在%1$s -for %1$d times +%1$d 次 紧凑视图 账簿 %1$d -never -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +从不 +重命名 +重命名 +重命名 +选择备份文件 +选择用于自动备份的文件 +确认 +将会创建新的账簿 +还原 +没有发现备份 +没有找到备份文件 gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +选择导出位置 +导出到Dropbox的 \'/Apps/GnuCash Android/\' 文件夹 当匯出數據到GnuCash桌面版以外的程序時需要開啟這個選項。 更新內容 - - 支援多个帐簿 \n - - 支援 ownCloud \n - - 緊湊列表視圖\n - - 重新設計的密碼鎖屏\n - - 支援排程交易\n - - 多個 bug 修復\n + - Added ability to export to any service which supports the Storage Access Framework \n + - Added option to set the location for regular automatic backups (See backup settings)\n + - Added Bitcoin currency support\n + - Added support for renaming books\n + - Multiple bug fixes and improvements\n +知道了 輸入金額才能保存交易 匯入GnuCash科目时發生錯誤。 diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index fb7f526ab..624257895 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -461,4 +461,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences Date: Thu, 27 Apr 2017 20:45:34 +0200 Subject: [PATCH 42/45] Fix broken tests --- .../service/ScheduledActionServiceTest.java | 32 +++++++++++++++---- 1 file changed, 25 insertions(+), 7 deletions(-) diff --git a/app/src/test/java/org/gnucash/android/test/unit/service/ScheduledActionServiceTest.java b/app/src/test/java/org/gnucash/android/test/unit/service/ScheduledActionServiceTest.java index 78bd9b356..545537586 100644 --- a/app/src/test/java/org/gnucash/android/test/unit/service/ScheduledActionServiceTest.java +++ b/app/src/test/java/org/gnucash/android/test/unit/service/ScheduledActionServiceTest.java @@ -48,6 +48,7 @@ import org.gnucash.android.util.BookUtils; import org.gnucash.android.util.TimestampHelper; import org.joda.time.DateTime; +import org.joda.time.DateTimeConstants; import org.joda.time.LocalDateTime; import org.joda.time.Weeks; import org.junit.After; @@ -63,6 +64,8 @@ import java.math.BigDecimal; import java.sql.Timestamp; import java.util.ArrayList; +import java.util.Calendar; +import java.util.Collections; import java.util.List; import javax.xml.parsers.ParserConfigurationException; @@ -199,8 +202,10 @@ public void missedScheduledTransactions_shouldBeGenerated(){ scheduledAction.setActionUID(mActionUID); - int multiplier = 2; - scheduledAction.setRecurrence(PeriodType.WEEK, multiplier); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(2); + recurrence.setByDays(Collections.singletonList(Calendar.MONDAY)); + scheduledAction.setRecurrence(recurrence); ScheduledActionDbAdapter.getInstance().addRecord(scheduledAction, DatabaseAdapter.UpdateMethod.insert); TransactionsDbAdapter transactionsDbAdapter = TransactionsDbAdapter.getInstance(); @@ -249,7 +254,10 @@ public void scheduledTransactionsWithEndTimeInPast_shouldBeExecuted(){ scheduledAction.setStartTime(startTime.getMillis()); scheduledAction.setActionUID(mActionUID); - scheduledAction.setRecurrence(PeriodType.WEEK, 2); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(2); + recurrence.setByDays(Collections.singletonList(Calendar.MONDAY)); + scheduledAction.setRecurrence(recurrence); scheduledAction.setEndTime(new DateTime(2016, 8, 8, 9, 0).getMillis()); ScheduledActionDbAdapter.getInstance().addRecord(scheduledAction, DatabaseAdapter.UpdateMethod.insert); @@ -345,11 +353,15 @@ public void scheduledBackups_shouldRunOnlyOnce(){ @Test public void scheduledBackups_shouldNotRunBeforeNextScheduledExecution(){ ScheduledAction scheduledBackup = new ScheduledAction(ScheduledAction.ActionType.BACKUP); - scheduledBackup.setStartTime(LocalDateTime.now().minusDays(2).toDate().getTime()); + scheduledBackup.setStartTime( + LocalDateTime.now().withDayOfWeek(DateTimeConstants.WEDNESDAY).toDate().getTime()); scheduledBackup.setLastRun(scheduledBackup.getStartTime()); long previousLastRun = scheduledBackup.getLastRunTime(); scheduledBackup.setExecutionCount(1); - scheduledBackup.setRecurrence(PeriodType.WEEK, 1); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(1); + recurrence.setByDays(Collections.singletonList(Calendar.MONDAY)); + scheduledBackup.setRecurrence(recurrence); ExportParams backupParams = new ExportParams(ExportFormat.XML); backupParams.setExportTarget(ExportParams.ExportTarget.SD_CARD); @@ -380,7 +392,10 @@ public void scheduledBackups_shouldNotIncludeTransactionsPreviousToTheLastRun() scheduledBackup.setLastRun(LocalDateTime.now().minusDays(8).toDate().getTime()); long previousLastRun = scheduledBackup.getLastRunTime(); scheduledBackup.setExecutionCount(1); - scheduledBackup.setRecurrence(PeriodType.WEEK, 1); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(1); + recurrence.setByDays(Collections.singletonList(Calendar.WEDNESDAY)); + scheduledBackup.setRecurrence(recurrence); ExportParams backupParams = new ExportParams(ExportFormat.QIF); backupParams.setExportTarget(ExportParams.ExportTarget.SD_CARD); backupParams.setExportStartTime(new Timestamp(scheduledBackup.getStartTime())); @@ -438,7 +453,10 @@ public void scheduledBackups_shouldIncludeTransactionsAfterTheLastRun() { scheduledBackup.setLastRun(LocalDateTime.now().minusDays(8).toDate().getTime()); long previousLastRun = scheduledBackup.getLastRunTime(); scheduledBackup.setExecutionCount(1); - scheduledBackup.setRecurrence(PeriodType.WEEK, 1); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setMultiplier(1); + recurrence.setByDays(Collections.singletonList(Calendar.FRIDAY)); + scheduledBackup.setRecurrence(recurrence); ExportParams backupParams = new ExportParams(ExportFormat.QIF); backupParams.setExportTarget(ExportParams.ExportTarget.SD_CARD); backupParams.setExportStartTime(new Timestamp(scheduledBackup.getStartTime())); From ba2e9fd02a04d397aff7f5e9e75e0cb642336976 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=C3=80lex=20Magaz=20Gra=C3=A7a?= Date: Sat, 29 Apr 2017 19:40:37 +0200 Subject: [PATCH 43/45] Fix ScheduledActions throwing an exception if no weedays have been set Fixes an issue introduced in commit 8087978. We assumed at least one weekday was always set in the recurrence of weekly actions. The UI dialog enforces it. However, GnuCash desktop doesn't. So we must check it for the case of imported scheduled actions. --- .../android/model/ScheduledAction.java | 9 ++++++++- .../test/unit/model/ScheduledActionTest.java | 20 +++++++++++++++++++ 2 files changed, 28 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/gnucash/android/model/ScheduledAction.java b/app/src/main/java/org/gnucash/android/model/ScheduledAction.java index c6391782c..92fdac1a6 100644 --- a/app/src/main/java/org/gnucash/android/model/ScheduledAction.java +++ b/app/src/main/java/org/gnucash/android/model/ScheduledAction.java @@ -241,12 +241,19 @@ private long computeNextScheduledExecutionTimeStartingAt(long startTime) { * Computes the next time that this weekly scheduled action is supposed to be * executed starting at startTime. * + * If no weekdays have been set (GnuCash desktop allows it), it will return a + * date in the future to ensure ScheduledActionService doesn't execute it. + * * @param startTime LocalDateTime to use as start to compute the next schedule. * - * @return Next run time as a LocalDateTime + * @return Next run time as a LocalDateTime. A date in the future, if no weekdays + * were set in the Recurrence. */ @NonNull private LocalDateTime computeNextWeeklyExecutionStartingAt(LocalDateTime startTime) { + if (mRecurrence.getByDays().isEmpty()) + return LocalDateTime.now().plusDays(1); // Just a date in the future + // Look into the week of startTime for another scheduled weekday for (int weekDay : mRecurrence.getByDays() ) { int jodaWeekDay = convertCalendarWeekdayToJoda(weekDay); diff --git a/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java b/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java index 192004824..0cfa7cedc 100644 --- a/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java +++ b/app/src/test/java/org/gnucash/android/test/unit/model/ScheduledActionTest.java @@ -20,6 +20,7 @@ import org.gnucash.android.model.Recurrence; import org.gnucash.android.model.ScheduledAction; import org.joda.time.DateTime; +import org.joda.time.LocalDateTime; import org.junit.Test; import java.sql.Timestamp; @@ -176,6 +177,25 @@ public void weeklyActionsWithMultiplier_shouldBeDueOnTheWeekdaySet() { .isEqualTo(expectedNextDueDate); } + /** + * Weekly actions should return a date in the future when no + * weekdays have been set in the recurrence. + * + * See ScheduledAction.computeNextTimeBasedScheduledExecutionTime() + */ + @Test + public void weeklyActionsWithoutWeekdaySet_shouldReturnDateInTheFuture() { + ScheduledAction scheduledAction = new ScheduledAction(ScheduledAction.ActionType.BACKUP); + Recurrence recurrence = new Recurrence(PeriodType.WEEK); + recurrence.setByDays(Collections. emptyList()); + scheduledAction.setRecurrence(recurrence); + scheduledAction.setStartTime(new DateTime(2016, 6, 6, 9, 0).getMillis()); + scheduledAction.setLastRun(new DateTime(2017, 4, 12, 9, 0).getMillis()); + + long now = LocalDateTime.now().toDate().getTime(); + assertThat(scheduledAction.computeNextTimeBasedScheduledExecutionTime()).isGreaterThan(now); + } + private long getTimeInMillis(int year, int month, int day) { Calendar calendar = Calendar.getInstance(); calendar.set(year, month, day); From d6310a65def44f8a1249a339a874da25b3c05836 Mon Sep 17 00:00:00 2001 From: Ngewi Fet Date: Tue, 2 May 2017 22:02:26 +0200 Subject: [PATCH 44/45] Update version strings for v2.2.0-beta3 release Update translations --- CHANGELOG.md | 1 + README.md | 16 +- app/build.gradle | 2 +- app/src/main/res/values-af-rZA/strings.xml | 1 + app/src/main/res/values-ar-rSA/strings.xml | 1 + app/src/main/res/values-ca-rES/strings.xml | 1 + app/src/main/res/values-cs-rCZ/strings.xml | 39 +- app/src/main/res/values-de/strings.xml | 1 + app/src/main/res/values-el-rGR/strings.xml | 1 + app/src/main/res/values-en-rGB/strings.xml | 1 + app/src/main/res/values-es-rMX/strings.xml | 48 +- app/src/main/res/values-es/strings.xml | 48 +- app/src/main/res/values-fi-rFI/strings.xml | 5 +- app/src/main/res/values-fr/strings.xml | 1 + app/src/main/res/values-hu-rHU/strings.xml | 1 + app/src/main/res/values-in-rID/strings.xml | 1 + app/src/main/res/values-it-rIT/strings.xml | 1 + app/src/main/res/values-iw-rIL/strings.xml | 1 + app/src/main/res/values-ja-rJP/strings.xml | 1 + app/src/main/res/values-ko-rKR/strings.xml | 1 + app/src/main/res/values-lv-rLV/strings.xml | 1 + app/src/main/res/values-nb/strings.xml | 1 + app/src/main/res/values-nl-rNL/strings.xml | 1 + app/src/main/res/values-no-rNO/strings.xml | 1 + app/src/main/res/values-pl-rPL/strings.xml | 1 + app/src/main/res/values-pt-rBR/strings.xml | 7 +- app/src/main/res/values-pt-rPT/strings.xml | 58 +- app/src/main/res/values-ro-rRO/strings.xml | 1 + app/src/main/res/values-ru/strings.xml | 1 + app/src/main/res/values-sr-rSP/strings.xml | 1 + app/src/main/res/values-sv-rSE/strings.xml | 655 ++++++++++----------- app/src/main/res/values-tr-rTR/strings.xml | 1 + app/src/main/res/values-uk-rUA/strings.xml | 1 + app/src/main/res/values-vi-rVN/strings.xml | 1 + app/src/main/res/values-zh-rCN/strings.xml | 1 + app/src/main/res/values-zh-rTW/strings.xml | 9 +- 36 files changed, 463 insertions(+), 450 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c64e22dd9..8ba4cbfb0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ Version 2.2.0 *(2017-05-xx)* * Fixed #654: Crash when editing account if its default transfer account no longer exists * Fixed #625: Hourly backups were being executed on a monthly basis * Fixed #607: Widgets stop functioning after switching books +* Fixed #641: Weekday is ignored for weekly scheduled actions * Improved #635: Improved support for BYN currency * Improved #661: Removed need for WRITE_EXTERNAL_STORAGE permission for Android 4.4 (KitKat) and above * This release raises the minimum API level to 19 (KitKat) diff --git a/README.md b/README.md index 452a3e7df..43ee1a7eb 100644 --- a/README.md +++ b/README.md @@ -11,28 +11,28 @@ Accounts | Transactions | Reports :-------------------------:|:-------------------------:|:-------------------------: ![Accounts List](docs/images/v2.0.0_home.png) | ![Transactions List](docs/images/v2.0.0_transactions_list.png) | ![Reports](docs/images/v2.0.0_reports.png) -The application supports Android 2.3.3 Gingerbread (API level 10) and above. +The application supports Android 4.4 KitKat (API level 10) and above. Features include: * An easy-to-use interface. - * Chart of Accounts: A master account can have a hierarchy of detail accounts underneath it. + * **Chart of Accounts**: A master account can have a hierarchy of detail accounts underneath it. This allows similar account types (e.g. Cash, Bank, Stock) to be grouped into one master account (e.g. Assets). - * Split Transactions: A single transaction can be split into several pieces to record taxes, fees, and other compound entries. + * **Split Transactions**: A single transaction can be split into several pieces to record taxes, fees, and other compound entries. - * Double Entry: Every transaction must debit one account and credit another by an equal amount. + * **Double Entry**: Every transaction must debit one account and credit another by an equal amount. This ensures that the "books balance": that the difference between income and outflow exactly equals the sum of all assets, be they bank, cash, stock or other. - * Income/Expense Account Types (Categories): These serve not only to categorize your cash flow, but when used properly with the double-entry feature, these can provide an accurate Profit&Loss statement. + * **Income/Expense Account Types (Categories)**: These serve not only to categorize your cash flow, but when used properly with the double-entry feature, these can provide an accurate Profit&Loss statement. - * Scheduled Transactions: GnuCash has the ability to automatically create and enter transactions. + * **Scheduled Transactions**: GnuCash has the ability to automatically create and enter transactions. - * Export to GnuCash XML, QIF or OFX. Also, scheduled exports to 3rd-party sync services like DropBox and Google Drive + * **Export to GnuCash XML**, QIF or OFX. Also, scheduled exports to 3rd-party sync services like DropBox and Google Drive - * Reports: View summary of transactions (income and expenses) as pie/bar/line charts + * **Reports**: View summary of transactions (income and expenses) as pie/bar/line charts # Installation diff --git a/app/build.gradle b/app/build.gradle index 1a6df18e3..0a0ece175 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -7,7 +7,7 @@ apply plugin: 'android-apt' def versionMajor = 2 def versionMinor = 2 def versionPatch = 0 -def versionBuild = 2 +def versionBuild = 3 def buildTime() { def df = new SimpleDateFormat("yyyyMMdd HH:mm 'UTC'") diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml index c79ff4a69..7fec943b9 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -453,4 +453,5 @@ gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences Všechny exportované transakce budou odstraněny po dokončení exportu Nastavení - - Save As…
+- Uložit jako…
- Dropbox
- ownCloud
-- Send to…
+- Odeslat…
Přesunout Přesunout transakci(e) %1$d @@ -123,13 +123,13 @@ - Added support for renaming books\n - Multiple bug fixes and improvements\n -Dismiss +Zrušit Zadejte částku k uložení transakce Při importu GnuCash účtů došlo k chybě GnuCash účty úspěšně importovány Importovat strukturu účtu exportovaného z GnuCash pro stolní počítače Importovat GnuCash XML -Smazáním všech účtů v databázi dojde také ke smazání všechn transakcí. +Smazáním všech účtů v databázi dojde také ke smazání všech transakcí. Smazat všechny účty Účty Všechny účty byly úspěšně smazány @@ -262,31 +262,31 @@Open… Reports Export… -Settings -User Name -Password +Nastavení +Uživatelské jméno +Heslo owncloud https:// -OC server not found -OC username/password invalid -Invalid chars: \\ < > : \" | * ? +OC server nebyl nalezen +OC uživatelské jméno/heslo je neplatné +Neplatné znaky: \\ < >: \"| * ? OC server OK -OC username/password OK -Dir name OK +OC uživatelské jméno/heslo OK +Název složky OK - - Hourly
+- Každou hodinu
- Every %d hours
- Every %d hours
- - Daily
-- Every %d days
-- Every %d days
+- Denně
+- Každých %d dní
+- Každých %d dní
- - Weekly
-- Every %d weeks
-- Every %d weeks
+- Týdně
+- Každých %d týdnů
+- Každých %d týdnů
- Monthly
@@ -456,4 +456,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences Todas las transacciones exportadas serán borradas cuando la exportación haya terminado Ajustes - - Save As…
+- Guardar como…
- Dropbox
- ownCloud
-- Send to…
+- Enviar a…
Mover Mover %1$d transacción(es) @@ -86,7 +86,7 @@Seleccionar Cuenta No hay transacciones disponibles para exportar Ajustes de contraseña -Enable passcode +Habilitar clave Cambiar Contraseña Acerca de Gnucash Exportación %1$s de Gnucash Android @@ -117,12 +117,7 @@Active esta opción para exportar a otras aplicaciones distintas a GnuCash para escritorio Novedades - - Added ability to export to any service which supports the Storage Access Framework \n - - Added option to set the location for regular automatic backups (See backup settings)\n - - Added Bitcoin currency support\n - - Added support for renaming books\n - - Multiple bug fixes and improvements\n - +-Se ha añadido capacidad para exportar a cualquier servicio que soporta el marco de acceso de almacenamiento \n - Añadida la opción para establecer la ubicación de copias de seguridad automáticas (ver configuración de copia de seguridad) \n - añadido el soporte para moneda Bitcoin\n - agregado de soporte para renombrar libros\n - múltiples correcciones y mejoras\nCerrar Introduzca un importe para guardar la transacción Ocurrió un error al importar las cuentas de GnuCash @@ -253,8 +248,8 @@Habilitar exportar a ownCloud Preferencias de copia de seguridad Crear copia de seguridad -Create a backup of the active book -Restore most recent backup of active book +Crear una copia de seguridad del libro activo +Restaurar el libro activo a la copia de seguridad más reciente Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones @@ -276,8 +271,8 @@Usuario/contraseña OC correctos Nombre del directorio correcto - - Hourly
-- Every %d hours
+- Cada %d horas
+- Cada %d horas
- Diario
@@ -434,22 +429,23 @@ Este proceso solo recoge información que no permite identificar al usuarioRecomendar en Play Storehasta %1$s en %1$s -for %1$d times +%1$d veces Vista compacta Libro %1$d nunca -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Cambiar el nombre de libro +Cambiar nombre +Cambiar nombre +Seleccione el archivo de copia de seguridad +Seleccione un archivo para copias de seguridad automáticas +Confirmar la restauración de copia de seguridad +Se abrirá un nuevo libro con el contenido de esta copia de seguridad. ¿Desea continuar? +Restaurar +No se han encontrado copias de seguridad +No hay archivos de copia de seguridad desde donde restaurar gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Seleccione el destino después de la exportación +Exportar a carpeta en Dropbox \' / Apps/GnuCash Android /\' +Preferencias Todas las transacciones exportadas serán borradas cuando la exportación haya terminado Ajustes - - Save As…
+- Guardar como…
- Dropbox
- ownCloud
-- Send to…
+- Enviar a…
Mover Mover %1$d transacción(es) @@ -86,7 +86,7 @@Seleccionar Cuenta No hay transacciones disponibles para exportar Ajustes de contraseña -Enable passcode +Habilitar clave Cambiar Contraseña Acerca de Gnucash Exportación %1$s de Gnucash Android @@ -117,12 +117,7 @@Active esta opción para exportar a otras aplicaciones distintas a GnuCash para escritorio Novedades - - Added ability to export to any service which supports the Storage Access Framework \n - - Added option to set the location for regular automatic backups (See backup settings)\n - - Added Bitcoin currency support\n - - Added support for renaming books\n - - Multiple bug fixes and improvements\n - +-Se ha añadido capacidad para exportar a cualquier servicio que soporta el marco de acceso de almacenamiento \n - Añadida la opción para establecer la ubicación de copias de seguridad automáticas (ver configuración de copia de seguridad) \n - añadido el soporte para moneda Bitcoin\n - agregado de soporte para renombrar libros\n - múltiples correcciones y mejoras\nCerrar Introduzca un importe para guardar la transacción Ocurrió un error al importar las cuentas de GnuCash @@ -253,8 +248,8 @@Habilitar exportar a ownCloud Preferencias de copia de seguridad Crear copia de seguridad -Create a backup of the active book -Restore most recent backup of active book +Crear una copia de seguridad del libro activo +Restaurar el libro activo a la copia de seguridad más reciente Copia de seguridad exitosa Copia de seguridad fallida Exportar todas las cuentas y transacciones @@ -276,8 +271,8 @@Usuario/contraseña OC correctos Nombre del directorio correcto - - Hourly
-- Every %d hours
+- Cada %d horas
+- Cada %d horas
- Diario
@@ -434,22 +429,23 @@ Este proceso solo recoge información que no permite identificar al usuarioRecomendar en Play Storehasta %1$s en %1$s -for %1$d times +%1$d veces Vista compacta Libro %1$d nunca -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Cambiar el nombre de libro +Cambiar nombre +Cambiar nombre +Seleccione el archivo de copia de seguridad +Seleccione un archivo para copias de seguridad automáticas +Confirmar la restauración de copia de seguridad +Se abrirá un nuevo libro con el contenido de esta copia de seguridad. ¿Desea continuar? +Restaurar +No se han encontrado copias de seguridad +No hay archivos de copia de seguridad desde donde restaurar gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Seleccione el destino después de la exportación +Exportar a carpeta en Dropbox \' / Apps/GnuCash Android /\' +Preferencias Luo tili Muokkaa tiliä Lisää uusi tapahtuma tilille -View account details +Näytä tilin tiedot Ei näytettävissä olevia tilejä Tilin nimi Peruuta @@ -47,7 +47,7 @@Lisää huomautus %1$d valittuna Saldo: -Export To: +Vie: Vie tapahtumat By default, only new transactions since last export will be exported. Check this option to export all transactions Error exporting %1$s file @@ -453,4 +453,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Seleziona la destinazione al termine dell\'esportazione Esporta su Dropbox nella cartella \'/Apps/GnuCash Android/\' +Preferenze gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca エクスポートが完了した後、移動先を選択します Dropbox の \'/Apps/GnuCash Android/\' フォルダーにエクスポート +環境設定 gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences Excluir Apagar Cancelar -Conta apagada -Confirma apagar +Conta excluída +Confirmar exclusão Editar Transação Adicionar nota %1$d selecionado @@ -87,7 +87,7 @@Não existem transações para exportar Preferências de Senha Habilitar senha -Modificar senha +Alterar senha Sobre o GnuCash GnuCash Android %1$s exportação Exportação do GnuCash Android de @@ -449,4 +449,5 @@ Neste processo não serão recolhidas informações do utilizador!gnucash_android_backup.gnca Selecione o destino após finalizar a exportação Exportar para a pasta \' / Apps/GnuCash Android /\' no Dropbox +Preferências Criar Conta Editar Conta Adicionar nova transacção a uma conta -View account details +Ver detalhes da conta Sem contas para mostrar Nome da conta Cancelar @@ -56,10 +56,10 @@Todas as transações exportadas serão apagadas quando a exportação estiver completa Configurações - - Save As…
+- Guardar como…
- Dropbox
- ownCloud
-- Send to…
+- Enviar para…
Mover Mover %1$d transacções @@ -77,7 +77,7 @@Gravar transacções no GnuCash Criar contas no GnuCash Mostrar conta -Hide account balance in widget +Esconder o saldo da conta no widget Criar contas Não existem contas no GnuCash.\nCrie uma conta antes de adicionar um widget Licença @@ -86,7 +86,7 @@Escolha uma conta Não existem transacções para exportar Preferências de senha -Enable passcode +Activar código de acesso Mudar Palavra Passe Sobre o GnuCash GnuCash Android %1$s exportação @@ -117,12 +117,11 @@Active esta opção quando fizer exportações para outras aplicações que não seja o GnuCash para Desktop O que há de novo - - Added ability to export to any service which supports the Storage Access Framework \n - - Added option to set the location for regular automatic backups (See backup settings)\n - - Added Bitcoin currency support\n - - Added support for renaming books\n - - Multiple bug fixes and improvements\n - +- Adicionada a funcionalidade de exportar para qualquer serviço que suporte o Storage Access Framework\n +- Adiciona a opção para a localização para cópias de segurança automáticas (Ver definições de cópia de segurança)\n +- Adicionada suporte à moeda Bitcoin\n +- Adicionada funcionalidade de mudar os nomes aos livros\n +- Várias correcções de bugs e melhoramentos\nDescartar Introduza um valor para gravar a transação Ocorreu um erro ao importar as contas do GnuCash @@ -251,8 +250,8 @@Permitir a exportação para o ownCloud Preferências de Backup Criar Backup -Create a backup of the active book -Restore most recent backup of active book +Criar uma cópia de segurança do livro activo +Restaurar a cópia de segurança do livro activo mais recente Backup efectuado com sucesso Erro ao efectuar o Backup Exporta todas as contas e transações @@ -274,8 +273,8 @@Nome de utilizador/password OK Nome de directório OK - - Hourly
-- Every %d hours
+- Todas as horas
+- Todas as %d horas
- Diariamente
@@ -432,22 +431,23 @@ Neste processo não serão recolhidas informações do utilizador!Recomendado na Play Store desde%1$s na %1$s -for %1$d times +por %1$d vezes Vista Compacta Livro %1$d -never -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +nunca +Mudar o nome ao livro +Mudar o nome +Mudar o nome +Escolha ficheiro de cópia de segurança +Escolha ficheiro para cópias de segurança automáticas +Confirme o restauro a partir de cópia de segurança +Será aberto um novo ficheiro com o conteúdo desta cópia de segurança. Deseja continuar? +Restaurar +Não foram encontradas cópias de segurança +Não existem cópias de segurança para restaurar gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Escolha o destino após a exportação estar completa +Exportar para a pasta \'/Apps/GnuCash Android/\' na Dropbox +Preferências gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences gnucash_android_backup.gnca Выберите пункт назначения после завершения экспорта Экспорт в \' / Apps/GnuCash Android /\' папку на Dropbox +Настройки diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 4de8f4240..d7eb355dc 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -461,4 +461,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index f3c134545..be8308fd5 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -38,10 +38,10 @@KREDIT Konton Transaktioner -Ta bort -Ta bort +Radera +Radera Avbryt -Kontot borttaget +Kontot raderades Bekräfta radering Redigera transaktion Lägg till anteckning @@ -49,131 +49,122 @@Saldo: Exportera till: Exportera transaktioner -Som standard exporteras endast nya transaktioner sedan senaste export. Markera detta alternativ för att exportera alla transaktioner -Fel uppstod då filen skulle %1$s exporteras +Som standard, kommer endast nya transaktioner sedan senaste export att exporteras. Markera detta alternativ för att exportera alla transaktioner +Fel vid exportering av %1$s fil Exportera -Radera transaktioner efter export +Radera transaktioner efter exportering Alla exporterade transaktioner raderas när exporten har slutförs Inställningar - - Save As…
+- Spara som…
- Dropbox
- ownCloud
-- Send to…
+- Skicka till…
Flytta Flytta %1$d transaktion(er) -Destination Account -Cannot move transactions.\nThe destination account uses a different currency from origin account +Destinationskonto +Kan inte flytta transaktioner.\nDestinationskontot använder en annan valuta från ursprungskonto Allmänt Om -Choose default currency -Default currency -Default currency to assign to new accounts -Enables recording transactions in GnuCash for Android -Enables creation of accounts in GnuCash for Android -Your GnuCash data -Read and modify GnuCash data -Record transactions in GnuCash -Create accounts in GnuCash -Display account -Hide account balance in widget -Create Accounts -No accounts exist in GnuCash.\nCreate an account before adding a widget -License -Apache License v2.0. Click for details -General Preferences -Select Account -There are no transactions available to export -Passcode Preferences -Enable passcode -Change Passcode -About GnuCash -GnuCash Android %1$s export -GnuCash Android Export from -Transactions -Transaction Preferences -Account Preferences -Default Transaction Type -The type of transaction to use by default, CREDIT or DEBIT +Välj standardvaluta +Standardvaluta +Standardvaluta att tilldela nya konton +Möjliggör inspelning av transaktioner i GnuCash för Android +Möjliggör skapandet av konton i GnuCash för Android +Din GnuCash-data +Läsa och ändra GnuCash-data +Registrera transaktioner i GnuCash +Skapa konton i GnuCash +Visa konto +Dölja kontosaldo i widget +Skapa konton +Inga konton finns i GnuCash.\nSkapa ett konto innan du lägger till en widget +Licens +Apache License v2.0. Klicka för Detaljer +Allmänna inställningar +Välj konto +Det finns inga transaktioner tillgängliga att importera +Lösenkod inställningar +Aktivera lösenkod +Ändra lösenkod +Om GnuCash +GnuCash Android %1$s exportering +GnuCash Android exportering från +Transaktioner +Transaktion inställningar +Kontoinställningar +Standard transaktionstyp +Typ av transaktion att använda som standard, KREDIT eller DEBIT - -- CREDIT
+- KREDIT
- DEBIT
Are you sure you want to delete ALL transactions? -Are you sure you want to delete this transaction? -Export -Export all transactions -Delete exported transactions -Default export email -The default email address to send exports to. You can still change this when you export. -All transactions will be a transfer from one account to another -Activate Double Entry -Balance -Enter an account name to create an account -Currency -Parent account -Use XML OFX header -Enable this option when exporting to third-party application other than GnuCash for desktop -What\'s New +Är du säker du vill radera alla transaktioner? +Är du säker du vill radera denna transaktion? +Exportera +Exportera alla transaktioner +Radera exporterade transaktioner +Standard export av e-post +Standard e-postadressen att skicka exporter till. Du kan fortfarande ändra detta när du exporterar. +Alla transaktioner kommer att vara en överföring från ett konto till ett annat +Aktivera dubbel bokföring +Saldo +Ange ett kontonamn för att skapa ett konto +Valuta +Överordnat konto +Använd XML OFX sidhuvud +Aktivera detta alternativ när du exporterar till andra tredje parts program än GnuCash för skrivbord +Vad är nytt - - Added ability to export to any service which supports the Storage Access Framework \n - - Added option to set the location for regular automatic backups (See backup settings)\n - - Added Bitcoin currency support\n - - Added support for renaming books\n - - Multiple bug fixes and improvements\n - -Dismiss -Enter an amount to save the transaction -An error occurred while importing the GnuCash accounts -GnuCash Accounts successfully imported -Import account structure exported from GnuCash desktop -Import GnuCash XML -Delete all accounts in the database. All transactions will be deleted as - well. - -Delete all accounts -Accounts -All accounts have been successfully deleted -Are you sure you want to delete all accounts and transactions?\n\nThis - operation cannot be undone! - -All transactions in all accounts will be deleted! -Delete all transactions -All transactions successfully deleted! -Importing accounts -Transactions -Sub-Accounts -Search -Default Export Format -File format to use by default when exporting transactions -Recurrence + - Lade till förmåga att exportera till någon tjänst som stöder Storage Access Framework \n - Lade till möjlighet att ställa in platsen för regelbundna automatiska säkerhetskopior (Se säkerhetskopieringsinställningar)\n - Lade till Bitcoin valutasupport\n - Lade till stöd för att byta namn på bokföringar\n - Flera felkorrigeringar och förbättringar\n +Avfärda +Ange ett belopp för att spara transaktionen +Ett fel uppstod vid import av GnuCash-konton +GnuCash-konton har importerats +Importera kontostruktur som exporterad från GnuCash-skrivbord +Importera GnuCash-XML +Radera alla konton i databasen. Alla transaktioner raderas också. +Radera alla konton +Konton +Alla konton har raderats +Är du säker du vill radera alla konton och transaktioner? \n\nDenna åtgärd kan inte ångras! +Alla transaktioner i alla konton raderas! +Radera alla transaktioner +Alla transaktioner har raderats! +Importera konton +Transaktioner +Underkonton +Sök +Standard exportformat +Filformat att använda som standard vid exportering av transaktioner +Återkommande -Imbalance -Exporting transactions -No recurring transactions to display. -Successfully deleted recurring transaction -Placeholder account -Default Transfer Account +Obalans +Exporterar transaktioner +Inga återkommande transaktioner att visa. +Raderade återkommande transaktion +Platshållare-konto +Standard överföringskonto - - %d sub-account
-- %d sub-accounts
+- %d underkonto
+- %d underkonton
- - CASH
+- KONTANT
- BANK
-- CREDIT CARD
-- ASSET
-- LIABILITY
-- INCOME
-- EXPENSE
-- PAYABLE
-- RECEIVABLE
-- EQUITY
-- CURRENCY
-- STOCK
-- MUTUAL FUND
-- TRADING
+- KREDITKORT
+- TILLGÅNG
+- ANSVAR
+- INKOMST
+- UTGIFT
+- BETALBAR
+- FORDRAN
+- EGET KAPITAL
+- VALUTA
+- AKTIE
+- ÖMSESIDIG FOND
+- HANDEL
- - QIF
@@ -181,203 +172,202 @@- XML
Select a Color +Välj en färg -Account Color & Type -Delete sub-accounts -Recent -Favorites -All -Creates default GnuCash commonly-used account structure -Create default accounts -A new book will be opened with the default accounts\n\nYour current accounts and transactions will not be modified! -Transactions -Select destination for export -Memo -Spend -Receive -Withdrawal -Deposit -Payment -Charge -Decrease -Increase -Income -Rebate -Expense -Bill -Invoice -Buy -Sell -Opening Balances -Equity -Enable to save the current account balance (before deleting transactions) as new opening balance after deleting transactions - -Save account opening balances -OFX does not support double-entry transactions -Generates separate QIF files per currency -Imbalance: -Add split -Favorite -Navigation drawer opened -Navigation drawer closed -Reports -Pie Chart -Line Chart -Bar Chart -Report Preferences -Account color in reports -Use account color in the bar/pie chart -Order by size -Show legend -Show labels -Show percentage -Show average lines -Group Smaller Slices -No chart data available -Total -Other -The percentage of selected value calculated from the total amount -The percentage of selected value calculated from the current stacked bar amount -Save as template -This account contains transactions. \nWhat would you like to do with these transactions -This account contains sub-accounts. \nWhat would you like to do with these sub-accounts -Delete transactions -Create and specify a transfer account OR disable double-entry in settings to save the transaction -Tap to create schedule -Restore Backup… -Backup & export -Enable DropBox -Enable ownCloud -Backup -Enable exporting to DropBox -Enable exporting to ownCloud -Backup Preferences -Create Backup -Create a backup of the active book -Restore most recent backup of active book -Backup successful -Backup failed -Exports all accounts and transactions -Install a file manager to select files -Select backup to restore -Favorites -Open… -Reports -Export… -Settings -User Name -Password -owncloud +Konto färg & typ +Radera underkonton +Senaste +Favoriter +Alla +Skapar vanlig GnuCash standardkontostrukturen +Skapa standardkonton +En ny bokföring kommer att öppnas med standard konton\n\nDina befintliga konton och transaktioner kommer inte att ändras! +Transaktioner +Välj destination för export +Anteckning +Spendera +Ta emot +Uttag +Insättning +Betalning +Kostnad +Minska +Öka +Inkomst +Rabatt +Utgift +Räkning +Faktura +Köp +Sälj +Öppningssaldo +Eget kapital +Aktivera för att spara befintligt kontosaldo (innan du raderar transaktioner) som ny öppningsbalans efter att du raderat transaktioner +Spara kontoöppningssaldo +OFX stöder inte dubbla post transaktioner +Genererar separata QIF-filer per valuta +Obalans: +Lägg till delning +Favorit +Navigeringspanelen öppnas +Navigeringspanelen stängd +Rapporter +Cirkeldiagram +Linjediagram +Stapeldiagram +Rapport-inställningar +Konto färg i rapporter +Använda konto färg i det stapel-/cirkeldiagrammet +Ordna efter storlek +Visa förklaring +Visa etiketter +Visa procent +Visa genomsnittliga linjer +Gruppera mindre skivor +Ingen data tillgänglig för diagrammet +Totalt +Övrigt +Procentandelen av valda värdet beräknas från totala summan +Procentandelen av valda värdet beräknas från befintliga stapel summan +Spara som mall +Detta konto innehåller transaktioner. \nVad vill du göra med dessa transaktioner +Detta konto innehåller underkonton. \nVad vill du göra med dessa underkonton +Radera transaktioner +Skapa och ange ett överföringskonto eller avaktivera dubbel bokföring i inställningar för att spara transaktionen +Tryck för att skapa schema +Återställ säkerhetskopia… +Säkerhetskopiera & export +Aktivera Dropbox +Aktivera ownCloud +Säkerhetskopiera +Aktivera export till Dropbox +Aktivera export till ownCloud +Säkerhetskopiera inställningar +Skapa säkerhetskopia +Skapa en säkerhetskopia av aktiva bokföringen +Återställ senaste säkerhetskopian av aktiv bokföring +Säkerhetskopiering lyckades +Säkerhetskopiering misslyckades +Exporterar alla konton och transaktioner +Installera en filhanterare för att välja filer +Välj säkerhetskopia att återställa +Favoriter +Öppna… +Rapporter +Exportera… +Inställningar +Användarnamn +Lösenord +ownCloud https:// -OC server not found -OC username/password invalid -Invalid chars: \\ < > : \" | * ? +OC server hittades inte +OC användarnamn/lösenord ogiltigt +Ogiltiga tecken: \\ < > : \" | * ? OC server OK -OC username/password OK -Dir name OK +OC användarnamn/lösenord OK +Dir namn OK - - Hourly
-- Every %d hours
+- Varje timme
+- Varje %d timme
- - Daily
-- Every %d days
+- Dagligen
+- Varje %d dagar
- - Weekly
-- Every %d weeks
+- Veckovis
+- Var %d:e vecka
- - Monthly
-- Every %d months
+- Månadsvis
+- Varje %d månad
- -- Yearly
-- Every %d years
+- Årligen
+- Varje %d år
Enable Crash Logging -Automatically send information about app malfunction to the developers. +Aktivera kraschloggning +Skicka automatiskt information om app-fel till utvecklarna. Format -Enter your old passcode -Enter your new passcode -Exports -No scheduled exports to display -Create export schedule -Exported to: %1$s -The legend is too long -Account description -No recent accounts -No favorite accounts -Scheduled Actions -"Ended, last executed on %1$s" -Next -Done -Default Currency -Account Setup -Select Currency -Feedback Options -Create default accounts -Import my accounts -Let me handle it -Other… -Automatically send crash reports -Disable crash reports -Back -Setup GnuCash -Welcome to GnuCash -Before you dive in, \nlet\'s setup a few things first\n\nTo continue, press Next -Split Editor -Check that all splits have valid amounts before saving! -Invalid expression! -Scheduled recurring transaction -Transfer Funds -- Select a slice to see details +Ange din gamla lösenkod +Ange din nya lösenkod +Exporter +Ingen schemalagda exporter att Visa +Skapa exportschema +Exporterades till: %1$s +Förklaringen är för lång +Kontobeskrivning +Inga senaste konton +Inga favorit konton +Schemalagda åtgärder +"Slutade, senast utförda på %1$s" +Nästa +Klar +Standardvaluta +Kontoinställningar +Välj valuta +Återkopplingsalternativ +Skapa standardkonton +Importera mina konton +Låt mig hantera det +Andra… +Automatiskt skicka kraschrapporter +Avaktivera kraschrapporter +Tillbaka +Ställ in GnuCash +Välkommen till GnuCash +Innan du dyker i, \nLåt oss konfigurera några saker först\n\nFör att fortsätta, tryck Nästa +Delarredigerare +Kontrollera att alla delningar har giltig belopp innan du sparar! +Ogiltigt uttryck! +Schemalagd återkommande transaktion +Överför medel ++ Välj en bit för att se detaljer Period: -From: -To: -Provide either the converted amount or exchange rate in order to transfer funds -Exchange rate -Fetch quote -Converted Amount -Sheet -Expenses for last 3 months -Total Assets -Total Liabilities -Net Worth -Assets -Liabilities -Equity -Move to: -Group By -Month -Quarter -Year -Balance Sheet -Total: -Google+ Community -Translate GnuCash -Share ideas, discuss changes or report problems -Translate or proof-read on CrowdIn -No compatible apps to receive the exported transactions! -Move… -Duplicate -Cash Flow -Budgets -Enable compact view -Enable to always use compact view for transactions list -Invalid exchange rate -e.g. 1 %1$s = x.xx %2$s -Invalid amount +Från: +Till: +Ge antingen konverterade beloppet eller växelkursen för att överföra medel +Växlingskurs +Hämta offert +Konverterat belopp +Ark +Utgifter för senaste 3 månader +Summa tillgångar +Summa skulder +Nettoförmögenhet +Tillgångar +Skulder +Eget kapital +Flytta till: +Gruppera efter +Månad +Kvartal +År +Saldoräkning +Totalt: +Google+ gemenskap +Översätt GnuCash +Dela idéer, diskutera förändringar eller rapportera problem +Översätta eller korrekturläsa på CrowdIn +Inga kompatibla appar kan ta emot exporterade transaktionerna! +Flytta… +Dublett +Kassaflöde +Budgetar +Aktivera kompakt vy +Aktivera att alltid använda kompakt vy för transaktionslista +Ogiltig växelkurs +t.ex. 1 %1$s = x.xx %2$s +Ogiltigt belopp - - Current month
-- Last 3 months
-- Last 6 months
-- Last 12 months
-- All time
-- Custom range…
+- Aktuell månad
+- Senaste 3 månader
+- Senaste 6 månader
+- Senaste 12 månader
+- All tid
+- Eget intervall…
1 @@ -401,56 +391,57 @@WXYZ 0 + -Manage Books -Manage Books… -Select any part of the chart to view details -Confirm delete Book -All accounts and transactions in this book will be deleted! -Delete Book -Last Exported: -Enable Sync -New Book -The selected transaction has no splits and cannot be opened -%1$d splits -in %1$s +Hantera böcker +Hantera böcker… +Välj någon del av diagrammet för att visa detaljer +Bekräfta radera bokföring +Alla konton och transaktioner i denna bokföring kommer att raderas! +Radera bokföring +Senast exporterad: +Aktivera synkronisering +Ny bokföring +Valda transaktionen har ingen delningar och kan inte öppnas +%1$d delar +i %1$s - - %d account
-- %d accounts
+- %d konto
+- %d konton
- - %d transaction
-- %d transactions
+- %d transaktion
+- %d transaktioner
- -- EXPENSE
-- INCOME
+- UTGIFT
+- INKOMST
Connected to Google Drive -Unable to connect to Google Drive -Please enter an amount to split -external service -Updated transaction recurring schedule -Since -All time -Recommend in Play Store -until %1$s -on %1$s -for %1$d times -Compact View -Book %1$d -never -Rename Book -Rename -Rename -Select backup file -Select a file for automatic backups -Confirm restore from backup -A new book will be opened with the contents of this backup. Do you wish to proceed? -Restore -No backups found -There are no existing backup files to restore from +Ansluten till Google Drive +Kan inte ansluta till Google Drive +Vänligen ange ett belopp att dela +extern tjänst +Uppdaterade transaktion återkommande schema +Sedan +All tid +Rekommendera i Play Store +tills %1$s +på %1$s +för %1$d gånger +Kompakt vy +Bokföring %1$d +aldrig +Byt namn på bokföring +Byt namn +Byt namn +Välj säkerhetskopieringsfil +Välj en fil för automatiska säkerhetskopieringar +Bekräfta återställning från säkerhetskopia +En ny bokföring kommer att öppnas med innehållet av denna säkerhetskopia. Vill du fortsätta? +Återställ +Inga säkerhetskopior hittade +Det finns inga befintliga säkerhetskopieringsfiler att återställa från gnucash_android_backup.gnca -Select the destination after export is complete -Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Välj destination efter att exportering är klar +Exportera till \'/Apps/GnuCash Android/\' mapp på Dropbox +Inställningar diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index 2cc127544..89ee295a6 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -453,4 +453,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 8bd361f7e..754f001b4 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -457,4 +457,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index d048f6515..082e3fac1 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -445,4 +445,5 @@gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index f48824290..06025a5fe 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -442,4 +442,5 @@gnucash_android_backup.gnca 选择导出位置 导出到Dropbox的 \'/Apps/GnuCash Android/\' 文件夹 +Preferences diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index f1b0c1c18..70dd0e16b 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -19,7 +19,7 @@新增科目 編輯科目 给科目添加交易 -View account details +檢視帳戶詳細資訊 没有要显示的科目 科目名稱 取消 @@ -56,7 +56,7 @@匯出完成後現存所有交易都會被刪除 設置 - - Save As…
+- 另存為…
- Dropbox
- ownCloud
- Send to…
@@ -77,7 +77,7 @@記錄交易 建立會計科目 顯示科目名字 -Hide account balance in widget +小工具中隱藏帳戶餘額 创建科目 GnuCash裡還没有會計科目信息。\n使用小部件前需要添加會計科目 授權許可 @@ -86,7 +86,7 @@選擇科目 没有需要匯出的交易 密碼設置 -Enable passcode +啟用密碼 修改密碼 關於GnuCash GnuCash Android %1$s 匯出 @@ -444,4 +444,5 @@ No user-identifiable information will be collected as part of this process!gnucash_android_backup.gnca Select the destination after export is complete Export to \'/Apps/GnuCash Android/\' folder on Dropbox +Preferences From 65e3fbca007177a1a8b30ff992c6d1067ca0f9be Mon Sep 17 00:00:00 2001 From: Ngewi FetDate: Wed, 3 May 2017 17:32:05 +0200 Subject: [PATCH 45/45] Update version string for v2.2.0 final release Update documentation and contribution guidelines Remove declaration of WRITE_EXTERNAL_STORAGE permission completely (was previously declared for API level <= 18) --- .github/CONTRIBUTING.md | 12 +++++++++--- CHANGELOG.md | 2 +- README.md | 8 ++++---- app/build.gradle | 2 +- app/src/main/AndroidManifest.xml | 2 -- play_store_description.txt | 5 ++--- 6 files changed, 17 insertions(+), 14 deletions(-) diff --git a/.github/CONTRIBUTING.md b/.github/CONTRIBUTING.md index 06e1cab88..8900c416a 100644 --- a/.github/CONTRIBUTING.md +++ b/.github/CONTRIBUTING.md @@ -1,6 +1,12 @@ GnuCash Android is built by people like you! Please [join us](https://github.com/codinguser/gnucash-android). -## Git and Pull requests +## Reporting Issues +* The GitHub issue tracker is used for collecting and managing bugs, feature requests and general development planning. +* When creating a request, first search to make sure a similar one doesn't already exist in the tracker. +* Be as specific as possible when providing descriptions of the problems encountered and what the expected behaviour should be. +* It is also possible to report issues by creating tickets directly from within the app (in the Help Center) + +## Code Contributions * Contributions are submitted, reviewed, and accepted using Github pull requests. [Read this article](https://help.github.com/articles/using-pull-requests) for some details. We use the _Fork and Pull_ model, as described there. * You can maintain your stable installation of GnuCash and test with another installation. The two instances of GnuCash Android will live side-by-side on your device and not affect each other. You can install the development version by executing `gradle installDD` inside the root project directory @@ -18,8 +24,8 @@ The two instances of GnuCash Android will live side-by-side on your device and n * Try to make clean commits that are easily readable (including descriptive commit messages!) * Test before you push make sure all test pass on your machine. * Unit tests can be run with `gradle test` - * UI tests can be run with `gradle cDDAT` -* Make small pull requests that are easy to review but make sure they do add value by themselves. + * UI tests can be run with `gradle spoonDD`. This will run the tests on all connected devices/emulators. +* Make small pull requests that are easy to review but which also add value. ## Coding style * Do write comments. You don't have to comment every line, but if you come up with something thats a bit complex/weird, just leave a comment. Bear in mind that you will probably leave the project at some point and that other people will read your code. Undocumented huge amounts of code are nearly worthless! diff --git a/CHANGELOG.md b/CHANGELOG.md index 8ba4cbfb0..cd80eab7e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,6 @@ Change Log =============================================================================== -Version 2.2.0 *(2017-05-xx)* +Version 2.2.0 *(2017-05-05)* ---------------------------- * Feature #646: Option to select backup file using Storage Access Framework * Feature #565: Regular automatic backups (even when not explicitly set by user) diff --git a/README.md b/README.md index 43ee1a7eb..402714386 100644 --- a/README.md +++ b/README.md @@ -88,13 +88,13 @@ Google+ Community: https://plus.google.com/communities/104728406764752407046 There are several ways you could contribute to the development. +* Pull requests are always welcome! You could contribute code by fixing bugs, adding new features or automated tests. +Take a look at the [bug tracker](https://github.com/codinguser/gnucash-android/issues?state=open) +for ideas where to start. Also make sure to read our [contribution guidlines](https://github.com/codinguser/gnucash-android/blob/master/.github/CONTRIBUTING.md) + * One way is providing translations for locales which are not yet available, or improving translations. Please visit [CrowdIn](https://crowdin.com/project/gnucash-android) in order to update and create new translations -* You could as well contribute code, fixing bugs, new features or automated tests. Pull requests are always welcome. -Take a look at the [bug tracker](https://github.com/codinguser/gnucash-android/issues?state=open) -for ideas where to start. Also take a look at the [contribution guidlines](https://github.com/codinguser/gnucash-android/blob/master/.github/CONTRIBUTING.md) - For development, it is recommended to use the Android Studio for development which is available for free. Import the project into the IDE using the build.gradle file. The IDE will resolve dependencies automatically. diff --git a/app/build.gradle b/app/build.gradle index 0a0ece175..eb78b8d4d 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -7,7 +7,7 @@ apply plugin: 'android-apt' def versionMajor = 2 def versionMinor = 2 def versionPatch = 0 -def versionBuild = 3 +def versionBuild = 4 def buildTime() { def df = new SimpleDateFormat("yyyyMMdd HH:mm 'UTC'") diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 8ea28438d..c8857485a 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -37,8 +37,6 @@ - diff --git a/play_store_description.txt b/play_store_description.txt index 94d57d9af..45e63bf94 100644 --- a/play_store_description.txt +++ b/play_store_description.txt @@ -28,9 +28,8 @@ You can also import an existing account hierarchy from GnuCash desktop.
What does the app use the requested permissions for? -• READ_EXTERNAL_STORAGE: Used to export transactions/accounts to the SD card -• RECEIVE_BOOT_COMPLETED: Used to restart service for scheduled transactions or exports after device is rebooted • VIBRATE: Used to provide haptic feedback when entering some inputs • WAKE_LOCK: Used for keeping device active when exporting scheduled transactions in the background service -• INTERNET/ACCESS_NETWORK_STATE: Used when exporting accounts/transactions to 3rd-party service like Google Drive or DropBox +• RECEIVE_BOOT_COMPLETED: Used to restart service for scheduled transactions or exports after device is rebooted +• INTERNET/ACCESS_NETWORK_STATE: Used when exporting accounts/transactions to 3rd-party service like DropBox or ownCloud