From b68367f2f86172f100d8807efecceee96d123de6 Mon Sep 17 00:00:00 2001 From: Andrew Rogers Date: Tue, 28 Dec 2021 19:32:24 +1000 Subject: [PATCH 0001/1390] Initial attempt to set actionbar color --- .../view/activity/base/ActivityBase.kt | 13 ++++++ .../base/CustomTitlebarActivityBase.kt | 1 + .../navigation/GridChoosePassageBook.kt | 11 +++++ .../view/activity/page/MainBibleActivity.kt | 15 +++++- .../view/activity/settings/ColorSettings.kt | 4 ++ .../net/bible/android/view/util/UiUtils.kt | 19 +++++++- .../bar_window_unpinned_button_visible.xml | 2 +- app/src/main/res/layout/main_bible_view.xml | 21 ++++----- app/src/main/res/values/attrs.xml | 1 + app/src/main/res/values/barstyles.xml | 11 +++-- app/src/main/res/values/colors.xml | 9 ++-- app/src/main/res/values/strings.xml | 1 + app/src/main/res/xml/color_settings.xml | 11 +++++ .../57.json | 46 +++++++++++++++++-- .../android/database/WorkspaceEntities.kt | 6 ++- 15 files changed, 143 insertions(+), 28 deletions(-) diff --git a/app/src/main/java/net/bible/android/view/activity/base/ActivityBase.kt b/app/src/main/java/net/bible/android/view/activity/base/ActivityBase.kt index 862ae9ea66..f4efa31124 100644 --- a/app/src/main/java/net/bible/android/view/activity/base/ActivityBase.kt +++ b/app/src/main/java/net/bible/android/view/activity/base/ActivityBase.kt @@ -23,6 +23,8 @@ import android.app.Activity import android.app.Instrumentation import android.content.Context import android.content.Intent +import android.graphics.Color +import android.graphics.drawable.ColorDrawable import android.os.Build import android.os.Bundle import android.util.Log @@ -69,6 +71,17 @@ abstract class ActivityBase : AppCompatActivity(), AndBibleActivity { } fun applyTheme() { + // Called when day/night mode changed + + // This does not error but also does not seem to work. It works in + supportActionBar?.apply { + setBackgroundDrawable( + ColorDrawable( + Color.parseColor("#0000FF") + ) + ) + } + val newNightMode = if (ScreenSettings.nightMode) { AppCompatDelegate.MODE_NIGHT_YES } else { diff --git a/app/src/main/java/net/bible/android/view/activity/base/CustomTitlebarActivityBase.kt b/app/src/main/java/net/bible/android/view/activity/base/CustomTitlebarActivityBase.kt index 8706d828d3..14f4fe75d8 100644 --- a/app/src/main/java/net/bible/android/view/activity/base/CustomTitlebarActivityBase.kt +++ b/app/src/main/java/net/bible/android/view/activity/base/CustomTitlebarActivityBase.kt @@ -56,6 +56,7 @@ abstract class CustomTitlebarActivityBase(private val optionsMenuId: Int = NO_OP override fun onPrepareOptionsMenu(menu: Menu): Boolean { super.onPrepareOptionsMenu(menu) + // Called when selecting book in verse selector actionBarManager.prepareOptionsMenu(this, menu, supportActionBar) // must return true for menu to be displayed diff --git a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt index e679e499df..abafe05bc7 100644 --- a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt +++ b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt @@ -22,6 +22,7 @@ import android.annotation.SuppressLint import android.app.Activity import android.content.Intent import android.graphics.Color +import android.graphics.drawable.ColorDrawable import android.os.Bundle import android.util.Log import android.view.Menu @@ -133,6 +134,16 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b buttonGrid.addButtons(bibleBookButtonInfo) setContentView(buttonGrid) + + // This works v +// supportActionBar?.apply { +// setBackgroundDrawable( +// ColorDrawable( +// Color.parseColor("#B0E0E6") +// ) +// ) +// } + } override fun onPrepareOptionsMenu(menu: Menu): Boolean { diff --git a/app/src/main/java/net/bible/android/view/activity/page/MainBibleActivity.kt b/app/src/main/java/net/bible/android/view/activity/page/MainBibleActivity.kt index bb2557202c..624fe1c896 100644 --- a/app/src/main/java/net/bible/android/view/activity/page/MainBibleActivity.kt +++ b/app/src/main/java/net/bible/android/view/activity/page/MainBibleActivity.kt @@ -25,6 +25,8 @@ import android.content.Context import android.content.Intent import android.content.pm.PackageManager import android.content.res.Configuration +import android.graphics.Color +import android.graphics.drawable.ColorDrawable import android.media.AudioManager import android.os.Build import android.os.Bundle @@ -52,6 +54,7 @@ import androidx.appcompat.view.menu.MenuBuilder import androidx.appcompat.view.menu.MenuPopupHelper import androidx.appcompat.widget.PopupMenu import androidx.appcompat.widget.Toolbar +import androidx.constraintlayout.widget.ConstraintLayout import androidx.core.view.GestureDetectorCompat import androidx.core.view.GravityCompat import androidx.core.view.MenuCompat @@ -1073,14 +1076,24 @@ class MainBibleActivity : CustomTitlebarActivityBase() { } private fun showSystemUI(setNavBarColor: Boolean=true) { + // called when returning from verse selection + +// val toolbar = findViewById(R.id.toolbarLayout) as ConstraintLayout +// toolbar.setBackgroundColor(Color.parseColor("#0000ff")) + var uiFlags = View.SYSTEM_UI_FLAG_VISIBLE if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) { if (!ScreenSettings.nightMode) { uiFlags = uiFlags or View.SYSTEM_UI_FLAG_LIGHT_NAVIGATION_BAR } if(windowRepository.visibleWindows.isNotEmpty()) { + val colors = windowRepository.lastVisibleWindow.pageManager.actualTextDisplaySettings.colors!! + + val toolbarColor = if (ScreenSettings.nightMode) (colors.nightWorkspaceColor ?: R.color.actionbar_background_day) else (colors.dayWorkspaceColor ?: R.color.actionbar_background_night) + val toolbar = findViewById(R.id.toolbarLayout) as ConstraintLayout + toolbar.setBackgroundColor(toolbarColor) + val color = if (setNavBarColor) { - val colors = windowRepository.lastVisibleWindow.pageManager.actualTextDisplaySettings.colors!! val color = if (ScreenSettings.nightMode) colors.nightBackground else colors.dayBackground color ?: UiUtils.bibleViewDefaultBackgroundColor } else { diff --git a/app/src/main/java/net/bible/android/view/activity/settings/ColorSettings.kt b/app/src/main/java/net/bible/android/view/activity/settings/ColorSettings.kt index edd68a3004..ea01ada623 100644 --- a/app/src/main/java/net/bible/android/view/activity/settings/ColorSettings.kt +++ b/app/src/main/java/net/bible/android/view/activity/settings/ColorSettings.kt @@ -44,6 +44,8 @@ class ColorSettingsDataStore(val activity: ColorSettingsActivity): PreferenceDat "background_color_night" -> colors.nightBackground = value "noise_day" -> colors.dayNoise = value "noise_night" -> colors.nightNoise = value + "workspace_color_day" -> colors.dayWorkspaceColor = value + "workspace_color_night" -> colors.nightWorkspaceColor = value } activity.setDirty() } @@ -56,6 +58,8 @@ class ColorSettingsDataStore(val activity: ColorSettingsActivity): PreferenceDat "background_color_night" -> colors.nightBackground?: defValue "noise_day" -> colors.dayNoise?: defValue "noise_night" -> colors.nightNoise?: defValue + "workspace_color_day" -> colors.dayWorkspaceColor?: defValue + "workspace_color_night" -> colors.nightWorkspaceColor?: defValue else -> defValue } } diff --git a/app/src/main/java/net/bible/android/view/util/UiUtils.kt b/app/src/main/java/net/bible/android/view/util/UiUtils.kt index 9ad5676fce..936e3c8f71 100644 --- a/app/src/main/java/net/bible/android/view/util/UiUtils.kt +++ b/app/src/main/java/net/bible/android/view/util/UiUtils.kt @@ -25,14 +25,24 @@ import android.util.TypedValue import net.bible.android.activity.R import net.bible.android.view.activity.base.CurrentActivityHolder +import net.bible.android.view.activity.settings.ColorSettingsActivity import net.bible.service.common.CommonUtils import net.bible.service.device.ScreenSettings +import android.app.Activity +import android.graphics.Color +import net.bible.android.control.page.window.WindowControl +import net.bible.android.database.SettingsBundle +import javax.inject.Inject + /** * @author Martin Denham [mjdenham at gmail dot com] */ + object UiUtils { +// @Inject lateinit var windowControl: WindowControl + private val ACTIONBAR_BACKGROUND_NIGHT get() = CommonUtils.getResourceColor(R.color.actionbar_background_night) private val ACTIONBAR_BACKGROUND_DAY get() = CommonUtils.getResourceColor(R.color.actionbar_background_day) @@ -52,11 +62,18 @@ object UiUtils { /** Change actionBar colour according to day/night state */ fun setActionBarColor(actionBar: ActionBar?) { + + // Called from GridCoosePassageBook + +// val windowRepository get() = windowControl.windowRepository +// val settingsBundle = SettingsBundle(workspaceId = windowRepository.id, workspaceName = windowRepository.name, workspaceSettings = windowRepository.textDisplaySettings) + val newColor = if (ScreenSettings.nightMode) ACTIONBAR_BACKGROUND_NIGHT else ACTIONBAR_BACKGROUND_DAY if (actionBar != null) { CurrentActivityHolder.getInstance().runOnUiThread { - val colorDrawable = ColorDrawable(newColor) +// val colorDrawable = ColorDrawable(newColor) + val colorDrawable = ColorDrawable(Color.parseColor("#0000FF")) actionBar.setBackgroundDrawable(colorDrawable) } } diff --git a/app/src/main/res/drawable/bar_window_unpinned_button_visible.xml b/app/src/main/res/drawable/bar_window_unpinned_button_visible.xml index 7a8fbe3c7f..883c261ab9 100644 --- a/app/src/main/res/drawable/bar_window_unpinned_button_visible.xml +++ b/app/src/main/res/drawable/bar_window_unpinned_button_visible.xml @@ -24,7 +24,7 @@ - + + app:layout_constraintTop_toTopOf="parent"> + app:srcCompat="@drawable/ic_menu" + app:tint="?attr/toolbarTextColor" /> + app:srcCompat="@drawable/ic_strongs_hebrew" /> + + app:srcCompat="@drawable/ic_bible_24dp" /> + app:srcCompat="@drawable/ic_commentary" /> + + app:srcCompat="@drawable/ic_more_vert_black_24dp" /> diff --git a/app/src/main/res/values/attrs.xml b/app/src/main/res/values/attrs.xml index 16eb0a81e3..e04d0af071 100644 --- a/app/src/main/res/values/attrs.xml +++ b/app/src/main/res/values/attrs.xml @@ -41,6 +41,7 @@ + diff --git a/app/src/main/res/values/barstyles.xml b/app/src/main/res/values/barstyles.xml index efb1fa1959..8c311fe8fc 100644 --- a/app/src/main/res/values/barstyles.xml +++ b/app/src/main/res/values/barstyles.xml @@ -18,15 +18,16 @@ @style/Theme.AppCompat.Light #ffffff - @color/bar_window_button_active_stroke_color + @color/transparent #00FFFFFF - #B78D8D8D - #B7525252 + #118D8D8D + @color/active_window_button_transparent @color/bar_window_button_active_stroke_color @color/bar_window_button_stroke_color @color/bar_window_button_background_colour - @color/bar_window_button_background_colour_visible + @color/grey_800 + @color/active_window_button @color/bible_reference_overlay @@ -55,7 +56,7 @@ From 9cfcb25f4f1fa41c508370f48f329fc9640615f9 Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 23 Jun 2022 15:52:27 +0300 Subject: [PATCH 0014/1390] Fix tests --- .../tests/unit/testdata/eph.2-kjva-result.html | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/app/bibleview-js/tests/unit/testdata/eph.2-kjva-result.html b/app/bibleview-js/tests/unit/testdata/eph.2-kjva-result.html index 2d172f9ee5..83dacee453 100644 --- a/app/bibleview-js/tests/unit/testdata/eph.2-kjva-result.html +++ b/app/bibleview-js/tests/unit/testdata/eph.2-kjva-result.html @@ -5,16 +5,16 @@ And you hath he quickened, who were dead in trespasses and sins; - a Wherein in time past ye walked according to the course of this world, according to the prince of the power of the air, the spirit that now worketh in the children of disobedience: Among whom also we all had our conversation in times past in the lusts of our flesh, fulfilling the desires of the flesh and of the mind; and were by nature the children of wrath, even as others. + a Wherein in time past ye walked according to the course of this world, according to the prince of the power of the air, the spirit that now worketh in the children of disobedience: Among whom also we all had our conversation in times past in the lusts of our flesh, fulfilling the desires of the flesh and of the mind; and were by nature the children of wrath, even as others. - a But God, who is rich in mercy, for his great love wherewith he loved us, + a But God, who is rich in mercy, for his great love wherewith he loved us, - a Even when we were dead in sins, hath quickened us together with Christ, (by grace ye are saved;) And hath raised us up together, and made us sit together in heavenly places in Christ Jesus: That in the ages to come he might shew the exceeding riches of his grace in his kindness toward us through Christ Jesus. For by grace are ye saved through faith; and that not of yourselves: it is the gift of God: + a Even when we were dead in sins, hath quickened us together with Christ, (by grace ye are saved;) And hath raised us up together, and made us sit together in heavenly places in Christ Jesus: That in the ages to come he might shew the exceeding riches of his grace in his kindness toward us through Christ Jesus. For by grace are ye saved through faith; and that not of yourselves: it is the gift of God: - a Not of works, lest any man should boast. For we are his workmanship, created in Christ Jesus unto good works, which God hath before ordained that we should walk in them. Wherefore remember, that ye being in time past Gentiles in the flesh, who are called Uncircumcision by that which is called the Circumcision in the flesh made by hands; That at that time ye were without Christ, being aliens from the commonwealth of Israel, and strangers from the covenants of promise, having no hope, and without God in the world: But now in Christ Jesus ye who sometimes were far off are made nigh by the blood of Christ. For he is our peace, who hath made both one, and hath broken down the middle wall of partition between us; Having abolished in his flesh the enmity, even the law of commandments contained in ordinances; for to make in himself of twain one new man, so making peace; And that he might reconcile both unto God in one body by the cross, having slain the enmity thereby: + a Not of works, lest any man should boast. For we are his workmanship, created in Christ Jesus unto good works, which God hath before ordained that we should walk in them. Wherefore remember, that ye being in time past Gentiles in the flesh, who are called Uncircumcision by that which is called the Circumcision in the flesh made by hands; That at that time ye were without Christ, being aliens from the commonwealth of Israel, and strangers from the covenants of promise, having no hope, and without God in the world: But now in Christ Jesus ye who sometimes were far off are made nigh by the blood of Christ. For he is our peace, who hath made both one, and hath broken down the middle wall of partition between us; Having abolished in his flesh the enmity, even the law of commandments contained in ordinances; for to make in himself of twain one new man, so making peace; And that he might reconcile both unto God in one body by the cross, having slain the enmity thereby: - a And came and preached peace to you which were afar off, and to them that were nigh. + a And came and preached peace to you which were afar off, and to them that were nigh. - a For through him we both have access by one Spirit unto the Father. Now therefore ye are no more strangers and foreigners, but fellowcitizens with the saints, and of the household of God; And are built upon the foundation of the apostles and prophets, Jesus Christ himself being the chief corner stone; In whom all the building fitly framed together groweth unto an holy temple in the Lord: In whom ye also are builded together for an habitation of God through the Spirit. + a For through him we both have access by one Spirit unto the Father. Now therefore ye are no more strangers and foreigners, but fellowcitizens with the saints, and of the household of God; And are built upon the foundation of the apostles and prophets, Jesus Christ himself being the chief corner stone; In whom all the building fitly framed together groweth unto an holy temple in the Lord: In whom ye also are builded together for an habitation of God through the Spirit. From f2a01bffff06cecb4fab94bfa6b5e450498ff3fd Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 30 Jun 2022 11:06:27 +0300 Subject: [PATCH 0015/1390] Pull translations for the new app name --- app/bibleview-js/src/lang/af.yaml | 1 + app/bibleview-js/src/lang/cs.yaml | 1 + app/bibleview-js/src/lang/de.yaml | 1 + app/bibleview-js/src/lang/en.yaml | 1 + app/bibleview-js/src/lang/eo.yaml | 1 + app/bibleview-js/src/lang/es.yaml | 1 + app/bibleview-js/src/lang/et.yaml | 1 + app/bibleview-js/src/lang/fi.yaml | 1 + app/bibleview-js/src/lang/fr.yaml | 1 + app/bibleview-js/src/lang/hi.yaml | 1 + app/bibleview-js/src/lang/hu.yaml | 1 + app/bibleview-js/src/lang/it.yaml | 1 + app/bibleview-js/src/lang/iw.yaml | 1 + app/bibleview-js/src/lang/kk.yaml | 1 + app/bibleview-js/src/lang/ko.yaml | 1 + app/bibleview-js/src/lang/lt.yaml | 1 + app/bibleview-js/src/lang/my.yaml | 1 + app/bibleview-js/src/lang/nl.yaml | 1 + app/bibleview-js/src/lang/pl.yaml | 1 + app/bibleview-js/src/lang/pt.yaml | 1 + app/bibleview-js/src/lang/ro.yaml | 1 + app/bibleview-js/src/lang/ru.yaml | 1 + app/bibleview-js/src/lang/sk.yaml | 1 + app/bibleview-js/src/lang/sl.yaml | 1 + app/bibleview-js/src/lang/sv.yaml | 1 + app/bibleview-js/src/lang/te.yaml | 1 + app/bibleview-js/src/lang/uk.yaml | 1 + app/bibleview-js/src/lang/zh-rCN.yaml | 1 + app/bibleview-js/src/lang/zh.yaml | 1 + app/src/main/res/values-af/strings.xml | 3 +- app/src/main/res/values-cs/strings.xml | 3 +- app/src/main/res/values-de/strings.xml | 3 +- app/src/main/res/values-en/strings.xml | 1 - app/src/main/res/values-eo/strings.xml | 3 +- app/src/main/res/values-es/strings.xml | 6 +- app/src/main/res/values-et/strings.xml | 10 +- app/src/main/res/values-fi/strings.xml | 6 +- app/src/main/res/values-fr/strings.xml | 3 +- app/src/main/res/values-hi/strings.xml | 3 +- app/src/main/res/values-hu/strings.xml | 3 +- app/src/main/res/values-it/strings.xml | 6 +- app/src/main/res/values-iw/strings.xml | 5 +- app/src/main/res/values-kk/strings.xml | 3 +- app/src/main/res/values-ko/strings.xml | 3 +- app/src/main/res/values-lt/strings.xml | 3 +- app/src/main/res/values-my/strings.xml | 3 +- app/src/main/res/values-nb/strings.xml | 134 +++++++++++++++++- app/src/main/res/values-nl/strings.xml | 7 +- app/src/main/res/values-pl/strings.xml | 3 +- app/src/main/res/values-pt/strings.xml | 3 +- app/src/main/res/values-ro/strings.xml | 6 +- app/src/main/res/values-ru/strings.xml | 3 +- app/src/main/res/values-sk/strings.xml | 6 +- app/src/main/res/values-sl/strings.xml | 7 +- app/src/main/res/values-sv/strings.xml | 3 +- app/src/main/res/values-te/strings.xml | 4 +- app/src/main/res/values-tr/strings.xml | 36 ++++- app/src/main/res/values-uk/strings.xml | 3 +- app/src/main/res/values-zh-rCN/strings.xml | 3 +- app/src/main/res/values-zh-rTW/strings.xml | 3 +- app/src/main/res/values-zh/strings.xml | 3 +- .../metadata/android/af/full_description.txt | 2 +- fastlane/metadata/android/af/title.txt | 2 +- .../android/cs-CZ/full_description.txt | 2 +- fastlane/metadata/android/cs-CZ/title.txt | 2 +- .../android/de-DE/full_description.txt | 2 +- fastlane/metadata/android/de-DE/title.txt | 2 +- .../metadata/android/eo/full_description.txt | 2 +- fastlane/metadata/android/eo/title.txt | 2 +- .../android/es-ES/full_description.txt | 2 +- fastlane/metadata/android/es-ES/title.txt | 2 +- .../android/fi-FI/full_description.txt | 2 +- fastlane/metadata/android/fi-FI/title.txt | 2 +- .../android/fr-FR/full_description.txt | 2 +- fastlane/metadata/android/fr-FR/title.txt | 2 +- .../android/hi-IN/full_description.txt | 2 +- fastlane/metadata/android/hi-IN/title.txt | 2 +- .../android/hu-HU/full_description.txt | 2 +- fastlane/metadata/android/hu-HU/title.txt | 2 +- .../android/it-IT/full_description.txt | 2 +- fastlane/metadata/android/it-IT/title.txt | 2 +- .../metadata/android/kk/full_description.txt | 2 +- fastlane/metadata/android/kk/title.txt | 2 +- .../android/ko-KR/full_description.txt | 2 +- fastlane/metadata/android/ko-KR/title.txt | 2 +- .../metadata/android/lt/full_description.txt | 2 +- fastlane/metadata/android/lt/title.txt | 2 +- .../android/my-MM/full_description.txt | 2 +- fastlane/metadata/android/my-MM/title.txt | 2 +- .../android/no-NO/full_description.txt | 10 +- .../android/no-NO/short_description.txt | 2 +- fastlane/metadata/android/no-NO/title.txt | 2 +- .../android/pl-PL/full_description.txt | 2 +- fastlane/metadata/android/pl-PL/title.txt | 2 +- .../android/pt-PT/full_description.txt | 2 +- fastlane/metadata/android/pt-PT/title.txt | 2 +- .../metadata/android/ro/full_description.txt | 2 +- fastlane/metadata/android/ro/title.txt | 2 +- .../android/ru-RU/full_description.txt | 2 +- fastlane/metadata/android/ru-RU/title.txt | 2 +- .../metadata/android/sk/full_description.txt | 2 +- fastlane/metadata/android/sk/title.txt | 2 +- .../metadata/android/sl/full_description.txt | 2 +- fastlane/metadata/android/sl/title.txt | 2 +- .../metadata/android/te/full_description.txt | 2 +- fastlane/metadata/android/te/title.txt | 2 +- .../metadata/android/uk/full_description.txt | 2 +- fastlane/metadata/android/uk/title.txt | 2 +- .../android/zh-CN/full_description.txt | 2 +- fastlane/metadata/android/zh-CN/title.txt | 2 +- .../android/zh-TW/full_description.txt | 2 +- fastlane/metadata/android/zh-TW/title.txt | 2 +- play/description-translations/af.yml | 7 +- play/description-translations/cs-CZ.yml | 7 +- play/description-translations/de-DE.yml | 7 +- play/description-translations/eo.yml | 10 +- play/description-translations/es-ES.yml | 7 +- play/description-translations/fi-FI.yml | 7 +- play/description-translations/fr-FR.yml | 7 +- play/description-translations/hi-IN.yml | 10 +- play/description-translations/hu-HU.yml | 7 +- play/description-translations/it-IT.yml | 7 +- play/description-translations/kk.yml | 7 +- play/description-translations/ko-KR.yml | 7 +- play/description-translations/lt.yml | 10 +- play/description-translations/my-MM.yml | 7 +- play/description-translations/no-NO.yml | 25 ++-- play/description-translations/pl-PL.yml | 7 +- play/description-translations/pt-PT.yml | 7 +- play/description-translations/ro.yml | 7 +- play/description-translations/ru-RU.yml | 7 +- play/description-translations/sk.yml | 7 +- play/description-translations/sl.yml | 7 +- play/description-translations/te.yml | 7 +- play/description-translations/uk.yml | 7 +- play/description-translations/zh-CN.yml | 9 +- play/description-translations/zh-TW.yml | 9 +- play/plaintext-descriptions/af.txt | 2 +- play/plaintext-descriptions/cs-CZ.txt | 2 +- play/plaintext-descriptions/de-DE.txt | 2 +- play/plaintext-descriptions/eo.txt | 2 +- play/plaintext-descriptions/es-ES.txt | 2 +- play/plaintext-descriptions/fi-FI.txt | 2 +- play/plaintext-descriptions/fr-FR.txt | 2 +- play/plaintext-descriptions/hi-IN.txt | 2 +- play/plaintext-descriptions/hu-HU.txt | 2 +- play/plaintext-descriptions/it-IT.txt | 2 +- play/plaintext-descriptions/kk.txt | 2 +- play/plaintext-descriptions/ko-KR.txt | 2 +- play/plaintext-descriptions/lt.txt | 2 +- play/plaintext-descriptions/my-MM.txt | 2 +- play/plaintext-descriptions/no-NO.txt | 10 +- play/plaintext-descriptions/pl-PL.txt | 2 +- play/plaintext-descriptions/pt-PT.txt | 2 +- play/plaintext-descriptions/ro.txt | 2 +- play/plaintext-descriptions/ru-RU.txt | 2 +- play/plaintext-descriptions/sk.txt | 2 +- play/plaintext-descriptions/sl.txt | 2 +- play/plaintext-descriptions/te.txt | 2 +- play/plaintext-descriptions/uk.txt | 2 +- play/plaintext-descriptions/zh-CN.txt | 2 +- play/plaintext-descriptions/zh-TW.txt | 2 +- 162 files changed, 450 insertions(+), 244 deletions(-) diff --git a/app/bibleview-js/src/lang/af.yaml b/app/bibleview-js/src/lang/af.yaml index dd74649263..e0278eb085 100644 --- a/app/bibleview-js/src/lang/af.yaml +++ b/app/bibleview-js/src/lang/af.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Maak oop in My Notas openStudyPad: Open in Studie blok (%s) noteText: Voet Notas (%s) diff --git a/app/bibleview-js/src/lang/cs.yaml b/app/bibleview-js/src/lang/cs.yaml index ec1ad0b67a..355065c353 100644 --- a/app/bibleview-js/src/lang/cs.yaml +++ b/app/bibleview-js/src/lang/cs.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Otevřít v Poznámkách openStudyPad: Otevřít ve studijní složce (%s) noteText: Poznámky pod čarou (%s) diff --git a/app/bibleview-js/src/lang/de.yaml b/app/bibleview-js/src/lang/de.yaml index 143cf4ba2d..637d7cbe99 100644 --- a/app/bibleview-js/src/lang/de.yaml +++ b/app/bibleview-js/src/lang/de.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: in meinen eigenen Notizen öffnen openStudyPad: Öffne in der Studienmappe (%s) noteText: Fußnoten (%s) diff --git a/app/bibleview-js/src/lang/en.yaml b/app/bibleview-js/src/lang/en.yaml index 0a74b9f7d5..92fdbc19c0 100644 --- a/app/bibleview-js/src/lang/en.yaml +++ b/app/bibleview-js/src/lang/en.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: "" openStudyPad: Open '%s' study pad noteText: "" diff --git a/app/bibleview-js/src/lang/eo.yaml b/app/bibleview-js/src/lang/eo.yaml index 992345a6b0..e0f1d7b43a 100644 --- a/app/bibleview-js/src/lang/eo.yaml +++ b/app/bibleview-js/src/lang/eo.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Malfermi en miaj notoj openStudyPad: Malfermi en notbloko (%s) noteText: Piednoto (%s) diff --git a/app/bibleview-js/src/lang/es.yaml b/app/bibleview-js/src/lang/es.yaml index 3a32cfba47..23c8d073b1 100644 --- a/app/bibleview-js/src/lang/es.yaml +++ b/app/bibleview-js/src/lang/es.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Abrir en Mis Notas openStudyPad: Abrir en Pizarra de Estudio (%s) noteText: Notas al pie (%s) diff --git a/app/bibleview-js/src/lang/et.yaml b/app/bibleview-js/src/lang/et.yaml index b9d9b8cd9b..a37f5984f3 100644 --- a/app/bibleview-js/src/lang/et.yaml +++ b/app/bibleview-js/src/lang/et.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Ava minu märkmetes openStudyPad: Ava õppetükis (%s) noteText: Allmärkused (%s) diff --git a/app/bibleview-js/src/lang/fi.yaml b/app/bibleview-js/src/lang/fi.yaml index eafa757668..bce50ad54b 100644 --- a/app/bibleview-js/src/lang/fi.yaml +++ b/app/bibleview-js/src/lang/fi.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Avaa Omissa Merkinnöissä openStudyPad: Avaa Opintoalustassa (%s) noteText: Alaviitteet (%s) diff --git a/app/bibleview-js/src/lang/fr.yaml b/app/bibleview-js/src/lang/fr.yaml index e3d24095d7..d165b82650 100644 --- a/app/bibleview-js/src/lang/fr.yaml +++ b/app/bibleview-js/src/lang/fr.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Ouvrir dans Mes notes openStudyPad: Ouvrir le bloc-note (%s) noteText: Notes de bas de page (%s) diff --git a/app/bibleview-js/src/lang/hi.yaml b/app/bibleview-js/src/lang/hi.yaml index 9ff308fc42..a0e2e98161 100644 --- a/app/bibleview-js/src/lang/hi.yaml +++ b/app/bibleview-js/src/lang/hi.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: मेरे नोट्स में खोलें openStudyPad: "स्टडी पैड (%s) में खोलें " noteText: फुटनोट (%s) diff --git a/app/bibleview-js/src/lang/hu.yaml b/app/bibleview-js/src/lang/hu.yaml index 2646c96dc1..6665434071 100644 --- a/app/bibleview-js/src/lang/hu.yaml +++ b/app/bibleview-js/src/lang/hu.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Megnyitás Saját Jegyzetként openStudyPad: Megnyitás Jegyzetlapon (%s) noteText: Lábjegyzetek (%s) diff --git a/app/bibleview-js/src/lang/it.yaml b/app/bibleview-js/src/lang/it.yaml index 93462f593b..8fa29566b1 100644 --- a/app/bibleview-js/src/lang/it.yaml +++ b/app/bibleview-js/src/lang/it.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Apri in Annotazioni openStudyPad: Apri in Appunti di studio (%s) noteText: Note a piè di pagina (%s) diff --git a/app/bibleview-js/src/lang/iw.yaml b/app/bibleview-js/src/lang/iw.yaml index 31812775c5..541b9f0c95 100644 --- a/app/bibleview-js/src/lang/iw.yaml +++ b/app/bibleview-js/src/lang/iw.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: פתח ב"הערות שלי" openStudyPad: "" noteText: הערות שוליים (%s) diff --git a/app/bibleview-js/src/lang/kk.yaml b/app/bibleview-js/src/lang/kk.yaml index e253f9f058..3e29a589ef 100644 --- a/app/bibleview-js/src/lang/kk.yaml +++ b/app/bibleview-js/src/lang/kk.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Менің жазбаларымнан ашыңыз openStudyPad: Оқу тақтасында ашу (%s) noteText: Сілтемелер (%s) diff --git a/app/bibleview-js/src/lang/ko.yaml b/app/bibleview-js/src/lang/ko.yaml index a1ebec41cc..369cf04756 100644 --- a/app/bibleview-js/src/lang/ko.yaml +++ b/app/bibleview-js/src/lang/ko.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: 나의 노트에서 열기 openStudyPad: 스터디 패드 (%s)에서 열기 noteText: 각주 (%s) diff --git a/app/bibleview-js/src/lang/lt.yaml b/app/bibleview-js/src/lang/lt.yaml index 94106ff2f0..c7391f2d18 100644 --- a/app/bibleview-js/src/lang/lt.yaml +++ b/app/bibleview-js/src/lang/lt.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Atverti mano pastabose openStudyPad: Atverti bloknote (%s) noteText: Išnašos (%s) diff --git a/app/bibleview-js/src/lang/my.yaml b/app/bibleview-js/src/lang/my.yaml index b815f1a762..35699efc50 100644 --- a/app/bibleview-js/src/lang/my.yaml +++ b/app/bibleview-js/src/lang/my.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: ကိုယ်ပိုင်မှတ်စုများတွင် ဖွင့်ပါ openStudyPad: လေ့လာရေးစာရွက်(%s)တွင် ဖွင့်ပါ noteText: အောက်ခြေမှတ်စုများ (%s) diff --git a/app/bibleview-js/src/lang/nl.yaml b/app/bibleview-js/src/lang/nl.yaml index 07e665a787..81cd844516 100644 --- a/app/bibleview-js/src/lang/nl.yaml +++ b/app/bibleview-js/src/lang/nl.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Open in Mijn notities openStudyPad: In de studiemap (%s) openen noteText: Voetnoten (%s) diff --git a/app/bibleview-js/src/lang/pl.yaml b/app/bibleview-js/src/lang/pl.yaml index 39c1d7ccfb..ebd1c520b6 100644 --- a/app/bibleview-js/src/lang/pl.yaml +++ b/app/bibleview-js/src/lang/pl.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Otwórz w moich notatkach openStudyPad: Otwórz w bloczku notatek (%s) noteText: Przypis (%s) diff --git a/app/bibleview-js/src/lang/pt.yaml b/app/bibleview-js/src/lang/pt.yaml index 319a222807..5b6ecb6a12 100644 --- a/app/bibleview-js/src/lang/pt.yaml +++ b/app/bibleview-js/src/lang/pt.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Abrir nas Minhas Notas openStudyPad: Abrir na Área de Estudo (%s) noteText: Notas de rodapé (%s) diff --git a/app/bibleview-js/src/lang/ro.yaml b/app/bibleview-js/src/lang/ro.yaml index 5bfe93fdb6..8771a003a5 100644 --- a/app/bibleview-js/src/lang/ro.yaml +++ b/app/bibleview-js/src/lang/ro.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Deschide în Notițele mele openStudyPad: Deschide în Notițe de studiu (%s) noteText: Note de subsol (%s) diff --git a/app/bibleview-js/src/lang/ru.yaml b/app/bibleview-js/src/lang/ru.yaml index c9240ea0d7..9e5c9e99ef 100644 --- a/app/bibleview-js/src/lang/ru.yaml +++ b/app/bibleview-js/src/lang/ru.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Открыть в Моих заметках openStudyPad: Открыть в Блокноте (%s) noteText: Сноски (%s) diff --git a/app/bibleview-js/src/lang/sk.yaml b/app/bibleview-js/src/lang/sk.yaml index 7167719fd4..9e4f9347f7 100644 --- a/app/bibleview-js/src/lang/sk.yaml +++ b/app/bibleview-js/src/lang/sk.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Otvoriť v Mojich poznámkach openStudyPad: Otvoriť v Študijnej zložke (%s) noteText: Poznámky (%s) diff --git a/app/bibleview-js/src/lang/sl.yaml b/app/bibleview-js/src/lang/sl.yaml index ea75ad292b..a135e90811 100644 --- a/app/bibleview-js/src/lang/sl.yaml +++ b/app/bibleview-js/src/lang/sl.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Odpri v Mojih zaznamkih openStudyPad: Odpri v Moji beležnici (%s) noteText: Zaznamki (%s) diff --git a/app/bibleview-js/src/lang/sv.yaml b/app/bibleview-js/src/lang/sv.yaml index 01dcb022cb..612db8381e 100644 --- a/app/bibleview-js/src/lang/sv.yaml +++ b/app/bibleview-js/src/lang/sv.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Öppna mina anteckningar openStudyPad: Öppna i Study Pad (%s) noteText: Fotnoter (%s) diff --git a/app/bibleview-js/src/lang/te.yaml b/app/bibleview-js/src/lang/te.yaml index 6e2928b2e7..2187ff5b6d 100644 --- a/app/bibleview-js/src/lang/te.yaml +++ b/app/bibleview-js/src/lang/te.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: నా నోట్స్‌లో తెరవండి openStudyPad: స్టడీ ప్యాడ్‌లో తెరవండి (%s) noteText: ఫుట్ నోట్స్ (%s) diff --git a/app/bibleview-js/src/lang/uk.yaml b/app/bibleview-js/src/lang/uk.yaml index 9e925964b7..b0b8f32f59 100644 --- a/app/bibleview-js/src/lang/uk.yaml +++ b/app/bibleview-js/src/lang/uk.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: Відкрити в Мої Примітки openStudyPad: Відкрити в Блокноті (%s) noteText: Виноски (%s) diff --git a/app/bibleview-js/src/lang/zh-rCN.yaml b/app/bibleview-js/src/lang/zh-rCN.yaml index 760e8685cb..cc5f95959a 100644 --- a/app/bibleview-js/src/lang/zh-rCN.yaml +++ b/app/bibleview-js/src/lang/zh-rCN.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: 在我的笔记开启 openStudyPad: 在 (%s) 开启个人笔记 noteText: 注脚 (%s) diff --git a/app/bibleview-js/src/lang/zh.yaml b/app/bibleview-js/src/lang/zh.yaml index 9c3352b57c..7ebf91709b 100644 --- a/app/bibleview-js/src/lang/zh.yaml +++ b/app/bibleview-js/src/lang/zh.yaml @@ -1,3 +1,4 @@ +# Open in "My Notes" title. (just demonstrating developer note) openMyNotes: 在我的筆記開啟 openStudyPad: 在 (%s) 開啟個人筆記 noteText: 註腳 (%s) diff --git a/app/src/main/res/values-af/strings.xml b/app/src/main/res/values-af/strings.xml index cf78dcb24b..2692919109 100644 --- a/app/src/main/res/values-af/strings.xml +++ b/app/src/main/res/values-af/strings.xml @@ -2,7 +2,7 @@ Bybel Studie Bybel studie (And Bible) - Bybelstudie-toep,deur And Bible Oop bron projek + AndBible: Bybel Studie And Bible Oop bron projek Weergawe %s Please insert an SD card and restart application. @@ -207,7 +207,6 @@ Woordafbreking Volgende Laai asseblief Strong\'s Hebreeuse en Griekse woordeboeke af - Jy moet \'n Bybel met die Strong\'s nommers aflaai, en dan, laai sy indeks volgens Soek funksie af Laai asseblief \'Robinson se morfologiese analise Kodes\' woordeboek af Gaan na Aflaaie diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml index 1d83b6f8bc..3190537a9d 100644 --- a/app/src/main/res/values-cs/strings.xml +++ b/app/src/main/res/values-cs/strings.xml @@ -2,7 +2,7 @@ Bible Bible (And Bible) - Apka ke studiu Bible od And Bible Open Source projektu + AndBible: Studium Bible And Bible Open Source Projekt Verze %s Prosím zasuňte SD kartu a restartujte aplikaci. @@ -205,7 +205,6 @@ Další Prosím stáhněte Strongův hebrejský a řecký slovník - Je potřeba stáhnout Bibli, obsahující Strongova čísla a také stáhnout k této Bibli index přes Hledat Stáhněte prosím slovník \'Robinson\'s Morphological Analysis Codes\' Přejít na stažené položky diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml index 5ff45b912d..ee187127e5 100644 --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -2,7 +2,7 @@ Bibel+ Bibel+ (And Bibel) - Bibel+, vom And Bibel Open Source Projekt + AndBible: Bibel+ And Bible Open Source Projekt Version %s Bitte setzen Sie eine SD-Karte ein und starten das Programm neu. @@ -205,7 +205,6 @@ Vorwärts Bitte laden Sie die Strong\'s Wörterbücher für Griechisch und Hebräisch herunter - Sie müssen zuerst ein Bibelmodul mit Strongs Nummer sowie den Suchindex dazu herunterladen Laden Sie bitte das Modul \'Robinson\'s Morphological Analysis Codes\' herunter Gehe zu Downloads diff --git a/app/src/main/res/values-en/strings.xml b/app/src/main/res/values-en/strings.xml index e9654d4c20..180d798030 100644 --- a/app/src/main/res/values-en/strings.xml +++ b/app/src/main/res/values-en/strings.xml @@ -1,7 +1,6 @@ Bible Study App (And Bible) - Bible Study App, by And Bible Open Source Project diff --git a/app/src/main/res/values-eo/strings.xml b/app/src/main/res/values-eo/strings.xml index af9438420f..c8895424c9 100644 --- a/app/src/main/res/values-eo/strings.xml +++ b/app/src/main/res/values-eo/strings.xml @@ -2,7 +2,7 @@ Studi Biblion Studi Biblion (And Biblio) - Studi Biblion, la malfermkoda projekto de And Bible + AndBible: Studi Biblion La malfermkoda projekto de And Bible Versio %s Enmetu SD‑karton kaj restartigu la aplikaĵon. @@ -205,7 +205,6 @@ Sekva Bonvolu elŝuti grekan kaj hebrean vortarojn de Strong - Vi devas elŝuti Biblion enhavantan numerojn de Strong kaj elŝuti ĝian indekson per “serĉi” Bonvolu elŝuti la vortaron “Morfologiaj analizaj kodoj de Robinson” Malfermi elŝutojn diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml index c0e9e7fa24..73d3d6a382 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/values-es/strings.xml @@ -2,7 +2,7 @@ Biblia de Estudio Biblia de Estudio (And Bible) - Biblia de Estudio, Proyecto de Código Abierto And Bible + AndBible: Biblia de Estudio Proyecto de Código Abierto And Bible Versión %s Por favor inserte una tarjeta SD y reinicie la aplicación. @@ -172,6 +172,8 @@ Tipo de letra (%s) Cambiar el tipo de letra. Idea: se pueden instalar más tipos de letra desde Descargar Documentos / Complementos Ajustes de Marcadores & Mis Notas + Habilitar los botones multimedia de Bluetooth + Manejar los botones multimedia de Bluetooth para comenzar/dejar de hablar. Ajustes de color Ajustes de color de ventana @@ -207,7 +209,7 @@ Siguiente Por favor descargue los diccionarios de griego y hebreo de Strong - Debe descargar una Biblia que contenga números de Strong y descargar su índice por medio de Buscar + Debe descargar una Biblia que contenga números de Strong y construir su índice a través de la Búsqueda Por favor descargue el diccionario \'Códigos de análisis morfológicos de Robinson\' Ir a Descargas diff --git a/app/src/main/res/values-et/strings.xml b/app/src/main/res/values-et/strings.xml index 1cd9e93e94..66971e4067 100644 --- a/app/src/main/res/values-et/strings.xml +++ b/app/src/main/res/values-et/strings.xml @@ -2,7 +2,7 @@ Piibliuurimine Piibliuurimine (And Bible) - Piibliuurimise rakendus, And Bible avatud koodiga projektilt + AndBible: Piibliuurimine And Bible avatud koodiga projekt Versioon %s Palun sisesta SD-kaart ja taaskäivita rakendus. @@ -144,6 +144,8 @@ Teksti suurus (%d punkti) Määra teksti suurus Järjehoidjate ja märkmete seaded + Luba Bluetooth meedianupud + Kasuta Bluetooth nuppe esitamise juhtimiseks. Värvi seaded Akna värvi seaded @@ -179,7 +181,6 @@ Järgmine Palun lae alla Strongi heebrea ja kreeka sõnaraamat - Sa pead laadima alla Piibli, milles on Strongi numbrid ja laadima otsingu kaudu selle indeksi Palun lae alla sõnaraamat \'Robinson\'s Morphological Analysis Codes\' Lae dokumente alla @@ -342,6 +343,7 @@ Kas jätkame? Vajuta %s, et värskendada järjestust vastavalt valikutele. + Need seaded määravad kõigi tööalade vaikeväärtused. @@ -478,6 +480,7 @@ Kas jätkame? Seaded... Uue tööala nimi Salvesta + Rakenda muudatused tööaladele? Kopeeri seaded... Milliseid seadeid soovid kopeerida? Vali kõik @@ -604,6 +607,7 @@ Kas jätkame? Küsimus arendajatele Järjehoidja kujundus Määratud käesolevale järjehoidjale - Osalise värsi või mitme värsi valmimiseks kasuta pikka vajutust + Osalise värsi või mitme värsi valimiseks kasuta pikka vajutust + Vajatakse luba diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml index ce6ffce78b..f4c686478c 100644 --- a/app/src/main/res/values-fi/strings.xml +++ b/app/src/main/res/values-fi/strings.xml @@ -2,7 +2,7 @@ Raamattu Raamattu (And Bible) - Raamatuntutkimissovellus, And Bible Open Source Projektilta + AndBible: Raamattu And Bible avoimen lähdekoodin projekti Versio %s Ole hyvä ja aseta SD kortti sekä käynnistä ohjelma uudelleen. @@ -170,6 +170,8 @@ Kirjasimen tyyppi (%s) Muuta kirjasimen tyyppiä. Vinkki: voit asentaa lisää kirjasimia Lataa Teoksia / Lisäosat Kirjanmerkkien & Omien merkintöjen asetukset + Laita päälle bluetooth media-painikkeet + Käytä bluetooth mediapainikkeita puheen aloittamiseen/lopettamiseen. Värien asetukset Ikkunan värien asetukset @@ -205,7 +207,7 @@ Seuraava Ole hyvä ja lataa ensin Strongin heprean- ja kreikankielen sanakirjat - Lataa ensin Raamattu, joka sisältää Strongin numeroinnin ja ladata myös sen indeksi Haku-toiminnossa + Lataa ensin Raamattu, joka sisältää Strongin numeroinnin ja muodosta myös sen indeksi Haku-toiminnossa Lataa \'Robinsonin muoto-opilliset koodit\' -sanakirja Siirry latauksiin diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml index 439dc37546..e50552a415 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -2,7 +2,7 @@ Bible Study Bible Study (And Bible) - Bible Study app, du projet à code source ouvert And Bible + AndBible: la Bible Projet Open source And Bible Version %s Merci d\'insérer une carte SD et de redémarrer l\'application. @@ -205,7 +205,6 @@ Suivant Merci de télécharger un lexique Hébreu/Araméen et Grec de Strong - Merci de télécharger une bible contenant les codes de Strong, puis de télécharger son index via la page Rechercher Merci de télécharger le lexique « Robinson\'s Morphological Analysis Codes » Aller au téléchargements diff --git a/app/src/main/res/values-hi/strings.xml b/app/src/main/res/values-hi/strings.xml index 8149264072..2dd9c4522e 100644 --- a/app/src/main/res/values-hi/strings.xml +++ b/app/src/main/res/values-hi/strings.xml @@ -2,7 +2,7 @@ बाइबिल अध्ययन बाइबिल अध्ययन (ऐंड बाइबिल ) - बाइबिल अध्ययन ऐप, ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट के द्वारा + AndBible: बाइबिल ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट संस्करण %s कृपया एसडी कार्ड डालें और ऐप पुनः आरंभ करें। @@ -207,7 +207,6 @@ अगला \"र्स्टो्न्ग\" की यहूदी और यूनानी शब्दकोश डाउनलोड करें - \"र्स्टो्न्ग\" संख्या वाले बाइबिल डाउनलोड करें, फिर खोज सूचकांक डाउनलोड करें \'Robinson\'s Morphological Analysis Codes\' शब्दकोश, डाउनलोड करें डाउनलोड पर जाएं diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml index e20312fcf4..31bdb60bd5 100644 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -2,7 +2,7 @@ Biblia Biblia (And Bible) - Bibliatanulmányozó alkalmazás, készítette az And Bible Open Source Project + AndBible: Biblia And Bible Nyílt Forráskódú Projekt Verzió: %s Helyezzen be egy SD-kártyát és indítsa újra az alkalmazást! @@ -205,7 +205,6 @@ Következő Kérlek, töltsd le a Strong héber és görög szószedeteket - Le kell töltened egy Strong számokat tartalmazó Bibliát és a hozzá tartozó indexet is a Keresés segítségével. Kérlek, töltsd le Robinson morfológiai elemző szótárát Letöltések megnyitása diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml index a0db2a3206..2ad138b8a9 100644 --- a/app/src/main/res/values-it/strings.xml +++ b/app/src/main/res/values-it/strings.xml @@ -2,7 +2,7 @@ Studi Biblici Studi Biblici (And Bible) - Studi Biblici, app del progetto open source And Bible + AndBible: Studi Biblici And Bible progetto open source Versione %s Inserisci una scheda SD e riavvia l\'applicazione. @@ -170,6 +170,8 @@ Famiglia di carattere (%s) Cambia la famiglia del carattere. Suggerimento: altri caratteri possono essere installati da Download Documenti / Componenti aggiuntivi Impostazioni di Segnalibri e Annotazioni + Abilita i tasti multimediali Bluetooth + Gestisce i tasti multimediali Bluetooth per avviare/fermare la dizione. Impostazioni colore Impostazioni del colore della finestra @@ -205,7 +207,7 @@ Successivo Scarica il dizionario ebraico e greco di Strong - Devi scaricare una Bibbia che contenga i numeri di Strong e scaricarne l\'indice attraverso \'Cerca\' + Devi scaricare una Bibbia che contenga i numeri Strong e generarne l\'indice in Ricerca Scarica il dizionario dei codici di analisi morfologica di Robinson Vai ai Download diff --git a/app/src/main/res/values-iw/strings.xml b/app/src/main/res/values-iw/strings.xml index e078c23758..2eb4a023c0 100644 --- a/app/src/main/res/values-iw/strings.xml +++ b/app/src/main/res/values-iw/strings.xml @@ -2,7 +2,9 @@ לימוד הכתובים לימוד הכתובים (And Bible) - אפליקציה לתנ\"ך, מאת And Bible Open + לתנ\"ך, :AndBible + + פרוייק הקוד הפתוח And Bible גרסה %s אנא הכנס כרטיס זכרון והפעל מחדש את המכשיר @@ -190,7 +192,6 @@ קדימה אנא הורד מילוני Strong לעברית ויוונית - עליך להוריד טקסט שמכיל מספרי Strong, וגם להוריד את קובץ האינדקס שלו, ממסך החיפוש נא להוריד את המילון \'Robinson\'s Morphological Analysis Codes\' לך להורדות diff --git a/app/src/main/res/values-kk/strings.xml b/app/src/main/res/values-kk/strings.xml index 1cba1bf708..786697ae02 100644 --- a/app/src/main/res/values-kk/strings.xml +++ b/app/src/main/res/values-kk/strings.xml @@ -2,7 +2,7 @@ Киелі Кітапті Зерттеу Киелі Кітапті Зерттеу (And Bible) - Киелі Кітапті Зерртеу қолданбасы, And Bible - ашық көзді жобасы арқылы болып табылады + AndBible: Киелі Кітап+ And Bible Ашық Көзді Ақпаратты Жоба Нұсқа %s SD картаны салыңыз және қолданбаны қайта іске қосыңыз. @@ -206,7 +206,6 @@ Келесі Стронгтің Еврей мен Грек сөздігін жүктеңіз - Іздеу арқылы Стронг нөмірлерін қамтитын Киелі Кітапты және оның индексін жүктеу үшін сіз жүктеуге міндеттісіз \'Робинсонның Морфологиялық Анализ Кодтар\' сөздігін жүктеңіз Жүктемелерге өту diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml index 0dd8fa357a..bbbd0ecbad 100644 --- a/app/src/main/res/values-ko/strings.xml +++ b/app/src/main/res/values-ko/strings.xml @@ -2,7 +2,7 @@ 성경 공부 성경 공부 (And Bible) - 성경 공부 앱, by And Bible 오픈소스 프로젝트 + AndBible: 성경 공부 And Bible 오픈 소스 프로젝트 버전 %s SD 카드를 넣고 어플리케이션을 다시 시작하세요. @@ -205,7 +205,6 @@ 다음 스트롱 히브리어 및 그리어스어 사전을 다운로드 하세요 - 스트롱 넘버가 포함된 성경과 그 색인을 검색으로 다운로드해야 합니다. \'Robinson\'s Morphological Analysis Codes\'사전을 다운로드하십시오 다운로드로 이동 diff --git a/app/src/main/res/values-lt/strings.xml b/app/src/main/res/values-lt/strings.xml index 523ce2311d..3a5b46fd97 100644 --- a/app/src/main/res/values-lt/strings.xml +++ b/app/src/main/res/values-lt/strings.xml @@ -2,7 +2,7 @@ Biblijos studijos Biblijos studijos (And Bible) - Biblijos studijų programėlė, sukurta And Bible atvirojo kodo projekto + AndBible: Biblija And Bible atvirojo kodo projektas Versija %s Įdėkite SD kortelę ir paleiskite programėlę iš naujo. @@ -205,7 +205,6 @@ Kitas Atsisiųskite Strongo hebrajų ir graikų žodynus - Jums per „Paiešką“ reikia atsisiųsti Bibliją su Strongo numeriais, o taip pat ir jos indeksus Atsisiųskite žodyną „Robinson\'s Morphological Analysis Codes“ Pereiti į Atsiuntimus diff --git a/app/src/main/res/values-my/strings.xml b/app/src/main/res/values-my/strings.xml index edab402a1a..f05412679b 100644 --- a/app/src/main/res/values-my/strings.xml +++ b/app/src/main/res/values-my/strings.xml @@ -2,7 +2,7 @@ ကျမ်းစာလေ့လာခြင်း ကျမ်းစာလေ့လာခြင်း (And Bible) - And သမ္မာကျမ်းစာ အခမဲ့ အရင်းအမြစ် လုပ်ငန်း၏ သမ္မာကျမ်းစာလေ့လာခြင်း အက်ပ် + AndBible: သမ္မာကျမ်းစာ And သမ္မာကျမ်းစာ အခမဲ့ အရင်းအမြစ် လုပ်ငန်း ဗားရှင်း %s ကျေးဇူးပြုပြီး အက်စ်ဒီကဒ်ကို ထည့်ပါ၊ ထို့နောက် အက်ပ်ကို ပိတ်ပြီးပြန်ဖွင့်ပါ။ @@ -205,7 +205,6 @@ နောက်တစ်ခု Strong ဟီဘရူးနှင့် ဂရိ အဘိဓာန်များကို ကျေးဇူးပြု၍ ဒေါင်းလုပ်ဆွဲပါ - Strong နံပါတ်များပါဝင်သည့် ကျမ်းစာတစ်အုပ်ကို ဒေါင်းလုပ်ဆွဲရမည်ဖြစ်ပြီး ၎င်း၏အညွှန်းကို ရှာဖွေခြင်းတွင် ဒေါင်းလုပ်ဆွဲပါ။ \'Robinson\'s Morphological Analysis Codes\' အဘိဓာန်ကို ကျေးဇူးပြု၍ ဒေါင်းလုပ်ဆွဲပါ ဒေါင်းလုပ်များဆီသို့ သွားပါ diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml index 7fab862ff2..b31a9059ba 100644 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -2,7 +2,7 @@ Bibelstudie Bibelstudie (And Bible) - Applikasjon for bibelstudie av And Bible Open Source Project + AndBible: Bibelstudie And Bible åpen kildekode-prosjekt Versjon %s Sett inn minnekort og restart applikasjonen @@ -21,7 +21,7 @@ Hjelp og tips Administrasjon Vurdering og anmeldelser - Velg dokument + Velg modul Velg bok Velg kapittel @@ -90,8 +90,12 @@ Seksjonsoverskrifter Rød skrift Hell for å rulle teksten + Handling ved trykk/langt trykk på Bibel eller bibelkommentar-knapp på verktøylinjen Trykk for å åpne meny, langt trykk for dokumentskjerm (standard) + Trykk for å åpne neste modul, lang-trykk for å åpne meny + Trykk for å åpne neste modul, lang-trykk for modulvindu Nattmodus + Dersom nattmodus slås på automatisk (dersom enheten støtter dette), manuelt, eller gjennom systeminnstillingene (Android 10+). Manuelt skifte kan gjøres gjennom 3-prikksknappen fra hovedvinduet. Manuelt Automatisk System @@ -144,6 +148,7 @@ Er du sikker på at du vil tilbakestille alle disse verdiene? Feste vindu Skjul vindusknapper + Skjul vindusknapper i fullskjerm Skjul knapperader i bunnen av et vindu når man går til fullskjermmodus Ordbøker Strongs gresk ordbok @@ -159,6 +164,7 @@ Skrifttype (%s) Endre skriftgruppe. Tips: Flere skrifttyper kan installeres via Last ned dokumenter/tillegg. Innstillinger for bokmerker og mine notater + Vis knapper for blåtann Fargeinnstillinger Fargeinnstillinger for vindu @@ -193,7 +199,7 @@ Fram Vennligst last ned Strongs hebraiske og greske ordbøker - Du må laste ned en Bibel som inneholder Strongs ordboknummer og laste ned søkeregisteret via Søkefunksjonen. + Du må laste ned en bibelmodul som inkluderer Strong-nummer og bygge en søkeindeks via Søk Vennligst last ned ordboken \'Robinson\'s Morphological Analysis Codes\' Gå til nedlastinger @@ -291,6 +297,7 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted Notater og kryssreferanser Del... + Del utvalg Et bibelvers har blitt delt med deg gjennom %s. Sammenlign oversettelser @@ -349,6 +356,7 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted Innstillinger for bokmerker Høytlesing av bokmerker Avanserte innstillinger + Søvnavbrudd Automatisk bokmerking Fotnoter Neste @@ -359,9 +367,19 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted + Tekstinnstillinger for arbeidsområde + Disse innstillingene definerer standardverdier for alle arbeidsområder. + Du kan overstyre disse ved å endre innstillingene for hvert vindu. + Tekstinnstillinger for vindu + %s ikon viser at innstillingen kommer fra arbeidsområde-innstillingene. + %s ikon viser at denne innstillingen har blitt endret for dette vinduet. + Arbeidsområdeinnstillingene påvirker ikke dette vinduet. + Bruk %s-knappen for å tilbakestille disse innstillingene til %s. + standardverdiene + standardverdiene for arbeidsområder Sikkerhetskopiering + Skrive over mine notater, bokmerker, studiebrett, leseplaner og arbeidsområder? + Leseplaner + Mine notater, bokmerker, studiebrett, leseplaner og arbeidsområder er tilbakeført. Leser database fra sikkerhetskopi + Mine notater, bokmerker, studiebrett, leseplaner og arbeidsområder er sikkerhetskopiert. %s moduler sikkerhetskopiert Vedlagt er sikkerhetskopi av dine %s moduler, som inneholder følgende: %s Sikkerhetskopi av %s sin database @@ -421,9 +443,26 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted Versifisering: %s OSIS ID: %s + Feilrapport Tilbakemelding Tilbakemelding/feilrapport + [%s] Feilrapport for %s %s VENNLIGST SKRIV DIN TILBAKEMELDING ELLER FEILRAPPORT OVER DENNE LINJEN + Instruksjoner: + Fortell oss i korte trekk hva du gjorde, eller hva som hendte, da feilen oppstod. + For eksempel: + 1. Åpnet applikasjonen + 2. Trykket på menyknappen + -> Kræsj + Noen ganger er en manuell skjermdump nyttig for å løse problemer. + Vennligst benytt denne funksjonen for å rapportere så snart du har oppdaget en feil. + Du kan også bruke denne funksjonen etter at du har åpnet applikasjonen etter en kræsj. + + Vedlegg: + Loggfilen produsert av denne applikasjonen. Denne inneholder ikke informasjon om andre applikasjoner. + Skjermdump av applikasjonen da kræsjen skjedde, eller da feilrapporten ble opprettet. + Det hjelper applikasjons-utviklerne mye å ha disse filene vedlagt i feilrapporten. + Enhetsinformasjon: Alle dokumenter Bibler @@ -450,6 +489,7 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted Send feilrapport En feil har oppstått + Denne applikasjonen krasjet siste du brukte den. For å hjelpe oss å avdekke feilen, hadde vi satt pris på om du sendte inn en feilrapport. En feil har oppstått. %s Ikke noe innhold i dette verset Siden er for stor til å laste inn @@ -490,11 +530,21 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted Github issues Github Avvis - Avvis til neste oppdatering + Fjern melding inntil neste versjon + Applikasjonen har blitt oppgradert! + Vennligst se video over nye funksjoner i denne utgaven (%s). + Ny versjon %s av %s har blitt installert! + Historikk (%s: Vindu%d) Navigasjon Bokmerker og mine notater + + Studiebrett er utformet slik at det er lett å skrive undervisningsnotater, forberede undervisning + eller bare skrive personelige notater fra bibelstudier, med mange bibelreferanser. Hvert studiebrett er knyttet til en bokmerkekategori. + Alle bokmerker som har blitt opprettet i denne bokmerkekategorien, vil automatisk dukke opp i studiebrettet. + I tillegg til bokmerker, kan man også ha bolker med tekst i et studiebrett. + Søk Tekstsøk kan inneholde spesialtegn som *, ?, AND, OR, NOT (se \"Apache Lucene - Query Parser Syntax\" for mer informasjon) @@ -514,38 +564,112 @@ Courtesy of Wholesome Words, http://www.wholesomewords.org/, permission granted %s (%s) Jeg forstår Vis igjen neste gang + Velg Strong-modus + Redigerbare studiebrett med tekster og bokmerker Mine notater + Studiebrett Sammenlign oversettelser + Sammenlign + Sammenlign + Forbudt + Ikke funnet + Annen feil + Modul %s er kryptert, og krever passord for å åpnes + Åpning feilet, feil passord + Sett modulpassord + Informasjon om åpning av kryptert modul + Passord fungerte ikke, prøve igjen? + Kan ikke slette siste bibelmodul Lisens for åpen kildekode Hvordan bidra? + %.1f MB Anbefal til en venn + Del / Kopier Kopier + Del / kopier... Vis versnummer + Vis komplette vers Delt gjennom %s. + Forkorting av referansen + Bibelmodulnavn Sikkerhetskopi + Tilbake + Oppgraderer databasen. Vennligst vent... + Setter opp applikasjonen + Vis notater + Android WebView package er for gammel (%s). Du må oppgradere Android WebView package til minst versjon %s for å bruke %s. For de fleste enheter kan dette gjøres gjennom %s. + Google Play Fortsett allikevel + Vurdering og anmeldelse av appen Positive og detaljerte anmeldelser hjelper And Bible-prosjektet mye. Tusen takk! + + Før du gir en negativ vurdering, vennligst les følgende: + + + Ved problemer med appen, vennligst %s eller %s istedet. + + + Dersom en modul/bibeloversettelse har en feil, %s. + + + Dersom en bibeloversettelse/modul ikke er tilgjengelig i applikasjonen, %s. + + + Utviklerne av denne appen er ikke ansvarlig for vedlikehold av moduler. + + + send en feilrapport (fra hovedmenyen) + + + les hva du kan gjøre for å hjelpe + + + send epost til utviklerne + Fortsett til Google Play + + vennligst rapporter feil til de ansvarlige for den modulen + + Finnes ikke + Ønsker du å slette bokmerket \"%s\"? Alle notater i tilknyttede studiebrett vil også slettes. Understrekingsstil for bokmerker av utvalg Understrekingsstil for bokmerker på hele vers Mer + Tekst kopiert til utklippstavlen + Dobbel-tap for fullskjermmodus + Start fullskjermmodus ved å dobbel-tappe i vinduet Fullskjerm + Dobbel-tap for å gå ut av fullskjermmodus + Ønsker du å tilbakestille alle globale innstillinger som er vist på denne skjermen til standardverdiene? Rød Grønn Blå Frelse Understreket + Import og eksport + Eksporter som %s + Importer %s + Importer fra appens databasefil + GT + NT + Tabell + Lister + Velg %s - Vi beklager, men vi har bare delvis brukergrensesnittoversettelse på %s språk. Det er fordi %s er helt utviklet av frivillige. Hvis du kan hjelpe til med å oversette, kan du se %s. + Vi har dessverre bare delvis oversettelse av brukergrensesnittet for %s. Dette er fordi %s utvikles av frivillige. Hvis du ønsker å hjelpe til med å oversette, kan du sjekke %s. instruksjoner for oversettere Spørsmål? + Trenger du hjelp? Bokmerkestil + Av Lenker + Tekster og lenker + Tilgang kreves diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml index b851035ea0..dad1123c61 100644 --- a/app/src/main/res/values-nl/strings.xml +++ b/app/src/main/res/values-nl/strings.xml @@ -2,7 +2,7 @@ Bijbelstudie Bijbelstudie (And Bible) - Bijbelstudie app, door And Bible open-source-project + AndBible: Bijbelstudie And Bible open-source-project Versie %s Voer een SD-kaart in en start And Bible opnieuw. @@ -16,9 +16,9 @@ Voorlezen Hulp Informatie - Anders + Overig Contact - Hulp & tips + Help & tips Administratie Beoordelen Document kiezen @@ -206,7 +206,6 @@ Volgende Download Strong\'s Hebreeuws en Grieks woordenboek - Je moet een bijbel met Strong-nummers downloaden en de index downloaden via Zoeken Download \'Robinson\'s Morfologische analyse Codes\' woordenboek Ga naar downloads diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml index eb9f5f87a2..1cb507a6f6 100644 --- a/app/src/main/res/values-pl/strings.xml +++ b/app/src/main/res/values-pl/strings.xml @@ -2,7 +2,7 @@ Studium Biblii Studium Biblii (And Bible) - Studium Biblii, otwartoźródłowy projekt And Bible + AndBible: Studium Biblii Otwartoźródłowy projekt And Bible Wersja %s Proszę włożyć kartę SD i ponownie uruchomić aplikację. @@ -205,7 +205,6 @@ Następny Pobierz hebrajski i grecki słownik Stronga - Należy pobrać Biblię zawierającą numery Stronga i następnie pobierać ich spis poprzez „wyszukiwanie” Pobierz słownik analizy morfologicznej Robinsona Otwórz pobierania diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml index 591809aa75..1e046f3163 100644 --- a/app/src/main/res/values-pt/strings.xml +++ b/app/src/main/res/values-pt/strings.xml @@ -2,7 +2,7 @@ Bíblia Bíblia (And Bible) - Aplicação para estudo da Bíblia, por And Bible Open Source Project + AndBible: Estudo Biblico Projeto Open Source And Bible Versão %s Insira um cartão SD e reinicie a aplicação. @@ -205,7 +205,6 @@ Próximo Por favor instale os dicionários Strong em Hebraico e Grego - Você deve fazer o download de uma bíblia contendo números do dicionário Strong e fazer o download do índice através da Pesquisa Faça o download do dicionário \'Robinson\'s Morphological Analysis Codes\' (em inglês) Ir para Downloads diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml index a093a55fff..384816fef5 100644 --- a/app/src/main/res/values-ro/strings.xml +++ b/app/src/main/res/values-ro/strings.xml @@ -2,7 +2,7 @@ Biblia Biblia (And Bible) - Biblia, de la And Bible Open Source Project + AndBible: Biblia Biblia, Proiect cu Sursă Publică Versiunea %s Introdu o memorie SD și repornește aplicația. @@ -172,6 +172,8 @@ Caractere (%s) Schimbă tipul de caractere. Sfat: mai multe caractere pot fi instalate prin Descarcă documente / Extensii. Semne de carte și Notițele mele + Activează butoanele media Bluetooth + Folosește butoanele media Bluetooth pentru a începe/opri vorbirea. Culori Culoarea ferestrei @@ -207,7 +209,7 @@ Înainte Descarcă dicționarele ebraic și grecesc Strong - Trebuie să descarci o Biblie care să conțină numerele Strong și să descarci și indexul acesteia + Trebuie descărcată o Biblie care să conțină numerele Strong și să construiești indexul acesteia prin opțiunea „Caută” Descarcă dicționarul de coduri de analiză morfologică al lui Robinson Du-te la Descărcări diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml index 65e4aeae9b..9c58706e0b 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -2,7 +2,7 @@ Изучение Библии Изучение Библии (And Bible) - Приложение «Изучение Библии», автор проекта «And Bible с открытым исходным кодом» + AndBible: Изучение Библии And Bible с открытым исходным кодом Версия %s Вставьте SD-карту и перезапустите приложение. @@ -206,7 +206,6 @@ Вперед Скачать словари Стронга на греческом и иврите - Необходимо скачать Библию с числами Стронга и скачать индекс через Поиск. Пожалуйста скачайте словарь \'Морфолочические коды анализа Робинсона\'. Перейти к Загрузке diff --git a/app/src/main/res/values-sk/strings.xml b/app/src/main/res/values-sk/strings.xml index 906198a2d3..fb2676392c 100644 --- a/app/src/main/res/values-sk/strings.xml +++ b/app/src/main/res/values-sk/strings.xml @@ -2,7 +2,7 @@ Štúdium Biblie Štúdium Biblie (And Bible) - Aplikácia pre štúdium Biblie od And Bible Open Source Project + AndBible: Bible Study And Bible Open Source Project Verzia %s Prosím vložte SD kartu a reštartujte aplikáciu. @@ -172,6 +172,8 @@ Typ písma (%s) Zmena typu písma. Rada: ďalšie písma môžu byť nainštalované cez Stiahnuť dokumenty / doplnky Nastavenie Záložiek a Mojich poznámok + Povoliť Bluetooth mediálne tlačidlá + Ovládať spustenie/zastavenie predčítavania pomocou bluetooth mediálne tlačidlá Nastavenia farieb Nastavenie farieb okna @@ -207,7 +209,7 @@ Ďalšia Prosím stiahnite Strongov hebrejský a grécky slovník - Je potrebné stiahnuť Bibliu obsahujúcu Strongove čísla a tiež stiahnuť k nej index pre vyhľadávanie + Musíte si stiahnuť Bibliu obsahujúci Strongové čísla a vytvoriť ich index cez Hľadanie Prosím stiahnite si slovník - Robinsonov Morfologický Analytický Kódex Prejsť do sťahovania diff --git a/app/src/main/res/values-sl/strings.xml b/app/src/main/res/values-sl/strings.xml index 6b2ae83383..0bde6591af 100644 --- a/app/src/main/res/values-sl/strings.xml +++ b/app/src/main/res/values-sl/strings.xml @@ -2,7 +2,7 @@ And Biblija And Biblija (And Bible) - Aplikacija za proučevanje Biblije, avtor projekta And Bible Open Source Project + AndBible: Proučevanje Biblije And Bible odprtokodni projekt Verzija %s Vstavite kartico SD in znova zaženite aplikacijo. @@ -172,6 +172,8 @@ Družina pisav (%s) Spremeni družino pisav. Namig: več pisav lahko namestite preko Prenosa dokumentov. Nastavitve Zaznamkov in Mojih opomb + Omogoči predstavnostne gumbe Bluetooth + Upravljajte z medijskimi gumbi Bluetooth za začetek/ustavitev govora. Nastavitve barv Nastavitve barv okna @@ -207,7 +209,7 @@ Naslednji Prosim prenesi Strong-ove hebrejske in grške slovarje - Potreben je prenos biblije, ki vsebuje Strong-ove številke in prenos njegovega indeksa preko Iskanja + Prenesti morate Biblijo, ki vsebuje Strongove številke in prek Iskanja zgraditi kazalo Prenesite slovar \'Robinson\ove analize oblikoslovnih kod\' Pojdi na Prenose @@ -845,4 +847,5 @@ Iskanje lahko vsebuje posebne znake kot *, ?, AND, OR, NOT Besedilo in povezave Za delno izbiro vrstice ali izbiro več vrstic dolgo pritisnete na biblijsko besedilo + Potrebno je dovoljenje diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml index 600c8f7e9a..12b4a94c57 100644 --- a/app/src/main/res/values-sv/strings.xml +++ b/app/src/main/res/values-sv/strings.xml @@ -2,7 +2,7 @@ Bibelstudier Bibelstudier (Och Bibeln) - Bible Study appen, av And Bible Open Source Project + AndBible: Bible Study And Bible Open Source Project Version %s Vänligen mata in ett SD-kort och starta om appen. @@ -205,7 +205,6 @@ Nästa Vänligen ladda ner Strongs hebreiska och grekiska lexikon - Du behöver ladda ner en Bibel med Strongs nummer samt dess sökindex i menyn Sök Vänligen ladda ner lexikonet \'Robinson\'s Morphological Analysis Codes\' Gå till nerladdningar diff --git a/app/src/main/res/values-te/strings.xml b/app/src/main/res/values-te/strings.xml index 0a82dc4e8c..ea0517d30c 100644 --- a/app/src/main/res/values-te/strings.xml +++ b/app/src/main/res/values-te/strings.xml @@ -2,7 +2,8 @@ బైబిల్ అధ్యయనం బైబిల్ అధ్యయనం (అండ్ బైబిల్) - & బైబిల్ ఓపెన్ సోర్స్ వారి బైబిల్ స్టడీ యాప్ + AndBible: బైబిల్ + అండ్ బైబిల్ ఒపెన్ సోర్స్ ప్రాజెక్ట్ వర్షన్ %s దయచేసి SD కార్డ్‌ని చొప్పించి, అప్లికేషన్‌ను పునఃప్రారంభించండి. @@ -206,7 +207,6 @@ తరువాతి విషయానికి దయచేసి స్ట్రాంగ్ గారి హెబ్రీ మరియు గ్రీకు నిఘంటువులను డౌవ్న్‌లోడ్ చేయండి - సర్చ్ ద్వారా స్ట్రాంగ్ గారి బైబిల్లోని సంఖ్యలు గల విషయ సూచికను తప్పకుండా డవున్ లోడ్ చేసుకోవాలి దయచేసి రాబిన్ సన్ గారి పదనిర్మాణ విశ్లేషణ కోడ్స్ గల నిఘంటువును డవున్ లోడ్ చేసుకోండి డౌన్‌లోడ్‌లకు వెళ్లండి diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml index eeb473dbb5..1744344231 100644 --- a/app/src/main/res/values-tr/strings.xml +++ b/app/src/main/res/values-tr/strings.xml @@ -2,7 +2,7 @@ Kutsal Kitap Çalışması Kutsal Kitap Çalışması (And Bible) - Kutsal Kitap Çalışma uygulaması, And Bible Açık Kaynak Projesi tarafından + AndBible: İncil Çalışma And Bible Açık Kaynak Projesi Sürüm %s Lütfen bir hafıza kartı takıp uygulamayı yeniden başlatın. @@ -151,11 +151,11 @@ Tüm bu değerleri sıfırlamak istediğinizden emin misiniz? Pencere iğneleme Pencere düğmelerini gizle - İncil görünümlerinin sağ tarafında görüntülenen pencere butonları gizlenir. Aşağıdaki pencere gezinme çubuğu hala gösterilir ve pencerenin açılır menüsünü uzun tıklayarak açabilirsiniz. + İncil görünümlerinin sağ tarafında görüntülenen pencere düğmeleri gizlenir. Aşağıdaki pencere gezinme çubuğu hala gösterilir ve pencerenin açılır menüsünü uzun tıklayarak açabilirsiniz. İncil\'e gönderme yapan katmanı gizle Uygulama tam ekrandayken yarı-şeffaf İncil\'e gönderme yapan katmanı gösterme - Tam ekranda pencere buton çubuğunu gizle - Tam ekran moduna geçerken, ekranın altındaki pencere buton çubuğunu otomatik olarak gizle + Tam ekranda pencere düğme çubuğunu gizle + Tam ekran moduna geçerken, ekranın altındaki pencere düğme çubuğunu otomatik olarak gizle Sözlükler Strong\'un Yunanca sözlüğü Yunanca kelimelerin tanımları için Strong\'un sözlüğünü seçin @@ -205,7 +205,6 @@ Sonraki Lütfen \iStrong\'s Grekçe ve İbranice sözlüklerini indiriniz - Strong Numaraları içeren bir Kutsal Kitap çevirisini ve ona ait dizini indirmeniz gerekir. Dizinler Arama sayfasından indirilir. Lütfen \'Robinson\'s Morphological Analysis Codes\' sözlüğünü indirin. İndirmelere Git @@ -259,6 +258,8 @@ Modül sunucularından yapılan tüm indirmeler şifrelenir (HTTPS). Bu planı sıfırlamak istediğinizden emin misiniz? Okuma planını içe aktar... İçe aktarma hatası + Aşağıdaki günler yinelendi: %s + Aşağıdaki günler hatalar içeriyordu: %s Yine de içe aktar %s üzerine yazmak istiyor musun? Bu planı sil @@ -287,6 +288,10 @@ Yaratılış ile başlayıp Vahiy ile biten Kutsal Kitap\'ı 1 yılda baştan so M\'Cheyne 1 Yıl 4 bölüm/gün Prof. Horner 10-bölüm/gün Okuma Planı Prof. Horner\'in nezaketiyle, izin verildi + 2 Yıl Boyunca Kutsal Kitap, iki kez YA+MK + +2 yılda Kutsal Kitap\'ı baştan sona okuyun, YA ve Mezmurlar\'ı iki kez okuyun. +Wholosome Words\'un nezaketiyle, http://www.wholesomewords.org/, izin verildi Sil Arama dizinini sil @@ -457,6 +462,10 @@ konuşma tanımlanan ayet aralığının dışında başladı. Veritabanı yedeklemeden yükleniyor... Notlarım, Yer İmleri, Çalışma Defterleri, Okuma Planları ve Çalışma Alanları başarıyla yedeklendi. Seçilen modüller başarıyla yedeklendi. + %s modüllerini yedeklemek + %s modüllerinin yedeği ektedir, aşağıdaki modülleri içerir: %s + %s veritabanını yedeklemek + Yer imlerinizi, notlarınızı, okuma planlarınızı ve çalışma alanlarınızı içeren %s veritabanınız ektedir Veritabanı geri yüklenemedi. Belki de geçersiz veritabanı dosyası verdiniz. Telefon hafıza Nereye yedeklensin? @@ -542,6 +551,7 @@ konuşma tanımlanan ayet aralığının dışında başladı. Hepsi seç Ayarlar hagni çalışma alanıya kopyalansın? Sıfırla + Yok say %s (aktif) Bu deneme sürümdür! @@ -549,11 +559,17 @@ konuşma tanımlanan ayet aralığının dışında başladı. Beta sürümünde henüz tam anlamıyla test edilmemiş yeni özellikler var, bu yüzden beta sürümünü kullanmak beklenmedik davranışlara, yani hatalara neden olabilir. Sıradan Kutsal Kitap okuyucularının bunun yerine kararlı sürümü kullanması tavsiye edilir. + +Beta kullanıcılarının, hataları Google Play ya da +(tercihen) %s aracılığıyla bildirmeleri önerilir. Programcıysanız, lütfen %s aracılığıyla hata düzeltmelerine katkıda bulunmayı düşünün. :-) Github sorun listesi Github + Yok say + Bir sonraki güncellemeye kadar yok say Uygulama güncellendi! + Lütfen bu sürümün yeni özelliklerini içeren videoyu izleyin (%s) %s sürümlü %s başarıyla kuruldu! Geçmiş (%s: Window %d) @@ -563,16 +579,21 @@ katkıda bulunmayı düşünün. :-) Tam ekran modunu değiştirmek için Kutsal Kitap metnine çift dokunun.. Bölünmüş ekranların (pencereler olarak da bilinir) sağ üst köşesinde menü düğmesi bulunur, bu birkaç pencereye özgü işlevleri kullanmanıza ve pencere görünümünü ve davranışını özelleştirmenize olanak tanır. + Bağlam Menüleri Yer imleri & Notlarım Arama Çalışma Alanları Gizli kısayollar Pencere iğneleme + Önceki kitapların/belgelerin bir listesi bulundu. Bunları kolayca tekrar indirmek için aşağıya tıklayın. Kapat + %s (%s) Anladım Bir daha sefere tekrar göster + Strongs modunu seç + Aşağıdaki kitaplar indirilemedi: Çoklu seçim Özel metin ve yer imleriyle kullanıcı tarafından düzenlenebilir çalışma defterleri Notlarım @@ -598,6 +619,7 @@ bu birkaç pencereye özgü işlevleri kullanmanıza ve pencere görünümünü Hangi pencerenin etkin olduğunu tanımaya yardımcı olması için pencere köşelerini vurgula Açık Kaynak Lisansı Nasıl katkıda bulunulur? + %d yer imlerini ve notlarını kaldırmak istiyor musunuz? %.1f MB Bir arkadaşına öner Size %s\'i önermek isterim. @@ -650,7 +672,9 @@ geliştiricilere e-posta gönderin Son etiketler Diğer etiketler Kitaplar yatay olarak sunulsun + Sistem eylemleri Daha Fazla + Android eylemleri Metin panoya kopyalandı Tam ekran için iki kez dokun Pencereye çift dokunarak tam ekran moduna girin @@ -665,6 +689,8 @@ geliştiricilere e-posta gönderin Uygulama Veritabanından içe aktarma başarısız oldu. Veritabanı dosyası yanlış biçimde olabilir veya %suygulamasının çok eski sürümüyle yapılmış olabilir. Menzil Atla + EA + YA Izgara Listeler Seç %s diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml index 96f434d678..f90eac566d 100644 --- a/app/src/main/res/values-uk/strings.xml +++ b/app/src/main/res/values-uk/strings.xml @@ -2,7 +2,7 @@ Дослідження Біблії Дослідження Біблії (And Bible) - Додаток «Дослідження Біблії», автор проекту And Bible з відкритим кодом. + AndBible: Вивчення Біблії And Bible проект з відкритим кодом Версія %s Вставте SD-карту та перезавантажте програму. @@ -206,7 +206,6 @@ Наступний Завантажте єврейський і грецький словники Стронга - Ви повинні завантажити Біблію, що містить номера Стронга і завантажити її індекс за допомогою пошуку Завантажте словник Робінсона з кодами морфологічного аналізу Перейти до Завантаження diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index e971449c19..38bdfdf762 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -2,7 +2,7 @@ 研经工具 研经工具 (And Bible) - 研经工具 - 由And Bible开源计划开发 + AndBible: 研经工具 And Bible 开源计划 %s 版本 请插入SD Card及重新开始程式 @@ -207,7 +207,6 @@ 下一页 请下载Strong\'s希伯来文和希腊文字典 - 需要下载包含Strong\'s原文编号的圣经,并于搜寻下载相应的索引 请下载 Robinson\'s 词形分析码的字典 移至下载 diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index abbb8d3d1f..30f36e3806 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -2,7 +2,7 @@ 研經工具 研經工具 (And Bible) - 研經工具 - 由And Bible開源計劃開發 + AndBible: 研經工具 And Bible 開源計劃 %s 版本 請插入SD Card及重新開始程式 @@ -207,7 +207,6 @@ 下一頁 請下載Strong\'s希伯來文和希臘文字典 - 需要下載包含Strong\'s原文編號的聖經,並於搜尋下載相應的索引 請下載 Robinson\'s 詞形分析碼的字典 移至下載 diff --git a/app/src/main/res/values-zh/strings.xml b/app/src/main/res/values-zh/strings.xml index abbb8d3d1f..30f36e3806 100644 --- a/app/src/main/res/values-zh/strings.xml +++ b/app/src/main/res/values-zh/strings.xml @@ -2,7 +2,7 @@ 研經工具 研經工具 (And Bible) - 研經工具 - 由And Bible開源計劃開發 + AndBible: 研經工具 And Bible 開源計劃 %s 版本 請插入SD Card及重新開始程式 @@ -207,7 +207,6 @@ 下一頁 請下載Strong\'s希伯來文和希臘文字典 - 需要下載包含Strong\'s原文編號的聖經,並於搜尋下載相應的索引 請下載 Robinson\'s 詞形分析碼的字典 移至下載 diff --git a/fastlane/metadata/android/af/full_description.txt b/fastlane/metadata/android/af/full_description.txt index 85bfb75ee3..02763a46c2 100644 --- a/fastlane/metadata/android/af/full_description.txt +++ b/fastlane/metadata/android/af/full_description.txt @@ -1,6 +1,6 @@ Kragtige Bybelstudie instrument -Bybelstudie-toep deur And Biblel Oop Bron projekt is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. +"AndBible: Bybel Studie" is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. Hierdie toepassing word ontwikkel deur Bybellesers, vir Bybellesers. Dit is daarop gemik om jou te help om jou Bybelstudie gerieflik, diep en pret te maak. Die beste deel van hierdie nie-winsgewende gemeenskapsprojek is dat dit oop bron, heeltemal gratis is en geen advertensies bevat nie. Nadat dit van die grond af gebou is vir Android, is dit 'n klein aflaai, en dus baie doeltreffend en merkwaardig vinnig diff --git a/fastlane/metadata/android/af/title.txt b/fastlane/metadata/android/af/title.txt index 7f235495a4..03a557c660 100644 --- a/fastlane/metadata/android/af/title.txt +++ b/fastlane/metadata/android/af/title.txt @@ -1 +1 @@ -Bybelstudie-toep, deur And Bible Oop Bron projek \ No newline at end of file +AndBible: Bybel Studie \ No newline at end of file diff --git a/fastlane/metadata/android/cs-CZ/full_description.txt b/fastlane/metadata/android/cs-CZ/full_description.txt index 474e578c4c..c391e07c53 100644 --- a/fastlane/metadata/android/cs-CZ/full_description.txt +++ b/fastlane/metadata/android/cs-CZ/full_description.txt @@ -1,6 +1,6 @@ Rozsáhlý nástroj pro studium Bible -Aplikace Bible Study projektu otevřeného softwaru And Bible je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. +"AndBible: Studium Bible" je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. Tuto aplikaci vyvíjí čtenáři Bible pro čtenáře Bible. Má za cíl vám studium Bible zjednodušit, prohloubit a zpříjemnit. Nejlepší na tomto neziskovém komunitním projektu je to, že jde o otevřený software zcela zdarma a neobsahuje žádné reklamy. Aplikace je postavena od základů pro Android, proto je malá, a tedy výkonná a překvapivě rychlá. diff --git a/fastlane/metadata/android/cs-CZ/title.txt b/fastlane/metadata/android/cs-CZ/title.txt index d80c2dcbf2..6dfdb5a4ec 100644 --- a/fastlane/metadata/android/cs-CZ/title.txt +++ b/fastlane/metadata/android/cs-CZ/title.txt @@ -1 +1 @@ -Studium Bible od open-source projektu And Bible \ No newline at end of file +AndBible: Studium Bible \ No newline at end of file diff --git a/fastlane/metadata/android/de-DE/full_description.txt b/fastlane/metadata/android/de-DE/full_description.txt index 49ac3aed2a..029af75e17 100644 --- a/fastlane/metadata/android/de-DE/full_description.txt +++ b/fastlane/metadata/android/de-DE/full_description.txt @@ -1,6 +1,6 @@ Ein mächtiges Werkzeug für das Bibelstudium -Bibel+ von der And Bible Open Source Community ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. +"AndBible: Bibel+" ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. Dieses Programm wird von Bibellesern für Bibelleser entwickelt. Es zielt darauf ab, dein Bibelstudium einfach, bedeutsam und unterhaltsam zu machen. Das Beste an diesem Non-Profit Projekt ist, dass es Open Source ist - völlig kostenlos und ohne Werbung. Dadurch, dass es von Anfang an für Android entwickelt wurde, ist es platzsparend, effizient und schnell. diff --git a/fastlane/metadata/android/de-DE/title.txt b/fastlane/metadata/android/de-DE/title.txt index c5a6983d40..22bb29466f 100644 --- a/fastlane/metadata/android/de-DE/title.txt +++ b/fastlane/metadata/android/de-DE/title.txt @@ -1 +1 @@ -Bibel+ (And Bible Open Source) \ No newline at end of file +AndBible: Bibel+ \ No newline at end of file diff --git a/fastlane/metadata/android/eo/full_description.txt b/fastlane/metadata/android/eo/full_description.txt index 6e8216d651..8476dddb9a 100644 --- a/fastlane/metadata/android/eo/full_description.txt +++ b/fastlane/metadata/android/eo/full_description.txt @@ -1,6 +1,6 @@ Ampleksa aplikaĵo por studi Biblion -Studi Biblion «Bible Study» de la malfermkoda projekto And Biblio estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. +"AndBible: Studi Biblion" estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. Tiu ĉi aplikaĵo estas evoluigata de legantoj de Biblio kaj por legantoj de Biblio. Ĝia celo estas igi studadon de Biblio oportuna, profunda kaj amuza. La plej grava fakto de tiu ĉi neprofitcela komunuma projekto estas, ke ĝi estas malfermkoda, tute senpaga kaj enhavas neniun reklamon. Programita cele por Android, la aplikaĵo estas malgranda, do tre efika kaj rapida. diff --git a/fastlane/metadata/android/eo/title.txt b/fastlane/metadata/android/eo/title.txt index e28a4ac766..97789d7ed6 100644 --- a/fastlane/metadata/android/eo/title.txt +++ b/fastlane/metadata/android/eo/title.txt @@ -1 +1 @@ -Studi Biblion (And Biblio) \ No newline at end of file +AndBible: Studi Biblion \ No newline at end of file diff --git a/fastlane/metadata/android/es-ES/full_description.txt b/fastlane/metadata/android/es-ES/full_description.txt index c1fe612523..6de034971f 100644 --- a/fastlane/metadata/android/es-ES/full_description.txt +++ b/fastlane/metadata/android/es-ES/full_description.txt @@ -1,6 +1,6 @@ Poderoso Instrumento para Estudiar la Biblia -La aplicación Estudio de Biblia de Proyecto Código Abierto And Bible es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. +AndBible: Biblia Estudio es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. Esta aplicación está desarrollada por lectores de la Biblia, para lectores de la Biblia. Su objetivo es ayudarlo a que su estudio Bíblico sea conveniente, profundo y divertido. La mejor parte de este proyecto comunitario sin fines de lucro es que es de código abierto, completamente gratuito y no contiene anuncios. Habiendo sido construido desde cero para Android, es una descarga pequeña y, por lo tanto, muy eficiente y notablemente rápida. diff --git a/fastlane/metadata/android/es-ES/title.txt b/fastlane/metadata/android/es-ES/title.txt index 3a35428084..fdb908595a 100644 --- a/fastlane/metadata/android/es-ES/title.txt +++ b/fastlane/metadata/android/es-ES/title.txt @@ -1 +1 @@ -Biblia Estudio, Proyecto Código Abierto And Bible \ No newline at end of file +AndBible: Biblia Estudio \ No newline at end of file diff --git a/fastlane/metadata/android/fi-FI/full_description.txt b/fastlane/metadata/android/fi-FI/full_description.txt index 8483c9a46d..577e9442fc 100644 --- a/fastlane/metadata/android/fi-FI/full_description.txt +++ b/fastlane/metadata/android/fi-FI/full_description.txt @@ -1,6 +1,6 @@ Tehokas työkalu Raamatun tutkimiseen -Raamattu, And Bible Open Source Projektilta, on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. +"AndBible: Raamattu", on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. Sovelluksen kehittäjät ovat itse sovelluksen aktiivisia käyttäjiä, ts. innokkaita Raamatun lukijoita, ja sovellus pyrkii vastaamaan Raamatun lukemisen ja tutkimisen tarpeisiin. Se pyrkii auttamaan tekemään Raamatun tutkiskelustasi käytännöllistä, syvällistä ja hauskaa. Parasta tässä voittoa tavoittelemattomassa, yhteisöllisessä projektissa on se, että se on avointa lähdekoodia, ja siten täysin ilmainen, eikä sisällä mainoksia. Koska sovellus on tehty alusta alkaen Android-alustalle, se on erityisen kevyt ja huomattavan nopeakäyttöinen. diff --git a/fastlane/metadata/android/fi-FI/title.txt b/fastlane/metadata/android/fi-FI/title.txt index 755345d83f..98adb8c0f1 100644 --- a/fastlane/metadata/android/fi-FI/title.txt +++ b/fastlane/metadata/android/fi-FI/title.txt @@ -1 +1 @@ -Raamattu, And Bible Open Source Projektilta \ No newline at end of file +AndBible: Raamattu \ No newline at end of file diff --git a/fastlane/metadata/android/fr-FR/full_description.txt b/fastlane/metadata/android/fr-FR/full_description.txt index ef62eaa26e..1da422dd12 100644 --- a/fastlane/metadata/android/fr-FR/full_description.txt +++ b/fastlane/metadata/android/fr-FR/full_description.txt @@ -1,6 +1,6 @@ Puissant outil d'étude biblique -L'application Bible Study du p roject Open Source AndBible est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. +"AndBible: La Bible" est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. Cette application a été développée par des lecteurs de la Bible, pour des lecteurs de la Bible. Elle a pour but de vous aider à rendre votre étude de la Bible pratique, approfondie et amusante. La meilleure partie de ce projet communautaire à but non lucratif est qu'il est à code source ouvert, entièrement gratuit et ne contient aucune publicité. Construite de A à Z pour Android, sa taille de téléchargement est faible et est donc très efficace et remarquablement rapide. diff --git a/fastlane/metadata/android/fr-FR/title.txt b/fastlane/metadata/android/fr-FR/title.txt index c5130a8a8a..14d1e71f7f 100644 --- a/fastlane/metadata/android/fr-FR/title.txt +++ b/fastlane/metadata/android/fr-FR/title.txt @@ -1 +1 @@ -Bible Study app, du projet opensource And Bible \ No newline at end of file +AndBible: La Bible \ No newline at end of file diff --git a/fastlane/metadata/android/hi-IN/full_description.txt b/fastlane/metadata/android/hi-IN/full_description.txt index 475a594a6a..257ed02c52 100644 --- a/fastlane/metadata/android/hi-IN/full_description.txt +++ b/fastlane/metadata/android/hi-IN/full_description.txt @@ -1,6 +1,6 @@ बाइबिल पढ़ने की शक्तिशाली उपकरण -ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट द्वारा बाइबिल अध्ययन ऐप एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। +"AndBible: बाइबिल" एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। यह एप्लिकेशन बाइबिल पाठकों द्वारा बाइबिल पाठकों के लिए बनाया गया है। इसका उद्देश्य आपके बाइबल अध्ययन को सुविधाजनक, गहन और मनोरंजक बनाने में आपकी मदद करना है। इस गैर-लाभकारी सामुदायिक परियोजना के बारे में सबसे अच्छी बात यह है कि यह खुला स्रोत है, पूरी तरह से मुफ़्त है, और इसमें कोई विज्ञापन नहीं है। एंड्रॉइड के लिए बनाया गया , यह एक छोटा डाउनलोड है, और इसलिए बहुत ही कुशल और उल्लेखनीय रूप से तेज़ है । diff --git a/fastlane/metadata/android/hi-IN/title.txt b/fastlane/metadata/android/hi-IN/title.txt index af61ca11e8..c516a3e0f9 100644 --- a/fastlane/metadata/android/hi-IN/title.txt +++ b/fastlane/metadata/android/hi-IN/title.txt @@ -1 +1 @@ -बाइबिल अध्ययन ऐप, ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट \ No newline at end of file +AndBible: बाइबिल \ No newline at end of file diff --git a/fastlane/metadata/android/hu-HU/full_description.txt b/fastlane/metadata/android/hu-HU/full_description.txt index 390f881d68..c18cdb815a 100644 --- a/fastlane/metadata/android/hu-HU/full_description.txt +++ b/fastlane/metadata/android/hu-HU/full_description.txt @@ -1,6 +1,6 @@ Bibliatanulmányozó alkalmazás -Az 'And Bible' nyílt forráskódú projekt által fejlesztett 'Bible Study' app funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. +" AndBible: Biblia" funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. Az alkalmazást bibliaolvasó emberek fejlesztik bibliaolvasó embereknek. A cél az, hogy a Biblia tanulmányozása egyszerű, szórakoztató, de alapos is legyen. A non-profit közösségi modell előnye, hogy az alkalmazás nyílt forráskódú, teljesen ingyenes és nem tartalmaz hirdetéseket. Az alkalmazást teljesen az alapoktól készítettük Androidra, így kifejezetten kicsi a mérete, erőforrásbarát és meglepően gyors. diff --git a/fastlane/metadata/android/hu-HU/title.txt b/fastlane/metadata/android/hu-HU/title.txt index 748aa1571e..b26426e616 100644 --- a/fastlane/metadata/android/hu-HU/title.txt +++ b/fastlane/metadata/android/hu-HU/title.txt @@ -1 +1 @@ -Bible Study app az And Bible projekttől \ No newline at end of file +AndBible: Biblia \ No newline at end of file diff --git a/fastlane/metadata/android/it-IT/full_description.txt b/fastlane/metadata/android/it-IT/full_description.txt index 229932e929..de803e46f5 100644 --- a/fastlane/metadata/android/it-IT/full_description.txt +++ b/fastlane/metadata/android/it-IT/full_description.txt @@ -1,6 +1,6 @@ Un potente strumento di studio della Bibbia -L'app Studi Biblici del progetto open source And Bible è un'applicazione per lo studio della Bibbia per Android potente, ma facile da usare. L'app non è limitata alla sola lettura del testo biblico, ma offre strumenti avanzati per lo studio personale della Bibbia. +"AndBible: Studi Biblici" è un'applicazione potente, ma facile da usare, per lo studio offline della Bibbia su Android. L'app non si limita alle funzionalità di lettura, ma è progettata per essere uno strumento avanzato per lo studio approfondito personale della Bibbia. Questa applicazione è sviluppata da lettori della Bibbia, per i lettori della Bibbia. Vuole essere d'aiuto per facilitarti lo studio e l'approfondimento della Bibbia. La parte migliore di questo progetto non-profit è che è open source, completamente gratuito, e non contiene pubblicità. Interamente progettato per Android, è un programma piccolo da scaricare, e quindi molto efficiente e veloce. diff --git a/fastlane/metadata/android/it-IT/title.txt b/fastlane/metadata/android/it-IT/title.txt index ed62b57690..a9cc15343f 100644 --- a/fastlane/metadata/android/it-IT/title.txt +++ b/fastlane/metadata/android/it-IT/title.txt @@ -1 +1 @@ -Studi Biblici, app open source di And Bible \ No newline at end of file +AndBible: Studi Biblici \ No newline at end of file diff --git a/fastlane/metadata/android/kk/full_description.txt b/fastlane/metadata/android/kk/full_description.txt index 18d8b068cb..f4dcfe2d91 100644 --- a/fastlane/metadata/android/kk/full_description.txt +++ b/fastlane/metadata/android/kk/full_description.txt @@ -1,6 +1,6 @@ Киелі кітапты зерттеудің Мықты құралы -And Bible Open Source Project by Bible Study қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. +"AndBible: Киелі Кітап+" қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. Бұл қосымша Киелі кітапты оқитындардан, Киелі кітапты оқитындарға арналған. Бұл сізге Киелі кітапты зерттеуді ыңғайлы, терең және қызықты етуге көмектесуге бағытталған. Бұл коммерциялық емес қоғамдастық жобаның бір жақсы жағы - бұл ашық кодты, мүлдем ақысыз және жарнамасыз. Android үшін толығымен жаңадан жасалған, жүктеу үшін өте аз, сондықтан өте тиімді және жылдам болады. diff --git a/fastlane/metadata/android/kk/title.txt b/fastlane/metadata/android/kk/title.txt index e1d24cd66a..311b68a6f8 100644 --- a/fastlane/metadata/android/kk/title.txt +++ b/fastlane/metadata/android/kk/title.txt @@ -1 +1 @@ -Bible Study қолданб., And Bible Open Source Proj. \ No newline at end of file +AndBible: Киелі Кітап+ \ No newline at end of file diff --git a/fastlane/metadata/android/ko-KR/full_description.txt b/fastlane/metadata/android/ko-KR/full_description.txt index bac93c9294..bde20ae22f 100644 --- a/fastlane/metadata/android/ko-KR/full_description.txt +++ b/fastlane/metadata/android/ko-KR/full_description.txt @@ -1,6 +1,6 @@ 강력한 성경 공부 도구 -And Bible 오픈소스 프로젝트의 성경 공부 앱은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. +"AndBible: 성경 공부" 은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. 이 앱은 성경을 읽는 사람들이 성경을 읽는 사람들을 위해 만들었습니다. 이 앱은 당신의 성경 공부를 편리하고 깊고 재미있게 만드는 것을 목표로 합니다. 비영리 커뮤니티 프로젝트에서 가장 좋은 점은 오픈 소스이고, 완전히 무료이며 광고가 없다는 점입니다. 완전히 안드로이드를 위해서만 만들어졌기 때문에 앱 크기가 작고, 따라서 매우 효율적이며 빠릅니다. diff --git a/fastlane/metadata/android/ko-KR/title.txt b/fastlane/metadata/android/ko-KR/title.txt index 7352dd56b1..779d668f1d 100644 --- a/fastlane/metadata/android/ko-KR/title.txt +++ b/fastlane/metadata/android/ko-KR/title.txt @@ -1 +1 @@ -성경 공부 앱, by And Bible 오픈소스 프로젝트 \ No newline at end of file +AndBible: 성경 공부 \ No newline at end of file diff --git a/fastlane/metadata/android/lt/full_description.txt b/fastlane/metadata/android/lt/full_description.txt index 79255b1152..5ff1dadcf5 100644 --- a/fastlane/metadata/android/lt/full_description.txt +++ b/fastlane/metadata/android/lt/full_description.txt @@ -1,6 +1,6 @@ Galingas Biblijos studijavimo įrankis -Biblijos Studijų programėlė, sukurta And Bible atvirojo kodo projekto - tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. +"AndBible: Biblija" tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. Šią programėlę Biblijos skaitytojams sukūrė Biblijos skaitytojai. Jos tikslas - padėti jums patogiai, išsamiai ir linksmai nagrinėti Bibliją. Geriausia, kas yra šiame nekomerciniame bendruomenės projekte yra tai, jog jis yra atvirojo kodo, visiškai nemokamas ir be jokių reklamų. Kadangi ši programėlė nuo pat pradžių buvo kuriama „Android“ sistemai, ji yra mažo dydžio ir todėl, labai efektyvi bei išskirtinai greita. diff --git a/fastlane/metadata/android/lt/title.txt b/fastlane/metadata/android/lt/title.txt index d2c31c0113..a956b9c8e9 100644 --- a/fastlane/metadata/android/lt/title.txt +++ b/fastlane/metadata/android/lt/title.txt @@ -1 +1 @@ -Biblijos studijų programėlė, sukurta And Bible OSP \ No newline at end of file +AndBible: Biblija \ No newline at end of file diff --git a/fastlane/metadata/android/my-MM/full_description.txt b/fastlane/metadata/android/my-MM/full_description.txt index c6f6c7290d..2935420df0 100644 --- a/fastlane/metadata/android/my-MM/full_description.txt +++ b/fastlane/metadata/android/my-MM/full_description.txt @@ -1,6 +1,6 @@ စွမ်းအားမြင့် ကျမ်းစာလေ့လာရေး ကိရိယာ -And Bible အခမဲ့အရင်းအမြစ်လုပ်ငန်းမှ ပြုလုပ်သည့် ကျမ်းစာလေ့လာရေးအက်ပ်သည် အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ +"AndBible: သမ္မာကျမ်းစာ" အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရူသူများမှ ကျမ်းစာဖတ်ရူသူများအတွက် ရည်ရွယ်ထုတ်လုပ် ထားခြင်းဖြစ်သည်။ ကျမ်းစာကို သက်တောင့် သက်သာ၊ လေးလေးနက်နက်နှင့် ပျော်ရွှင်စွာ ပြုလုပ်နိုင်စေရန် ရည်ရွယ်ပါသည်။ ဤအခမဲ့ လူထုအကျိုးပြုလုပ်ငန်း၏ အကောင်းဆုံးအချက်မှာ ပွင့်လင်းသောရင်းမြစ်၊ လုံး၀အခမဲ့နှင့် ကြော်ငြာများ မပါဝင်ခြင်းပင် ဖြစ်သည်။ Android စနစ်တွင် အောက်ခြေမှစ တည်ဆောက်ထားခြင်းဖြစ်ပြီး ဒေါင်းလုပ်ရပေါ့ပါးပါသည်။ ထို့ကြောင့် အလွန်ထိရောက်ပြီး အံ့သြဖွယ်ရာ မြန်ဆန်ပါသည်။ diff --git a/fastlane/metadata/android/my-MM/title.txt b/fastlane/metadata/android/my-MM/title.txt index f2c0a9d97b..24827bf665 100644 --- a/fastlane/metadata/android/my-MM/title.txt +++ b/fastlane/metadata/android/my-MM/title.txt @@ -1 +1 @@ -And Bible \ No newline at end of file +AndBible: သမ္မာကျမ်းစာ \ No newline at end of file diff --git a/fastlane/metadata/android/no-NO/full_description.txt b/fastlane/metadata/android/no-NO/full_description.txt index 158e1fe6f5..9c6392cf8d 100644 --- a/fastlane/metadata/android/no-NO/full_description.txt +++ b/fastlane/metadata/android/no-NO/full_description.txt @@ -1,6 +1,6 @@ Kraftig bibelstudie-verktøy -Bibelstudie-applikasjonen fra And Bible Open Source Project er kraftig, samtidig som den er enkel å bruke, også når du ikke har internettilkobling. Applikasjonens mål er ikke bare å være for bibellesing, men også å være et avansert verktøy for dype bibelstudier. +"AndBible: Bibelstudie" er en kraftig og lettbrukelig applikasjon for bibelstudier for Android. Applikasjonen er ikke bygget bare for å lese bibelen, men fokuserer på å være et avansert verktøy for dype personlige bibelstudier. Applikasjonen er utviklet av bibellesere, for bibellesere. Den fokuserer på å gjøre bibelstudier både lettvint, dyp og trivelig. Det beste med dette ikke-kommersielle dugnadsprosjektet er at kildekoden er åpen, fullstendig gratis og inneholder ingen reklame. Den har blitt bygget fullstendig fra grunnen av for Android, og er derfor liten å laste ned og dermed svært effektiv og rask å bruke. @@ -16,10 +16,10 @@ Applikasjonen har mange innsiktsfulle og originale finesser som gjør komplekse * Lenkede kryssreferanser, fotnoter og dokumenter; hopp til kryssreferanser og fotnoter ved å klikke på en lenke; gjør dybdestudier av Skiftene ved å benytte hyperlenkede kommentarer (Gill, Matthew Henry osv.), kryssreferansesamlinger (Treasure of Scripture Knowledge, TSKe) og andre ressurser. * Avansert tekst-til-tale med bokmerke-tale åpner for en strømlinjet bibellytte-opplevelse * Fleksibel søking - * Bokmerker med valgfrie farger på bokmerkegrupper - * + * Avansert bokmerking og fokusmuligheter med personlige studienotater + * Studiebrett for å skrive notater og bibelreferanser samtidig som man lytter til undervisning. * Bibelleseplaner: sett mål for bibellesingen - * Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over 1500 moduler på over 700 språk, fritt distribuert fra Crosswire og andre SWORD pakkebrønner (repositories). + * Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over 1500 moduler på over 700 språk, fritt distribuert av Crosswire og andre SWORD pakkebrønner (repositories). * Frakoblet modus: du trenger bare være påkoblet internett når du skal laste ned moduler. La oss bygge den beste Bibel-applikasjonen sammen! @@ -29,7 +29,7 @@ And Bibel er et åpen kildekode-prosjekt. I praksis betyr dette at hvem som hels * utvikle nye funksjoner, * teste nye funksjoner som ikke er utgitt enda, * holde oversettelse av brukergrensesnittet oppdatert, og - * hjelpe til med å utvide biblioteket over moduler. + * hjelpe til med å utvide modulbiblioteket ved å skaffe tillatelser fra rettighetshavere, eller ved å konvertere dokumenter til SWORD-format. Dersom du er en profesjonell programvareutvikler eller programvaretester, vennligst vurder å bidra i prosjektet. For mer informasjon om hvordan du kan bidra, vennligst besøk https://git.io/JUnaj. diff --git a/fastlane/metadata/android/no-NO/short_description.txt b/fastlane/metadata/android/no-NO/short_description.txt index b11a91c0d8..fa470e168e 100644 --- a/fastlane/metadata/android/no-NO/short_description.txt +++ b/fastlane/metadata/android/no-NO/short_description.txt @@ -1 +1 @@ -Les Bibelen, studer bibelkommentarer og -ordbøker i frakoblet modus. \ No newline at end of file +Les Bibelen, studer bibelkommentarer og ordbøker i frakoblet modus. \ No newline at end of file diff --git a/fastlane/metadata/android/no-NO/title.txt b/fastlane/metadata/android/no-NO/title.txt index 7abe862b0f..31bb2788b9 100644 --- a/fastlane/metadata/android/no-NO/title.txt +++ b/fastlane/metadata/android/no-NO/title.txt @@ -1 +1 @@ -App for Bibelstudium av And Bible-prosjektet \ No newline at end of file +AndBible: Bibelstudie \ No newline at end of file diff --git a/fastlane/metadata/android/pl-PL/full_description.txt b/fastlane/metadata/android/pl-PL/full_description.txt index 8085dd2279..87e3a13f68 100644 --- a/fastlane/metadata/android/pl-PL/full_description.txt +++ b/fastlane/metadata/android/pl-PL/full_description.txt @@ -1,6 +1,6 @@ Zaawansowane narzędzie do studiowania Pisma Świętego -Aplikacja Studium Biblii «Bible Study» otwartoźródłowego projektu And Bible jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. +"AndBible: Studium Biblii" jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. Ta aplikacja jest rozwijana przez i dla czytaczy Pisma Świętego. Jej celem jest sprawienie, aby czytanie Biblii było wygodne, głębokie i radosne. Najważniejsze w naszym projekcie jest to, że jest on otwartoźródłowy (open source), całkowicie darmowy i nie zawiera reklam. Stworzona od podstaw na system Android, nasza aplikacja zajmuje niewiele miejsca, jest lekka i szybka. diff --git a/fastlane/metadata/android/pl-PL/title.txt b/fastlane/metadata/android/pl-PL/title.txt index d45102403d..05411e0947 100644 --- a/fastlane/metadata/android/pl-PL/title.txt +++ b/fastlane/metadata/android/pl-PL/title.txt @@ -1 +1 @@ -Studium Biblii, otwartoźródłowy projekt And Bible \ No newline at end of file +AndBible: Studium Biblii \ No newline at end of file diff --git a/fastlane/metadata/android/pt-PT/full_description.txt b/fastlane/metadata/android/pt-PT/full_description.txt index 955273a474..bb36aa6043 100644 --- a/fastlane/metadata/android/pt-PT/full_description.txt +++ b/fastlane/metadata/android/pt-PT/full_description.txt @@ -1,6 +1,6 @@ Ferramenta poderosa de estudo da Bíblia -A aplicação de estudo da Bíblia por And Bible Open Source Project é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. +"AndBible: Estudo Biblico" é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. Esta aplicação é desenvolvida por leitores da Bíblia, para leitores da Bíblia. O seu objetivo é ajudá-lo a tornar o seu estudo da Bíblia conveniente, profundo e divertido. A melhor parte desse projeto comunitário sem fins lucrativos é que ele é de código aberto, totalmente gratuito e não contém anúncios. Tendo sido desenvolvido desde o início para o Android, é um download pequeno e, portanto, muito eficiente e incrivelmente rápido. diff --git a/fastlane/metadata/android/pt-PT/title.txt b/fastlane/metadata/android/pt-PT/title.txt index d9a771ed1d..0448ac22f5 100644 --- a/fastlane/metadata/android/pt-PT/title.txt +++ b/fastlane/metadata/android/pt-PT/title.txt @@ -1 +1 @@ -App Estudo Bíblico, And Bible Open Source Project \ No newline at end of file +AndBible: Estudo Biblico \ No newline at end of file diff --git a/fastlane/metadata/android/ro/full_description.txt b/fastlane/metadata/android/ro/full_description.txt index 465a2d71f5..3b2978fc7c 100644 --- a/fastlane/metadata/android/ro/full_description.txt +++ b/fastlane/metadata/android/ro/full_description.txt @@ -1,6 +1,6 @@ O unealtă pentru studiul Bibliei -Aplicația de studiu biblic de la And Bible Open Source Project este o aplicație de studiu biblic offline, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument avansat pentru a face un studiu personal aprofundat al Bibliei. +"AndBible: Biblia" este o aplicație complexă de studiu biblic, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument pentru a face un studiu aprofundat al Bibliei. Această aplicație este realizată de cititori ai Bibliei, pentru cititorii Bibliei. Scopul ei este de a vă ajuta să vă faceți studiul biblic convenabil, profund și distractiv. Cea mai bună parte a acestui proiect comunitar non-profit este că are sursă publică, este complet gratuit și nu conține reclame. Fiind construită de la zero pentru Android, este mică și, prin urmare, foarte eficientă și remarcabil de rapidă. diff --git a/fastlane/metadata/android/ro/title.txt b/fastlane/metadata/android/ro/title.txt index fb506326f9..b26426e616 100644 --- a/fastlane/metadata/android/ro/title.txt +++ b/fastlane/metadata/android/ro/title.txt @@ -1 +1 @@ -Biblia, de la And Bible Open Source Project \ No newline at end of file +AndBible: Biblia \ No newline at end of file diff --git a/fastlane/metadata/android/ru-RU/full_description.txt b/fastlane/metadata/android/ru-RU/full_description.txt index 358127de6d..79335c4935 100644 --- a/fastlane/metadata/android/ru-RU/full_description.txt +++ b/fastlane/metadata/android/ru-RU/full_description.txt @@ -1,6 +1,6 @@ Мощный инструмент для изучения Библии -Приложение «Изучение Библии», автор проекта «And Bible с открытым исходным кодом» - это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. +"AndBible: Изучение Библии" это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. Это приложение разработано читателями Библии для читателей Библии. Его цель - помочь вам сделать изучение Библии удобным, глубоким и увлекательным. Лучшее в этом некоммерческом проекте сообщества то, что он имеет открытый исходный код, полностью бесплатен и не содержит рекламы. Созданный с нуля для Android, это небольшая загрузка, поэтому она очень эффективна и замечательно быстра. diff --git a/fastlane/metadata/android/ru-RU/title.txt b/fastlane/metadata/android/ru-RU/title.txt index abe5e0ca3c..240bec94c1 100644 --- a/fastlane/metadata/android/ru-RU/title.txt +++ b/fastlane/metadata/android/ru-RU/title.txt @@ -1 +1 @@ -Изучение Библии, проект And Bible Open Source \ No newline at end of file +AndBible: Изучение Библии \ No newline at end of file diff --git a/fastlane/metadata/android/sk/full_description.txt b/fastlane/metadata/android/sk/full_description.txt index e5a8ee848e..29bec26ba4 100644 --- a/fastlane/metadata/android/sk/full_description.txt +++ b/fastlane/metadata/android/sk/full_description.txt @@ -1,6 +1,6 @@ Účinný nástroj na štúdium Biblie -Aplikácia Bible Study od And Bible Open Source Project je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácie nemá za cieľ len sprostredkovať čítanie Biblie, ale je pokročilým nástrojom na hlboké osobné štúdium Biblie. +"AndBible: Bible Study" je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácia si nekladie za cieľ byť len čítačkou Biblie, ale zameriava sa na to, aby bola pokročilým nástrojom na hĺbkové osobné štúdium Biblie. Táto aplikácia je vyvinutá čitateľmi Biblie pre čitateľov Biblie. Cieľom je pomôcť vám urobiť štúdium Biblie pohodlným, hlbokým a zábavným. Najlepšie na tomto neziskovom komunitnom projekte je, že je s otvoreným kódom, úplne zadarmo a neobsahuje žiadne reklamy. Keďže bol vyvinutý od základu pre Android, je malá na sťahnutie, a preto aj veľmi efektívna a pozoruhodne rýchla. diff --git a/fastlane/metadata/android/sk/title.txt b/fastlane/metadata/android/sk/title.txt index 0a655035c6..4fa044ea49 100644 --- a/fastlane/metadata/android/sk/title.txt +++ b/fastlane/metadata/android/sk/title.txt @@ -1 +1 @@ -Štúdium Biblie od And Bible Open Source Project \ No newline at end of file +AndBible: Bible Study \ No newline at end of file diff --git a/fastlane/metadata/android/sl/full_description.txt b/fastlane/metadata/android/sl/full_description.txt index 42074f9fab..67fb6f5f97 100644 --- a/fastlane/metadata/android/sl/full_description.txt +++ b/fastlane/metadata/android/sl/full_description.txt @@ -1,6 +1,6 @@ Močno orodje za proučevanje Biblije -Aplikacija za proučevanje Biblije je zmogljiva, vendar enostavna aplikacija za proučevanje Biblije brez internetne povezave za naprave z operacijskim sistemom Android. Aplikacija ni namenjena zgolj branju Biblije, temveč se kot napredno orodje osredotoča na poglobljeno osebno proučevanje Biblije. +"AndBible: Proučevanje Biblije" je zmogljiva, a enostavna aplikacija za Android namenjena preučevanju Svetega pisma, ki za delovanje ne potrebuje povezave z internetom. Aplikacija ni namenjena zgolj branju Svetega pisma, ampak se osredotoča na napredno orodje za poglobljeno osebno preučevanje Svetega pisma. To aplikacijo so razvili bralci Biblije za bralce Biblije. Namen aplikacije je, da vam pomaga, da bo vaše biblijsko proučevanje priročno, poglobljeno in zabavno. Najboljše pri tem neprofitnem projektu skupnosti je, da je odprtokoden, popolnoma brezplačen in ne vsebuje oglasov. Ker je aplikacija od vsega začetka zasnovana za Android, je majhna za prenos in zato zelo učinkovita in izjemno hitra. diff --git a/fastlane/metadata/android/sl/title.txt b/fastlane/metadata/android/sl/title.txt index 59b47577c7..b41212dee0 100644 --- a/fastlane/metadata/android/sl/title.txt +++ b/fastlane/metadata/android/sl/title.txt @@ -1 +1 @@ -Proučevanje Biblije, And Bible odprtokodni projekt \ No newline at end of file +AndBible: Proučevanje Biblije \ No newline at end of file diff --git a/fastlane/metadata/android/te/full_description.txt b/fastlane/metadata/android/te/full_description.txt index f6630ea3ac..e4eff80109 100644 --- a/fastlane/metadata/android/te/full_description.txt +++ b/fastlane/metadata/android/te/full_description.txt @@ -1,6 +1,6 @@ శక్తివంతమైన బైబిల్ అధ్యయన సాధనం -అండ్ బైబిల్ ఓపెన్ సోర్స్ ప్రాజెక్ట్ వారి బైబిల్ స్టడీ యాప్, ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. +"AndBible: బైబిల్" ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. ఈ అప్లికేషన్ బైబిల్ పాఠకులచే, బైబిల్ పాఠకుల కొరకు రూపొందించబడినది. మీరు బైబిలు అధ్యయనాన్ని సౌకర్యవంతంగా, లోతుగా మరియు ఆహ్లాదంగ చేయడానికి మీకు సహాయం చేయడం దీని లక్ష్యం. ఈ లాభాపేక్షలేని కమ్యూనిటీ ప్రాజెక్ట్‌లో ఉత్తమమైన అంశం ఏమిటంటే ఇది ఓపెన్ సోర్స్, పూర్తిగా ఉచితం కాబట్టి ప్రకటనలు వుండవు. ఇది పూర్తిగా ఆండ్రాయిడ్ కోసమే నిర్మించబడినందున, ఇది ఒక చిన్నపరిమాణంలో వున్న డౌన్‌లోడ్, కాబట్టి చాలా సమర్థవంతంగా మరియు అసాధారణంమైన వేగంగా ఉంటుంది. diff --git a/fastlane/metadata/android/te/title.txt b/fastlane/metadata/android/te/title.txt index 7ea53a21dd..bec174eb51 100644 --- a/fastlane/metadata/android/te/title.txt +++ b/fastlane/metadata/android/te/title.txt @@ -1 +1 @@ -అండ్ బైబిల్ ఓపెన్ సోర్స్ వారి బైబిల్ స్టడీ యాప్ \ No newline at end of file +AndBible: బైబిల్ \ No newline at end of file diff --git a/fastlane/metadata/android/uk/full_description.txt b/fastlane/metadata/android/uk/full_description.txt index 7b0f6648ac..396e0c1112 100644 --- a/fastlane/metadata/android/uk/full_description.txt +++ b/fastlane/metadata/android/uk/full_description.txt @@ -1,6 +1,6 @@ Потужний інструмент для вивчення Біблії -Програма Bible Study (Вивчення Біблії) від And Bible Open Source Project - це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. +"AndBible: Вивчення Біблії" це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. Ця програма розроблена читачами Біблії для читачів Біблії. Вона спрямована на те, щоб допомогти вам зробити вивчення Біблії зручним, глибоким та інтересним. Найкращий аспект цього некомерційного проекту полягає в тому, що він є відкритим, повністю безкоштовним і не містить реклами. Побудоване з нуля для Android, це невелике завантаження, а отже, дуже ефективне та надзвичайно швидке. diff --git a/fastlane/metadata/android/uk/title.txt b/fastlane/metadata/android/uk/title.txt index fd53d5a15c..f1b04d6454 100644 --- a/fastlane/metadata/android/uk/title.txt +++ b/fastlane/metadata/android/uk/title.txt @@ -1 +1 @@ -Вивчення Біблії, проект And Bible Open Source Proj \ No newline at end of file +AndBible: Вивчення Біблії \ No newline at end of file diff --git a/fastlane/metadata/android/zh-CN/full_description.txt b/fastlane/metadata/android/zh-CN/full_description.txt index f68664ff7c..fe8f0451af 100644 --- a/fastlane/metadata/android/zh-CN/full_description.txt +++ b/fastlane/metadata/android/zh-CN/full_description.txt @@ -1,6 +1,6 @@ 功能强大的的研经工具 -And Bible开源计划的研经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 +"AndBible: 研经工具" 经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 此程式是由圣经读者开发,也是为圣经读者开发。目的是提供便利、有深度且有趣的查经体验。此程式是非营利、也是开源,更重要是完全没有广告滋扰。它是一个原创的Android程式,占用空间亦是细小,因此它是一个十分快速且高效能的程式。 diff --git a/fastlane/metadata/android/zh-CN/title.txt b/fastlane/metadata/android/zh-CN/title.txt index 18cd7ad835..b25b3e6dbb 100644 --- a/fastlane/metadata/android/zh-CN/title.txt +++ b/fastlane/metadata/android/zh-CN/title.txt @@ -1 +1 @@ -研经工具 - 由 And Bible 开源计划开发 \ No newline at end of file +AndBible: 研经工具 \ No newline at end of file diff --git a/fastlane/metadata/android/zh-TW/full_description.txt b/fastlane/metadata/android/zh-TW/full_description.txt index ce0740db95..b88c42bd06 100644 --- a/fastlane/metadata/android/zh-TW/full_description.txt +++ b/fastlane/metadata/android/zh-TW/full_description.txt @@ -1,6 +1,6 @@ 功能強大的的研經工具 -And Bible開源計劃的研經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 +"AndBible: 研經工具" 經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 此程式是由聖經讀者開發,也是為聖經讀者開發。目的是提供便利、有深度且有趣的查經體驗。此程式是非營利、也是開源,更重要是完全沒有廣告滋擾。它是一個原創的Android程式,佔用空間亦是細小,因此它是一個十分快速且高效能的程式。 diff --git a/fastlane/metadata/android/zh-TW/title.txt b/fastlane/metadata/android/zh-TW/title.txt index 44ee09b3fd..e6b2a058a8 100644 --- a/fastlane/metadata/android/zh-TW/title.txt +++ b/fastlane/metadata/android/zh-TW/title.txt @@ -1 +1 @@ -研經工具 - 由 And Bible 開源計劃開發 \ No newline at end of file +AndBible: 研經工具 \ No newline at end of file diff --git a/play/description-translations/af.yml b/play/description-translations/af.yml index d020caa7cc..b10bf592e2 100644 --- a/play/description-translations/af.yml +++ b/play/description-translations/af.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Bybelstudie-toep, deur And Bible Oop Bron projek" +title: "AndBible: Bybel Studie" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Lees die Bybel, bestudeer kommentare of woordeboeke, of lees boeke vanlyn af." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Kragtige Bybelstudie instrument +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Bybelstudie-toep deur And Biblel Oop Bron projekt is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. + "{{ title }}" is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. paragraph_1_2: > Hierdie toepassing word ontwikkel deur Bybellesers, vir Bybellesers. Dit is daarop gemik om jou te help om jou Bybelstudie gerieflik, diep en pret te maak. Die beste deel van hierdie nie-winsgewende gemeenskapsprojek is dat dit oop bron, heeltemal gratis is en geen advertensies bevat nie. Nadat dit van die grond af gebou is vir Android, is dit 'n klein aflaai, en dus baie doeltreffend en merkwaardig vinnig # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Verdeel teksaansigte wat vergelykende vertalings en konsultasiekommentare moontlik maak feature_02: Werkruimtes laat verskeie Bybelstudie-opstellings toe met hul eie instellings feature_03: Stong's integrasie laat Griekse en Hebreeuse woord analise toe -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Gekoppelde kruisverwysings, voetnote en dokumente; spring na kruisverwysings en voetnote deur eenvoudig 'n skakel te tik; voer diepgaande studie van die Skrif uit deur hiperskakelkommentare ({{commentary_examples}}), kruisverwysingsversamelings ({{cross_reference_examples}}) en ander hulpbronne te gebruik. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/cs-CZ.yml b/play/description-translations/cs-CZ.yml index 6f92fbf3e1..310d6c3820 100644 --- a/play/description-translations/cs-CZ.yml +++ b/play/description-translations/cs-CZ.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: Studium Bible od open-source projektu And Bible +title: "AndBible: Studium Bible" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Čtěte Bibli, studujte komentáře či slovníky nebo čtěte knihy offline." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Rozsáhlý nástroj pro studium Bible +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Aplikace Bible Study projektu otevřeného softwaru And Bible je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. + "{{ title }}" je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. paragraph_1_2: > Tuto aplikaci vyvíjí čtenáři Bible pro čtenáře Bible. Má za cíl vám studium Bible zjednodušit, prohloubit a zpříjemnit. Nejlepší na tomto neziskovém komunitním projektu je to, že jde o otevřený software zcela zdarma a neobsahuje žádné reklamy. Aplikace je postavena od základů pro Android, proto je malá, a tedy výkonná a překvapivě rychlá. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Oddělené zobrazení textu umožňující porovnávat překlady a nahlížet do komentářů feature_02: "Pracovní plochy, ve kterých si můžete vytvořit vlastní sady nastavení" feature_03: Integrace Strongových čísel umožňuje rozbor řeckých a hebrejských slov -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Propojené odkazy, poznámky a dokumenty: přejděte na odkazy a poznámky pod čarou pouhým poklepáním; pracujte s Písmem do hloubky pomocí odkazovaných komentářů ({{commentary_examples}}), sbírek křížových odkazů ({{cross_reference_examples}}) a dalších zdrojů. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/de-DE.yml b/play/description-translations/de-DE.yml index 591be895a2..8d92017b16 100644 --- a/play/description-translations/de-DE.yml +++ b/play/description-translations/de-DE.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: Bibel+ (And Bible Open Source) +title: "AndBible: Bibel+" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Bibeln, Kommentare, Wörterbücher und Bücher, auch ohne Internet." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Ein mächtiges Werkzeug für das Bibelstudium +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Bibel+ von der And Bible Open Source Community ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. + "{{ title }}" ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. paragraph_1_2: > Dieses Programm wird von Bibellesern für Bibelleser entwickelt. Es zielt darauf ab, dein Bibelstudium einfach, bedeutsam und unterhaltsam zu machen. Das Beste an diesem Non-Profit Projekt ist, dass es Open Source ist - völlig kostenlos und ohne Werbung. Dadurch, dass es von Anfang an für Android entwickelt wurde, ist es platzsparend, effizient und schnell. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Geteilte Textansicht zum Vergleichen von Übersetzungen und Anzeigen von Kommentaren feature_02: Arbeitsbereiche erlauben mehrere Konfigurationen für Bibelstudien mit jeweils eigenen Einstellungen feature_03: Die Integration der Strong-Codes erlaubt das Nachschlagen und Analysieren von griechischen und hebräischen Vokabeln -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Verknüpfte Querverweise, Fußnoten und andere Dokumente; einfach antipppen um dahin zu springen; tiefergehende Studien ausführen durch den Gebrauch verknüpfter Kommentare ({{commentary_examples}}), Sammlungen von Querverweisen ({{cross_reference_examples}}) und anderer Resourcen. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/eo.yml b/play/description-translations/eo.yml index 7f3df78560..de0b53c6e4 100644 --- a/play/description-translations/eo.yml +++ b/play/description-translations/eo.yml @@ -1,11 +1,13 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: Studi Biblion (And Biblio) +title: "AndBible: Studi Biblion" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Studi Biblion, legi komentojn kaj vortarojn; malkonekte." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Ampleksa aplikaĵo por studi Biblion -paragraph_1_1: > - Studi Biblion «Bible Study» de la malfermkoda projekto And Biblio estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. +# Please add variables marked with curly braces also in your translation untranslated, in correct places! +paragraph_1_1: >+ + "{{ title }}" estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. + paragraph_1_2: > Tiu ĉi aplikaĵo estas evoluigata de legantoj de Biblio kaj por legantoj de Biblio. Ĝia celo estas igi studadon de Biblio oportuna, profunda kaj amuza. La plej grava fakto de tiu ĉi neprofitcela komunuma projekto estas, ke ĝi estas malfermkoda, tute senpaga kaj enhavas neniun reklamon. Programita cele por Android, la aplikaĵo estas malgranda, do tre efika kaj rapida. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +19,7 @@ paragraph_2_1: > feature_01: dividi vidon de teksto por kompari tradukojn kaj legi komentarojn feature_02: "laborspacoj ebligantaj havi plurajn mediojn por studi Biblion, ĉiu kun propraj agordoj" feature_03: numeroj de Strong por analizi vortojn en greka kaj hebrea -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > entekstaj malfermeblaj ligiloj al internaj referencoj, piednotoj kaj dokumentoj; komentaroj ({{commentary_examples}}), kolektoj de internaj referencoj ({{cross_reference_examples}}) kaj aliaj tekstoj # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/es-ES.yml b/play/description-translations/es-ES.yml index 5dc017d8e8..0aadc4adad 100644 --- a/play/description-translations/es-ES.yml +++ b/play/description-translations/es-ES.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Biblia Estudio, Proyecto Código Abierto And Bible" +title: "AndBible: Biblia Estudio" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Lea la Biblia, estudie comentarios o diccionarios, o lea libros sin conexión." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Poderoso Instrumento para Estudiar la Biblia +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - La aplicación Estudio de Biblia de Proyecto Código Abierto And Bible es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. + {{ title }} es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. paragraph_1_2: > Esta aplicación está desarrollada por lectores de la Biblia, para lectores de la Biblia. Su objetivo es ayudarlo a que su estudio Bíblico sea conveniente, profundo y divertido. La mejor parte de este proyecto comunitario sin fines de lucro es que es de código abierto, completamente gratuito y no contiene anuncios. Habiendo sido construido desde cero para Android, es una descarga pequeña y, por lo tanto, muy eficiente y notablemente rápida. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Vistas de texto dividido que permiten comparar traducciones y consultar comentarios feature_02: Los espacios permiten múltiples configuraciones de estudio bíblico con sus propias configuraciones feature_03: La integración de Strong permite el análisis de palabras Griegas y Hebreas -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Referencias cruzadas, notas al pie y documentos vinculados; saltar a referencias cruzadas y notas al pie con solo tocar un enlace; realizar un estudio en profundidad de las Escrituras mediante el uso de comentarios con hipervínculos ({{commentary_examples}}), colecciones de referencias cruzadas ({{cross_reference_examples}}) y otros recursos. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/fi-FI.yml b/play/description-translations/fi-FI.yml index a0ec480d32..6a4bd2187a 100644 --- a/play/description-translations/fi-FI.yml +++ b/play/description-translations/fi-FI.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Raamattu, And Bible Open Source Projektilta" +title: "AndBible: Raamattu" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Lue raamattua, tutki kommentaareja ja sanakirjoja ja lue kirjallisuutta." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Tehokas työkalu Raamatun tutkimiseen +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Raamattu, And Bible Open Source Projektilta, on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. + "{{ title }}", on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. paragraph_1_2: > Sovelluksen kehittäjät ovat itse sovelluksen aktiivisia käyttäjiä, ts. innokkaita Raamatun lukijoita, ja sovellus pyrkii vastaamaan Raamatun lukemisen ja tutkimisen tarpeisiin. Se pyrkii auttamaan tekemään Raamatun tutkiskelustasi käytännöllistä, syvällistä ja hauskaa. Parasta tässä voittoa tavoittelemattomassa, yhteisöllisessä projektissa on se, että se on avointa lähdekoodia, ja siten täysin ilmainen, eikä sisällä mainoksia. Koska sovellus on tehty alusta alkaen Android-alustalle, se on erityisen kevyt ja huomattavan nopeakäyttöinen. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Jaetut tekstinäkymät jotka mahdollistavat raamatunkäännösten vertailun ja kommentaarien selailun feature_02: "Työtilojen avulla voit tallentaa erilaisia asetelmia erilaisiin raamatuntutkimistilanteisiin, siten että kussakin työtilassa on omat asetukset." feature_03: Strongin sanakirjan integraatio mahdollistaa kreikan ja heprean sanojen analysoinnin -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Linkitetyt ristiviitteet, alaviitteet ja dokumentit; siirry ristiviitteisiin ja alaviitteisiin yksinkertaisesti napsauttamalla linkkiä; uppoudu Kirjoituksiin hyödyntämällä hyperlinkattuja kommentaareja ({{commentary_examples}}), ristiviitekokoelmia ({{cross_reference_examples}}) ja muita resursseja. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/fr-FR.yml b/play/description-translations/fr-FR.yml index f25e60925a..ed9ebd05df 100644 --- a/play/description-translations/fr-FR.yml +++ b/play/description-translations/fr-FR.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Bible Study app, du projet opensource And Bible" +title: "AndBible: La Bible" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Lire la Bible, avec des commentaires, des dictionnaires, tout cela hors ligne." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Puissant outil d'étude biblique +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - L'application Bible Study du p roject Open Source AndBible est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. + "{{ title }}" est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. paragraph_1_2: > Cette application a été développée par des lecteurs de la Bible, pour des lecteurs de la Bible. Elle a pour but de vous aider à rendre votre étude de la Bible pratique, approfondie et amusante. La meilleure partie de ce projet communautaire à but non lucratif est qu'il est à code source ouvert, entièrement gratuit et ne contient aucune publicité. Construite de A à Z pour Android, sa taille de téléchargement est faible et est donc très efficace et remarquablement rapide. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Divise les affichages du texte permettant de comparer les traductions et de consulter les commentaires feature_02: Les espaces de travail permettent de mettre en place plusieurs études bibliques avec leurs propres paramètres. feature_03: L'intégration de Strongs permet l'analyse des mots grecs et hébreux. -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Références croisées, notes de bas de page et documents liés ; passez aux références croisées et aux notes de bas de page en appuyant simplement sur un lien ; effectuez une étude approfondie des Écritures en utilisant des commentaires en hyperlien ({{commentary_examples}}), des collections de références croisées ({{cross_reference_examples}}) et d'autres ressources. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/hi-IN.yml b/play/description-translations/hi-IN.yml index dbdeddda91..7a67324b40 100644 --- a/play/description-translations/hi-IN.yml +++ b/play/description-translations/hi-IN.yml @@ -1,11 +1,13 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "बाइबिल अध्ययन ऐप, ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट" +title: "AndBible: बाइबिल" # Short promotional text, shown in Play Store (max 80 characters) short_description: "बाइबिल पढ़ें, टिप्पणियों या शब्दकोशों का अध्ययन करें या ऑफ़लाइन पुस्तकें पढ़ें।" # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: बाइबिल पढ़ने की शक्तिशाली उपकरण -paragraph_1_1: > - ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट द्वारा बाइबिल अध्ययन ऐप एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। +# Please add variables marked with curly braces also in your translation untranslated, in correct places! +paragraph_1_1: >+ + "{{ title }}" एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। + paragraph_1_2: > यह एप्लिकेशन बाइबिल पाठकों द्वारा बाइबिल पाठकों के लिए बनाया गया है। इसका उद्देश्य आपके बाइबल अध्ययन को सुविधाजनक, गहन और मनोरंजक बनाने में आपकी मदद करना है। इस गैर-लाभकारी सामुदायिक परियोजना के बारे में सबसे अच्छी बात यह है कि यह खुला स्रोत है, पूरी तरह से मुफ़्त है, और इसमें कोई विज्ञापन नहीं है। एंड्रॉइड के लिए बनाया गया , यह एक छोटा डाउनलोड है, और इसलिए बहुत ही कुशल और उल्लेखनीय रूप से तेज़ है । # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +19,7 @@ paragraph_2_1: > feature_01: विभाजित पाठ द्रिश्य जो अनुवादों और परामर्श टिप्पणियों की तुलना करने में सक्षम बनाते हैं feature_02: कार्यक्षेत्र कई बाइबिल अध्ययन सेटअप अपने-अपने सेटिंग के साथ लाने की अनुमति देते हैं feature_03: स्ट्रांग का एकीकरण ग्रीक और हिब्रू शब्द विश्लेषण की अनुमति देता है -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > लिंक किए गए क्रॉस-रेफरेंस, फ़ुटनोट और दस्तावेज़; बस एक लिंक को टैप करके क्रॉस-रेफरेंस और फ़ुटनोट पर जाएं; हाइपरलिंक्ड कमेंट्री का उपयोग करके शास्त्रों का गहन अध्ययन करें ({{commentary_examples}}), क्रॉस-रेफरेंस संग्रह ({{cross_reference_examples}}) और अन्य संसाधन। # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/hu-HU.yml b/play/description-translations/hu-HU.yml index 807b57a5de..eb3675f4b2 100644 --- a/play/description-translations/hu-HU.yml +++ b/play/description-translations/hu-HU.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: Bible Study app az And Bible projekttől +title: "AndBible: Biblia" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Bibliaolvasás, bibliakommentárok és -szótárak tanulmányozása." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Bibliatanulmányozó alkalmazás +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Az 'And Bible' nyílt forráskódú projekt által fejlesztett 'Bible Study' app funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. + " {{ title }}" funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. paragraph_1_2: >- Az alkalmazást bibliaolvasó emberek fejlesztik bibliaolvasó embereknek. A cél az, hogy a Biblia tanulmányozása egyszerű, szórakoztató, de alapos is legyen. A non-profit közösségi modell előnye, hogy az alkalmazás nyílt forráskódú, teljesen ingyenes és nem tartalmaz hirdetéseket. Az alkalmazást teljesen az alapoktól készítettük Androidra, így kifejezetten kicsi a mérete, erőforrásbarát és meglepően gyors. @@ -18,7 +19,7 @@ paragraph_2_1: > feature_01: "Megosztott képernyős mód, amely lehetővé teszi a különböző forditások összehasonlítását, vagy a kommentárok a Bibilia szövegével párhuzamos olvasását" feature_02: A Munkaasztalok segítségével több kölönböző saját beállításokkal rendelkező bibliatanulmányozási konfiguráció létrehozására van lehetőség feature_03: A Strong-konkordancia (szómutató) integráció lehetővé teszi a görög és héber szóanalízist. -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Interaktív, egyszerű kattintással elérhető kereszthivatkozások, lábjegyzetek; a kéziratok tanulmányozása hiperlinkelt magyarázatokkal ({{commentary_examples}}), kereszthivatkozás gyűjteményekkel ({{cross_reference_examples}}) és egyéb források segítségével. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/it-IT.yml b/play/description-translations/it-IT.yml index ea3a4bf22f..fa652c3e9c 100644 --- a/play/description-translations/it-IT.yml +++ b/play/description-translations/it-IT.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Studi Biblici, app open source di And Bible" +title: "AndBible: Studi Biblici" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Leggi la Bibbia, studia i commentari o i dizionari, o leggi i libri offline." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Un potente strumento di studio della Bibbia +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - L'app Studi Biblici del progetto open source And Bible è un'applicazione per lo studio della Bibbia per Android potente, ma facile da usare. L'app non è limitata alla sola lettura del testo biblico, ma offre strumenti avanzati per lo studio personale della Bibbia. + "{{ title }}" è un'applicazione potente, ma facile da usare, per lo studio offline della Bibbia su Android. L'app non si limita alle funzionalità di lettura, ma è progettata per essere uno strumento avanzato per lo studio approfondito personale della Bibbia. paragraph_1_2: > Questa applicazione è sviluppata da lettori della Bibbia, per i lettori della Bibbia. Vuole essere d'aiuto per facilitarti lo studio e l'approfondimento della Bibbia. La parte migliore di questo progetto non-profit è che è open source, completamente gratuito, e non contiene pubblicità. Interamente progettato per Android, è un programma piccolo da scaricare, e quindi molto efficiente e veloce. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Le finestre di testo separate permettono di confrontare le traduzioni e consultare i commentari feature_02: Le aree di lavoro consentono ambienti separati di studio biblico con impostazioni differenti feature_03: L'integrazione dei numeri Strong consente l'analisi delle parole in greco ed ebraico -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Riferimenti incrociati, note a piè di pagina, e documenti collegati; passa ai riferimenti incrociati e alle note semplicemente toccando un collegamento; esegui uno studio approfondito delle Scritture usando i commentari collegati ({{commentary_examples}}), le raccolte di riferimenti incrociati ({{cross_reference_examples}}) e altre risorse. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/kk.yml b/play/description-translations/kk.yml index 821a82e305..ae2e55d2fa 100644 --- a/play/description-translations/kk.yml +++ b/play/description-translations/kk.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Bible Study қолданб., And Bible Open Source Proj." +title: "AndBible: Киелі Кітап+" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Киелі кітап оқу, түсіндірмелерді немесе сөздіктерді оқу немесе офлайн кітап оқу." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Киелі кітапты зерттеудің Мықты құралы +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - And Bible Open Source Project by Bible Study қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. + "{{ title }}" қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. paragraph_1_2: > Бұл қосымша Киелі кітапты оқитындардан, Киелі кітапты оқитындарға арналған. Бұл сізге Киелі кітапты зерттеуді ыңғайлы, терең және қызықты етуге көмектесуге бағытталған. Бұл коммерциялық емес қоғамдастық жобаның бір жақсы жағы - бұл ашық кодты, мүлдем ақысыз және жарнамасыз. Android үшін толығымен жаңадан жасалған, жүктеу үшін өте аз, сондықтан өте тиімді және жылдам болады. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Аудармаларды салыстыруға және түсіндірмелер арқылы кеңес алуға мүмкіндік беретін мәтіндік көріністерге бөлу feature_02: Қолданбаның жұмыс кеңістігі Киелі кітапты зерттеуде бірнеше реттеулерді орнатуға және олармен қолдануға мүмкіндіктер береді feature_03: Strong интеграциясы грек және еврей сөздерін талдауға мүмкіндік береді -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Байланыстырылған қиылысты сілтемелер, жай сілтемелер мен құжаттар; сілтемені түрту арқылы қиылысқан сілтемелер мен жай сілтемелерге өту; ({{commentary_examples}}) гиперсілтемелерде берілген түсініктемелерді, ({{cross_reference_examples}}) сілтемелер жиынтығын және басқа да ресурстарды қолдана отырып, Жазбаларды терең зерттеу # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/ko-KR.yml b/play/description-translations/ko-KR.yml index 2f75d33ec9..e86bef66d0 100644 --- a/play/description-translations/ko-KR.yml +++ b/play/description-translations/ko-KR.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "성경 공부 앱, by And Bible 오픈소스 프로젝트" +title: "AndBible: 성경 공부" # Short promotional text, shown in Play Store (max 80 characters) short_description: "오프라인으로 성경을 읽고, 주석이나 사전을 공부하고, 신앙서적을 읽으세요" # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: 강력한 성경 공부 도구 +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - And Bible 오픈소스 프로젝트의 성경 공부 앱은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. + "{{ title }}" 은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. paragraph_1_2: > 이 앱은 성경을 읽는 사람들이 성경을 읽는 사람들을 위해 만들었습니다. 이 앱은 당신의 성경 공부를 편리하고 깊고 재미있게 만드는 것을 목표로 합니다. 비영리 커뮤니티 프로젝트에서 가장 좋은 점은 오픈 소스이고, 완전히 무료이며 광고가 없다는 점입니다. 완전히 안드로이드를 위해서만 만들어졌기 때문에 앱 크기가 작고, 따라서 매우 효율적이며 빠릅니다. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: 번역본들을 비교하거나 주석을 참조하는 것을 가능하게 하는 창 나누기 feature_02: 여러 개의 성경 공부 세팅을 활용할 수 있는 워크스페이스 feature_03: 헬라어와 히브리어 단어 분석을 위한 스트롱 통합 -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: >- 링크된 상호 참조, 각주와 문서; 링크를 클릭하여 바로 상호 참조와 각주로 이동; 하이퍼링크 주석 ({{commentary_examples}}), 상호 참조 컬렉션 ({{cross_reference_examples}}) 그리고 다른 자료를 활용한 성경 본문에 대한 깊이 있는 연구 # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/lt.yml b/play/description-translations/lt.yml index 175775913e..4eb1ce45e0 100644 --- a/play/description-translations/lt.yml +++ b/play/description-translations/lt.yml @@ -1,11 +1,13 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Biblijos studijų programėlė, sukurta And Bible OSP" +title: "AndBible: Biblija" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Skaityti Bibliją, studijuoti komentarus, žodynus, skaityti knygas įrenginyje." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Galingas Biblijos studijavimo įrankis -paragraph_1_1: >- - Biblijos Studijų programėlė, sukurta And Bible atvirojo kodo projekto - tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. +# Please add variables marked with curly braces also in your translation untranslated, in correct places! +paragraph_1_1: >+ + "{{ title }}" tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. + paragraph_1_2: > Šią programėlę Biblijos skaitytojams sukūrė Biblijos skaitytojai. Jos tikslas - padėti jums patogiai, išsamiai ir linksmai nagrinėti Bibliją. Geriausia, kas yra šiame nekomerciniame bendruomenės projekte yra tai, jog jis yra atvirojo kodo, visiškai nemokamas ir be jokių reklamų. Kadangi ši programėlė nuo pat pradžių buvo kuriama „Android“ sistemai, ji yra mažo dydžio ir todėl, labai efektyvi bei išskirtinai greita. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +19,7 @@ paragraph_2_1: > feature_01: "Padalinto teksto rodiniai, kurie leidžia palyginti vertimus ir ieškoti informacijos komentaruose" feature_02: Darbo sritys leidžia turėti kelias Biblijos studijų sąrankas su savo atskirais nustatymais feature_03: Strongo integracija leidžia nagrinėti graikiškus ir hebrajiškus žodžius -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Susijusios kryžminės nuorodos, išnašos bei dokumentai; pereikite prie kryžminių nuorodų ar išnašų, tiesiog, baksteldami ant nuorodos; atlikite nuodugnų Šventojo Rašto nagrinėjimą naudodami saitais susietus komentarus ({{commentary_examples}}), kryžminių nuorodų kolekcijas ({{cross_reference_examples}}) bei kitus išteklius. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/my-MM.yml b/play/description-translations/my-MM.yml index b41d6b25e5..14ec9caa81 100644 --- a/play/description-translations/my-MM.yml +++ b/play/description-translations/my-MM.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: And Bible +title: "AndBible: သမ္မာကျမ်းစာ" # Short promotional text, shown in Play Store (max 80 characters) short_description: လိုင်းမဲ့ ကျမ်းစာဖတ်ပါ၊ အနက်ဖွင့်ကျမ်းနှင့် အဘိဓာန်များလေ့လာပါ သို့ စာအုပ်ဖတ်ပါ # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: စွမ်းအားမြင့် ကျမ်းစာလေ့လာရေး ကိရိယာ +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - And Bible အခမဲ့အရင်းအမြစ်လုပ်ငန်းမှ ပြုလုပ်သည့် ကျမ်းစာလေ့လာရေးအက်ပ်သည် အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ + "{{ title }}" အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ paragraph_1_2: > ဤအက်ပ်ကို ကျမ်းစာဖတ်ရူသူများမှ ကျမ်းစာဖတ်ရူသူများအတွက် ရည်ရွယ်ထုတ်လုပ် ထားခြင်းဖြစ်သည်။ ကျမ်းစာကို သက်တောင့် သက်သာ၊ လေးလေးနက်နက်နှင့် ပျော်ရွှင်စွာ ပြုလုပ်နိုင်စေရန် ရည်ရွယ်ပါသည်။ ဤအခမဲ့ လူထုအကျိုးပြုလုပ်ငန်း၏ အကောင်းဆုံးအချက်မှာ ပွင့်လင်းသောရင်းမြစ်၊ လုံး၀အခမဲ့နှင့် ကြော်ငြာများ မပါဝင်ခြင်းပင် ဖြစ်သည်။ Android စနစ်တွင် အောက်ခြေမှစ တည်ဆောက်ထားခြင်းဖြစ်ပြီး ဒေါင်းလုပ်ရပေါ့ပါးပါသည်။ ထို့ကြောင့် အလွန်ထိရောက်ပြီး အံ့သြဖွယ်ရာ မြန်ဆန်ပါသည်။ # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: "ဘာသာပြန်များကို နှိုင်းယှဉ်ခြင်းနှင့် အနက်ဖွင့် ကျမ်းများ ဖတ်ရှုခြင်းကို လုပ်ဆောင်နိုင်သည့် စာသားခွဲ မြင်ကွင်းများ " feature_02: ကျမ်းစာလေ့လာခြင်း setup များကို ၎င်းတို့၏ ကိုယ်ပိုင်ဆက်တင်များနှင့်အတူ ခွင့်ပြုပေးသည့် လုပ်ငန်းခွင်များ feature_03: Strong နှင့်ပေါင်းစပ်ခြင်းဖြင့် ဂရိနှင့် ဟီဘရူး စာလုံးများကို ခွဲခြမ်းလေ့လာနိုင်သည်။ -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > လင့်ခ်လုပ်ထားသည့် ပြန်လှန်ကိုးကားချက်များ၊ အောက်ခြေမှတ်စုများနှင့် မှတ်စုများ၊ လင့်ခ်ကို နှိပ်ရုံမျှဖြင့် ပြန်လှန်ကိုးကားချက်များနှင့် အောက်ခြေမှတ်စုများသို့ ခုန်ကူးခြင်း၊ ဟိုက်ပါလင့်ခ်လုပ်ထားသည့် အနက်ဖွင့်ကျမ်းများ ({{commentary_examples}})၊ ပြန်လှန်ကိုးကားချက် စုဆောင်းချက်များ ({{cross_reference_examples}}) နှင့် အခြားအရင်းအမြစ်များကို သုံးခြင်းဖြင့် ကျမ်းစာကိုလေးလေးနက်နက်လေ့လာပါ။ # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/no-NO.yml b/play/description-translations/no-NO.yml index efc01a27f9..fdd471b21e 100644 --- a/play/description-translations/no-NO.yml +++ b/play/description-translations/no-NO.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: App for Bibelstudium av And Bible-prosjektet +title: "AndBible: Bibelstudie" # Short promotional text, shown in Play Store (max 80 characters) -short_description: "Les Bibelen, studer bibelkommentarer og -ordbøker i frakoblet modus." +short_description: "Les Bibelen, studer bibelkommentarer og ordbøker i frakoblet modus." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Kraftig bibelstudie-verktøy +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Bibelstudie-applikasjonen fra And Bible Open Source Project er kraftig, samtidig som den er enkel å bruke, også når du ikke har internettilkobling. Applikasjonens mål er ikke bare å være for bibellesing, men også å være et avansert verktøy for dype bibelstudier. + "{{ title }}" er en kraftig og lettbrukelig applikasjon for bibelstudier for Android. Applikasjonen er ikke bygget bare for å lese bibelen, men fokuserer på å være et avansert verktøy for dype personlige bibelstudier. paragraph_1_2: > Applikasjonen er utviklet av bibellesere, for bibellesere. Den fokuserer på å gjøre bibelstudier både lettvint, dyp og trivelig. Det beste med dette ikke-kommersielle dugnadsprosjektet er at kildekoden er åpen, fullstendig gratis og inneholder ingen reklame. Den har blitt bygget fullstendig fra grunnen av for Android, og er derfor liten å laste ned og dermed svært effektiv og rask å bruke. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Oppdeling av tekstvisningen for å sammenligne oversettelser og bibelkommentarer feature_02: Arbeidsområder tillater flere bibelstudieoppsett med egne innstillinger feature_03: Integrasjon med Strong's bibelordbøker åpner for greske og hebraiske ordanalyser -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Lenkede kryssreferanser, fotnoter og dokumenter; hopp til kryssreferanser og fotnoter ved å klikke på en lenke; gjør dybdestudier av Skiftene ved å benytte hyperlenkede kommentarer ({{commentary_examples}}), kryssreferansesamlinger ({{cross_reference_examples}}) og andre ressurser. # Examples of commentaries. You can add here also other commentaries of your language if they @@ -27,27 +28,29 @@ commentary_examples: "Gill, Matthew Henry osv." cross_reference_examples: "Treasure of Scripture Knowledge, TSKe" feature_05: Avansert tekst-til-tale med bokmerke-tale åpner for en strømlinjet bibellytte-opplevelse feature_06: Fleksibel søking -feature_07: Bokmerker med valgfrie farger på bokmerkegrupper -feature_08: > - Personlige notater: legg til egne studiekommentarer til bibelvers +feature_07: Avansert bokmerking og fokusmuligheter med personlige studienotater feature_09: > Bibelleseplaner: sett mål for bibellesingen # Please add variables marked with curly braces also in your translated, untranslated, in correct places! feature_10: > - Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over {{total_documents}} moduler på over {{total_languages}} språk, fritt distribuert fra Crosswire og andre SWORD pakkebrønner (repositories). + Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over {{total_documents}} moduler på over {{total_languages}} språk, fritt distribuert av Crosswire og andre SWORD pakkebrønner (repositories). +# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +feature_11: > + Opprinnelsen til alle dokument er undersøkt for å sikre at de fritt kan distribueres, og tillatelse til distribusjon er gitt dersom opphavsrett gjelder. Dette er grunnen til at denne applikasjonen ikke inneholder bibeloversettelser som {{unavailable_documents}}. # In addition or in addition to the mentioned documents also some of the commercial/modern bible # versions / documents of your language that are not (yet) available in the app. -feature_11: > - Opprinnelsen til alle dokument er undersøkt for å sikre at de fritt kan distribueres, og tillatelse til distribusjon er gitt dersom opphavsrett gjelder. Dette er grunnen til at denne applikasjonen ikke inneholder bibeloversettelser som NO78/85 og NB88/07. +unavailable_documents: NO78/85 og NB88/07 feature_12: > Frakoblet modus: du trenger bare være påkoblet internett når du skal laste ned moduler. +feature_13: > + Studiebrett for å skrive notater og bibelreferanser samtidig som man lytter til undervisning. subtitle_3: La oss bygge den beste Bibel-applikasjonen sammen! paragraph_3_1: > And Bibel er et åpen kildekode-prosjekt. I praksis betyr dette at hvem som helst med riktige kvalifikasjoner kan, og oppfordres til å bidra i prosjektet ved å: contr_1: "utvikle nye funksjoner," contr_2: "teste nye funksjoner som ikke er utgitt enda," contr_3: "holde oversettelse av brukergrensesnittet oppdatert, og" -contr_4: hjelpe til med å utvide biblioteket over moduler. +contr_4: "hjelpe til med å utvide modulbiblioteket ved å skaffe tillatelser fra rettighetshavere, eller ved å konvertere dokumenter til SWORD-format." # Please add variables marked with curly braces also in your translated, untranslated, in correct places! paragraph_4_1: "Dersom du er en profesjonell programvareutvikler eller programvaretester, vennligst vurder å bidra i prosjektet. For mer informasjon om hvordan du kan bidra, vennligst besøk {{how_to_contribute_url}}." subtitle_4: Lenker diff --git a/play/description-translations/pl-PL.yml b/play/description-translations/pl-PL.yml index 3c11d030a6..d674f74672 100644 --- a/play/description-translations/pl-PL.yml +++ b/play/description-translations/pl-PL.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Studium Biblii, otwartoźródłowy projekt And Bible" +title: "AndBible: Studium Biblii" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Czytaj Biblię, komentarze i słowniki; bez internetu." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Zaawansowane narzędzie do studiowania Pisma Świętego +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Aplikacja Studium Biblii «Bible Study» otwartoźródłowego projektu And Bible jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. + "{{ title }}" jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. paragraph_1_2: > Ta aplikacja jest rozwijana przez i dla czytaczy Pisma Świętego. Jej celem jest sprawienie, aby czytanie Biblii było wygodne, głębokie i radosne. Najważniejsze w naszym projekcie jest to, że jest on otwartoźródłowy (open source), całkowicie darmowy i nie zawiera reklam. Stworzona od podstaw na system Android, nasza aplikacja zajmuje niewiele miejsca, jest lekka i szybka. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: podzielny widok tekstu umożliwiający porównywanie tłumaczeń i czytanie komentarza feature_02: "obszary robocze umożliwiające posiadanie kilku oddzielnych środowisk do studiowania Biblii, każde z własnymi ustawieniami" feature_03: "numeracja Stronga, aby móc analizować słowa w grece i hebrajskim" -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > klikalne odsyłacze, przypisy i dokumenty; komentarze ({{commentary_examples}}), kolekcje odsyłaczy ({{cross_reference_examples}}) i inne materiały # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/pt-PT.yml b/play/description-translations/pt-PT.yml index fa133bdedf..20de01eb31 100644 --- a/play/description-translations/pt-PT.yml +++ b/play/description-translations/pt-PT.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "App Estudo Bíblico, And Bible Open Source Project" +title: "AndBible: Estudo Biblico" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Leia a Bíblia, estude comentários ou dicionários, ou leia livros offline." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Ferramenta poderosa de estudo da Bíblia +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - A aplicação de estudo da Bíblia por And Bible Open Source Project é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. + "{{ title }}" é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. paragraph_1_2: > Esta aplicação é desenvolvida por leitores da Bíblia, para leitores da Bíblia. O seu objetivo é ajudá-lo a tornar o seu estudo da Bíblia conveniente, profundo e divertido. A melhor parte desse projeto comunitário sem fins lucrativos é que ele é de código aberto, totalmente gratuito e não contém anúncios. Tendo sido desenvolvido desde o início para o Android, é um download pequeno e, portanto, muito eficiente e incrivelmente rápido. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Visualização em várias janelas de texto que permitem comparar traduções e consultar comentários feature_02: Os espaços de trabalho permitem várias configurações de estudo da Bíblia com as suas próprias configurações feature_03: A Integração de Strong permite análise de palavras em Grego e Hebreu -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Referências cruzadas, notas de rodapé e documentos vinculados; vá diretamente para referências cruzadas e notas de rodapé simplesmente tocando num link; faça um estudo aprofundado das Escrituras usando comentários com hiperlinks ({{commentary_examples}}), coleções de referência cruzada ({{cross_reference_examples}}) e outros recursos. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/ro.yml b/play/description-translations/ro.yml index 2b473a4c35..3631876516 100644 --- a/play/description-translations/ro.yml +++ b/play/description-translations/ro.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Biblia, de la And Bible Open Source Project" +title: "AndBible: Biblia" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Citește Biblia, comentarii și dicționare fără conectare la internet" # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: O unealtă pentru studiul Bibliei +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Aplicația de studiu biblic de la And Bible Open Source Project este o aplicație de studiu biblic offline, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument avansat pentru a face un studiu personal aprofundat al Bibliei. + "{{ title }}" este o aplicație complexă de studiu biblic, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument pentru a face un studiu aprofundat al Bibliei. paragraph_1_2: > Această aplicație este realizată de cititori ai Bibliei, pentru cititorii Bibliei. Scopul ei este de a vă ajuta să vă faceți studiul biblic convenabil, profund și distractiv. Cea mai bună parte a acestui proiect comunitar non-profit este că are sursă publică, este complet gratuit și nu conține reclame. Fiind construită de la zero pentru Android, este mică și, prin urmare, foarte eficientă și remarcabil de rapidă. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Vizualizări separate ale textului care permit compararea traducerilor și consultarea comentariilor feature_02: Spațiile de studiu permit organizarea mai multor studii biblice cu propriile reglări feature_03: Integrarea Strong permite analiza cuvintelor grecești și ebraice -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Trimiteri, note de subsol și documente; accesezi trimiterile și notele de subsol prin simpla apăsare a unei legături; efectuezi un studiu aprofundat al Scripturilor folosind comentarii cu legături hipertext ({{commentary_examples}}), colecții de trimiteri ({{cross_reference_examples}}) și alte resurse. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/ru-RU.yml b/play/description-translations/ru-RU.yml index a416678f35..d36bba8b43 100644 --- a/play/description-translations/ru-RU.yml +++ b/play/description-translations/ru-RU.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Изучение Библии, проект And Bible Open Source" +title: "AndBible: Изучение Библии" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Читайте Библию, изучайте комментарии, словари или читайте книги офлайн." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Мощный инструмент для изучения Библии +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Приложение «Изучение Библии», автор проекта «And Bible с открытым исходным кодом» - это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. + "{{ title }}" это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. paragraph_1_2: > Это приложение разработано читателями Библии для читателей Библии. Его цель - помочь вам сделать изучение Библии удобным, глубоким и увлекательным. Лучшее в этом некоммерческом проекте сообщества то, что он имеет открытый исходный код, полностью бесплатен и не содержит рекламы. Созданный с нуля для Android, это небольшая загрузка, поэтому она очень эффективна и замечательно быстра. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: "Разделение текстовых представлений, позволяющих сравнивать переводы и комментарии" feature_02: Рабочие области позволяют использовать несколько установок для изучения Библии с собственными настройками. feature_03: Интеграция Стронга позволяет анализировать слова на греческом и иврите -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Связанные перекрестные ссылки, сноски и ресурсы; переходить к перекрестным ссылкам и сноскам, просто нажимая на ссылку; выполнять углубленное изучение Священного Писания, используя гиперссылки на комментарии ({{commentary_examples}}), коллекции перекрестных ссылок ({{cross_reference_examples}}) и другие ресурсы. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/sk.yml b/play/description-translations/sk.yml index 9676f62844..31c0f13899 100644 --- a/play/description-translations/sk.yml +++ b/play/description-translations/sk.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: Štúdium Biblie od And Bible Open Source Project +title: "AndBible: Bible Study" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Čítajte Bibliu, študujte komentáre, slovníky alebo čítajte knihy offline." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: "Účinný nástroj na štúdium Biblie " +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Aplikácia Bible Study od And Bible Open Source Project je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácie nemá za cieľ len sprostredkovať čítanie Biblie, ale je pokročilým nástrojom na hlboké osobné štúdium Biblie. + "{{ title }}" je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácia si nekladie za cieľ byť len čítačkou Biblie, ale zameriava sa na to, aby bola pokročilým nástrojom na hĺbkové osobné štúdium Biblie. paragraph_1_2: > Táto aplikácia je vyvinutá čitateľmi Biblie pre čitateľov Biblie. Cieľom je pomôcť vám urobiť štúdium Biblie pohodlným, hlbokým a zábavným. Najlepšie na tomto neziskovom komunitnom projekte je, že je s otvoreným kódom, úplne zadarmo a neobsahuje žiadne reklamy. Keďže bol vyvinutý od základu pre Android, je malá na sťahnutie, a preto aj veľmi efektívna a pozoruhodne rýchla. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: "Oddelené zobrazenia textu, ktoré umožňujú porovnávať preklady a konzultovať komentáre" feature_02: Pracovné prostredia umožňujúce vlastné nastavenia pre štúdium Biblie feature_03: Integrácia Strongových čísel umožňuje rozbor gréckych a hebrejských slov -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Prepojené krížové odkazy, poznámky pod čiarou a dokumenty; skok na krížové referencie poznámky pod čiarou jednoduchým klepnutím na odkaz; vykonanie hĺbkového štúdium Písma pomocou hypertextových odkazov na komentáre ({{commentary_examples}}), zbierky krížových odkazov ({{cross_reference_examples}}) a iné zdroje. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/sl.yml b/play/description-translations/sl.yml index 1e56bd60ab..986b07bc81 100644 --- a/play/description-translations/sl.yml +++ b/play/description-translations/sl.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Proučevanje Biblije, And Bible odprtokodni projekt" +title: "AndBible: Proučevanje Biblije" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Berite Biblijo, komentarje, slovarje ali knjige v načinu brez povezave." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Močno orodje za proučevanje Biblije +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Aplikacija za proučevanje Biblije je zmogljiva, vendar enostavna aplikacija za proučevanje Biblije brez internetne povezave za naprave z operacijskim sistemom Android. Aplikacija ni namenjena zgolj branju Biblije, temveč se kot napredno orodje osredotoča na poglobljeno osebno proučevanje Biblije. + "{{ title }}" je zmogljiva, a enostavna aplikacija za Android namenjena preučevanju Svetega pisma, ki za delovanje ne potrebuje povezave z internetom. Aplikacija ni namenjena zgolj branju Svetega pisma, ampak se osredotoča na napredno orodje za poglobljeno osebno preučevanje Svetega pisma. paragraph_1_2: > To aplikacijo so razvili bralci Biblije za bralce Biblije. Namen aplikacije je, da vam pomaga, da bo vaše biblijsko proučevanje priročno, poglobljeno in zabavno. Najboljše pri tem neprofitnem projektu skupnosti je, da je odprtokoden, popolnoma brezplačen in ne vsebuje oglasov. Ker je aplikacija od vsega začetka zasnovana za Android, je majhna za prenos in zato zelo učinkovita in izjemno hitra. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: Razdeljeni pogledi besedila omogočajo primerjavo prevodov in svetovanje komentarjev feature_02: Delovni prostori s svojimi nastavitvami omogočajo več nastavitev proučevanja Biblije feature_03: Strong-ova števila omogočajo grško in hebrejsko besedno analizo -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Povezani sklici, opombe in dokumenti; skok na reference in opombe s preprostim dotikom povezave; izvedite poglobljeno preučevanje Svetega pisma z uporabo komentarjev ({{comment_examples}}), zbirk referenc ({{cross_reference_examples}}) in drugih virov. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/te.yml b/play/description-translations/te.yml index f99fd7526d..1153290c0d 100644 --- a/play/description-translations/te.yml +++ b/play/description-translations/te.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: అండ్ బైబిల్ ఓపెన్ సోర్స్ వారి బైబిల్ స్టడీ యాప్ +title: "AndBible: బైబిల్\n" # Short promotional text, shown in Play Store (max 80 characters) short_description: "బైబిల్, వ్యాఖ్యానాలు, నిఘంటువులు లేదా పుస్తకాలను ఆఫ్‌లైన్‌లో అధ్యయనం చేయండి " # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: శక్తివంతమైన బైబిల్ అధ్యయన సాధనం +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - అండ్ బైబిల్ ఓపెన్ సోర్స్ ప్రాజెక్ట్ వారి బైబిల్ స్టడీ యాప్, ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. + "{{ title }}" ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. paragraph_1_2: > ఈ అప్లికేషన్ బైబిల్ పాఠకులచే, బైబిల్ పాఠకుల కొరకు రూపొందించబడినది. మీరు బైబిలు అధ్యయనాన్ని సౌకర్యవంతంగా, లోతుగా మరియు ఆహ్లాదంగ చేయడానికి మీకు సహాయం చేయడం దీని లక్ష్యం. ఈ లాభాపేక్షలేని కమ్యూనిటీ ప్రాజెక్ట్‌లో ఉత్తమమైన అంశం ఏమిటంటే ఇది ఓపెన్ సోర్స్, పూర్తిగా ఉచితం కాబట్టి ప్రకటనలు వుండవు. ఇది పూర్తిగా ఆండ్రాయిడ్ కోసమే నిర్మించబడినందున, ఇది ఒక చిన్నపరిమాణంలో వున్న డౌన్‌లోడ్, కాబట్టి చాలా సమర్థవంతంగా మరియు అసాధారణంమైన వేగంగా ఉంటుంది. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: వచన వీక్షణలను విభజించడం ద్వారా అనువాదాలను సరిపోల్చడం మరియు వ్యాఖ్యలను సంప్రదించడం సాధ్యమవుతుంది feature_02: కార్యస్థలములు "వర్క్ స్పేసెస్" బహుళ బైబిల్ అధ్యయనాన్ని వాటి స్వంత "సెట్టింగ్‌లతో" మఅరికలతో అనుమతిస్తాయి feature_03: స్ట్రాంగ్ యొక్క అనుసంధానం గ్రీక్ మరియు హీబ్రూ పదాల విశ్లేషణను సులభం చేస్తుంది -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > లింక్ చేయబడిన క్రాస్-రిఫరెన్స్‌లు, ఫుట్‌నోట్‌లు మరియు డాక్యుమెంట్‌లు; లింక్‌ను నొక్కడం ద్వారా క్రాస్-రిఫరెన్స్‌లు మరియు ఫుట్‌నోట్‌లకు వెళ్లండి; హైపర్‌లింక్ చేయబడిన వ్యాఖ్యానాలు ({{commentary_examples}}), క్రాస్-రిఫరెన్స్ సేకరణలు ({{cross_reference_examples}}) మరియు ఇతర వనరులను ఉపయోగించడం ద్వారా లేఖనాలను లోతుగా అధ్యయనం చేయండి. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/uk.yml b/play/description-translations/uk.yml index 2db6c8f0ce..1db357d9e9 100644 --- a/play/description-translations/uk.yml +++ b/play/description-translations/uk.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: "Вивчення Біблії, проект And Bible Open Source Proj" +title: "AndBible: Вивчення Біблії" # Short promotional text, shown in Play Store (max 80 characters) short_description: "Читайте Біблію, вивчайте коментарі, словники, або читайте книги в офлайн режимі." # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: Потужний інструмент для вивчення Біблії +# Please add variables marked with curly braces also in your translation untranslated, in correct places! paragraph_1_1: > - Програма Bible Study (Вивчення Біблії) від And Bible Open Source Project - це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. + "{{ title }}" це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. paragraph_1_2: > Ця програма розроблена читачами Біблії для читачів Біблії. Вона спрямована на те, щоб допомогти вам зробити вивчення Біблії зручним, глибоким та інтересним. Найкращий аспект цього некомерційного проекту полягає в тому, що він є відкритим, повністю безкоштовним і не містить реклами. Побудоване з нуля для Android, це невелике завантаження, а отже, дуже ефективне та надзвичайно швидке. # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: "Розділені текстові подання, що дозволяють порівнювати переклади та консультаційні коментарі" feature_02: Робочі області дозволяють налаштування вивчення Біблії з різними параметрами feature_03: Інтеграція з нумерацією Стронґа дозволяє аналізувати грецькі та єврейські слова -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > Пов’язані перехресні посилання, ссилки та документи; перейти до перехресних посилань та виносок, просто натиснувши посилання; виконати поглиблене вивчення Писання, використовуючи гіперпосилання на коментарі ({{comment_examples}}), колекції перехресних посилань ({{cross_reference_examples}}) та інші ресурси. # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/zh-CN.yml b/play/description-translations/zh-CN.yml index 037abc1939..c13b0bb543 100644 --- a/play/description-translations/zh-CN.yml +++ b/play/description-translations/zh-CN.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: 研经工具 - 由 And Bible 开源计划开发 +title: "AndBible: 研经工具" # Short promotional text, shown in Play Store (max 80 characters) short_description: 离线阅读圣经、注释、字典或书本。 # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: 功能强大的的研经工具 -paragraph_1_1: >- - And Bible开源计划的研经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 +# Please add variables marked with curly braces also in your translation untranslated, in correct places! +paragraph_1_1: > + "{{ title }}" 经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 paragraph_1_2: > 此程式是由圣经读者开发,也是为圣经读者开发。目的是提供便利、有深度且有趣的查经体验。此程式是非营利、也是开源,更重要是完全没有广告滋扰。它是一个原创的Android程式,占用空间亦是细小,因此它是一个十分快速且高效能的程式。 # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: 分割视窗可以帮助比较译本及参考注解 feature_02: 工作检视可以自定研经的环境 feature_03: Strong's 参考方便查找希腊文及希伯来文分析 -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > 串珠交叉对照、注脚及文件。读者简易地点选连结,就可切换交叉对照及注脚,进行深度的研经。例如{{commentary_examples}}或{{cross_reference_examples}}。 # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/description-translations/zh-TW.yml b/play/description-translations/zh-TW.yml index 0a27f12660..60e447cf6a 100644 --- a/play/description-translations/zh-TW.yml +++ b/play/description-translations/zh-TW.yml @@ -1,11 +1,12 @@ # Long version of app name that will be displayed on Play Store. (max 50 characters) -title: 研經工具 - 由 And Bible 開源計劃開發 +title: "AndBible: 研經工具" # Short promotional text, shown in Play Store (max 80 characters) short_description: 離線閱讀聖經、註釋、字典或書本。 # Main (first) subtitle of the Play Store main (long) description text. subtitle_1: 功能強大的的研經工具 -paragraph_1_1: >- - And Bible開源計劃的研經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 +# Please add variables marked with curly braces also in your translation untranslated, in correct places! +paragraph_1_1: > + "{{ title }}" 經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 paragraph_1_2: > 此程式是由聖經讀者開發,也是為聖經讀者開發。目的是提供便利、有深度且有趣的查經體驗。此程式是非營利、也是開源,更重要是完全沒有廣告滋擾。它是一個原創的Android程式,佔用空間亦是細小,因此它是一個十分快速且高效能的程式。 # You can also advertise here the best documents that are available in the app in your language. @@ -17,7 +18,7 @@ paragraph_2_1: > feature_01: 分割視窗可以幫助比較譯本及參考註解 feature_02: 工作檢視可以自定研經的環境 feature_03: Strong's 參考方便查找希臘文及希伯來文分析 -# Please add variables marked with curly braces also in your translated, untranslated, in correct places! +# Please add variables marked with curly braces also in your translation untranslated, in correct places! feature_04: > 串珠交叉對照、註腳及文件。讀者簡易地點選連結,就可切換交叉對照及註腳,進行深度的研經。例如{{commentary_examples}}或{{cross_reference_examples}}。 # Examples of commentaries. You can add here also other commentaries of your language if they diff --git a/play/plaintext-descriptions/af.txt b/play/plaintext-descriptions/af.txt index 666520a7b3..276ed72087 100644 --- a/play/plaintext-descriptions/af.txt +++ b/play/plaintext-descriptions/af.txt @@ -1,6 +1,6 @@ Kragtige Bybelstudie instrument -Bybelstudie-toep deur And Biblel Oop Bron projekt is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. +"AndBible: Bybel Studie" is 'n kragtige, maar tog maklik om te gebruik, vanlyn Bybelstudie applikasie vir Android. Die toep beoog nie om bloot 'n Bybelleser te wees nie, maar fokus daarop om 'n gevorderde hulpmiddel te wees om diepgaande persoonlike Bybelstudie te doen. Hierdie toepassing word ontwikkel deur Bybellesers, vir Bybellesers. Dit is daarop gemik om jou te help om jou Bybelstudie gerieflik, diep en pret te maak. Die beste deel van hierdie nie-winsgewende gemeenskapsprojek is dat dit oop bron, heeltemal gratis is en geen advertensies bevat nie. Nadat dit van die grond af gebou is vir Android, is dit 'n klein aflaai, en dus baie doeltreffend en merkwaardig vinnig diff --git a/play/plaintext-descriptions/cs-CZ.txt b/play/plaintext-descriptions/cs-CZ.txt index c8ede15556..13f5f8f827 100644 --- a/play/plaintext-descriptions/cs-CZ.txt +++ b/play/plaintext-descriptions/cs-CZ.txt @@ -1,6 +1,6 @@ Rozsáhlý nástroj pro studium Bible -Aplikace Bible Study projektu otevřeného softwaru And Bible je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. +"AndBible: Studium Bible" je obsáhlá a přitom snadná aplikace na offline studium Bible pro Android. Aplikace nemá za cíl jen zprostředkovat četbu Bible, ale je pokročilým nástrojem pro hluboké osobní studium Bible. Tuto aplikaci vyvíjí čtenáři Bible pro čtenáře Bible. Má za cíl vám studium Bible zjednodušit, prohloubit a zpříjemnit. Nejlepší na tomto neziskovém komunitním projektu je to, že jde o otevřený software zcela zdarma a neobsahuje žádné reklamy. Aplikace je postavena od základů pro Android, proto je malá, a tedy výkonná a překvapivě rychlá. diff --git a/play/plaintext-descriptions/de-DE.txt b/play/plaintext-descriptions/de-DE.txt index b618459bd5..7368b5101f 100644 --- a/play/plaintext-descriptions/de-DE.txt +++ b/play/plaintext-descriptions/de-DE.txt @@ -1,6 +1,6 @@ Ein mächtiges Werkzeug für das Bibelstudium -Bibel+ von der And Bible Open Source Community ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. +"AndBible: Bibel+" ist ein umfangreiches und trotzdem einfach zu bedienendes Programm für das Bibelstudium - auch ohne Internet. Diese App ist nicht nur ein einfaches Bibelleseprogramm, sondern will ein Werkzeug für fortgeschrittenes, in die Tiefe gehendes Bibelstudium sein. Dieses Programm wird von Bibellesern für Bibelleser entwickelt. Es zielt darauf ab, dein Bibelstudium einfach, bedeutsam und unterhaltsam zu machen. Das Beste an diesem Non-Profit Projekt ist, dass es Open Source ist - völlig kostenlos und ohne Werbung. Dadurch, dass es von Anfang an für Android entwickelt wurde, ist es platzsparend, effizient und schnell. diff --git a/play/plaintext-descriptions/eo.txt b/play/plaintext-descriptions/eo.txt index 92a234aaf7..08d01de6d3 100644 --- a/play/plaintext-descriptions/eo.txt +++ b/play/plaintext-descriptions/eo.txt @@ -1,6 +1,6 @@ Ampleksa aplikaĵo por studi Biblion -Studi Biblion «Bible Study» de la malfermkoda projekto And Biblio estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. +"AndBible: Studi Biblion" estas ampleksa, tamen facile uzebla ilo por studi la Sanktan Skribon por la operaciumo Android. Ĝi ne celas esti simpla legilo de Biblio, sed koncentriĝas esti spertula ilo por profunde persone studi Biblion. Tiu ĉi aplikaĵo estas evoluigata de legantoj de Biblio kaj por legantoj de Biblio. Ĝia celo estas igi studadon de Biblio oportuna, profunda kaj amuza. La plej grava fakto de tiu ĉi neprofitcela komunuma projekto estas, ke ĝi estas malfermkoda, tute senpaga kaj enhavas neniun reklamon. Programita cele por Android, la aplikaĵo estas malgranda, do tre efika kaj rapida. diff --git a/play/plaintext-descriptions/es-ES.txt b/play/plaintext-descriptions/es-ES.txt index 9dc431c105..2ef50f6f9b 100644 --- a/play/plaintext-descriptions/es-ES.txt +++ b/play/plaintext-descriptions/es-ES.txt @@ -1,6 +1,6 @@ Poderoso Instrumento para Estudiar la Biblia -La aplicación Estudio de Biblia de Proyecto Código Abierto And Bible es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. +AndBible: Biblia Estudio es una aplicación de estudio bíblico fuera de línea, poderosa, pero fácil de usar, para Android. La aplicación no pretende ser simplemente un lector de la Biblia, sino que se centra en ser una herramienta avanzada para realizar un estudio bíblico personal en profundidad. Esta aplicación está desarrollada por lectores de la Biblia, para lectores de la Biblia. Su objetivo es ayudarlo a que su estudio Bíblico sea conveniente, profundo y divertido. La mejor parte de este proyecto comunitario sin fines de lucro es que es de código abierto, completamente gratuito y no contiene anuncios. Habiendo sido construido desde cero para Android, es una descarga pequeña y, por lo tanto, muy eficiente y notablemente rápida. diff --git a/play/plaintext-descriptions/fi-FI.txt b/play/plaintext-descriptions/fi-FI.txt index c08569a5af..199f215e7f 100644 --- a/play/plaintext-descriptions/fi-FI.txt +++ b/play/plaintext-descriptions/fi-FI.txt @@ -1,6 +1,6 @@ Tehokas työkalu Raamatun tutkimiseen -Raamattu, And Bible Open Source Projektilta, on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. +"AndBible: Raamattu", on tehokas, ja silti helppokäyttöinen sovellus Raamatun tutkimiseen Androidilla. Sovellus ei pyri olemaan ainoastaan yksinkertainen raamatunlukuohjelma, vaan pyrkii myös olemaan monipuolinen työkalu, joka mahdollistaa syvällisen henkilökohtaisen Raamatun tutkiskelun. Sovelluksen kehittäjät ovat itse sovelluksen aktiivisia käyttäjiä, ts. innokkaita Raamatun lukijoita, ja sovellus pyrkii vastaamaan Raamatun lukemisen ja tutkimisen tarpeisiin. Se pyrkii auttamaan tekemään Raamatun tutkiskelustasi käytännöllistä, syvällistä ja hauskaa. Parasta tässä voittoa tavoittelemattomassa, yhteisöllisessä projektissa on se, että se on avointa lähdekoodia, ja siten täysin ilmainen, eikä sisällä mainoksia. Koska sovellus on tehty alusta alkaen Android-alustalle, se on erityisen kevyt ja huomattavan nopeakäyttöinen. diff --git a/play/plaintext-descriptions/fr-FR.txt b/play/plaintext-descriptions/fr-FR.txt index c3afe57e15..3ebbe0c5e6 100644 --- a/play/plaintext-descriptions/fr-FR.txt +++ b/play/plaintext-descriptions/fr-FR.txt @@ -1,6 +1,6 @@ Puissant outil d'étude biblique -L'application Bible Study du p roject Open Source AndBible est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. +"AndBible: La Bible" est une puissante application d'étude biblique hors ligne pour Android, facile à utiliser. L'application ne vise pas à être un simple lecteur de la Bible, mais se concentre sur un outil avancé pour faire une étude personnelle approfondie de la Bible. Cette application a été développée par des lecteurs de la Bible, pour des lecteurs de la Bible. Elle a pour but de vous aider à rendre votre étude de la Bible pratique, approfondie et amusante. La meilleure partie de ce projet communautaire à but non lucratif est qu'il est à code source ouvert, entièrement gratuit et ne contient aucune publicité. Construite de A à Z pour Android, sa taille de téléchargement est faible et est donc très efficace et remarquablement rapide. diff --git a/play/plaintext-descriptions/hi-IN.txt b/play/plaintext-descriptions/hi-IN.txt index d4059babc0..8872fd59c2 100644 --- a/play/plaintext-descriptions/hi-IN.txt +++ b/play/plaintext-descriptions/hi-IN.txt @@ -1,6 +1,6 @@ बाइबिल पढ़ने की शक्तिशाली उपकरण -ऐंड बाइबिल ओपन सोर्स प्रोजेक्ट द्वारा बाइबिल अध्ययन ऐप एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। +"AndBible: बाइबिल" एंड्रॉइड के लिए एक शक्तिशाली, उपयोग में आसान, ऑफ़लाइन बाइबिल अध्ययन उपकरण है। ऐप का उद्देश्य केवल एक बाइबल पाठक बनना नहीं है, बल्कि गहन व्यक्तिगत बाइबल अध्ययन करने के लिए एक उच्च उपकरण होने पर ध्यान केंद्रित करता है। यह एप्लिकेशन बाइबिल पाठकों द्वारा बाइबिल पाठकों के लिए बनाया गया है। इसका उद्देश्य आपके बाइबल अध्ययन को सुविधाजनक, गहन और मनोरंजक बनाने में आपकी मदद करना है। इस गैर-लाभकारी सामुदायिक परियोजना के बारे में सबसे अच्छी बात यह है कि यह खुला स्रोत है, पूरी तरह से मुफ़्त है, और इसमें कोई विज्ञापन नहीं है। एंड्रॉइड के लिए बनाया गया , यह एक छोटा डाउनलोड है, और इसलिए बहुत ही कुशल और उल्लेखनीय रूप से तेज़ है । diff --git a/play/plaintext-descriptions/hu-HU.txt b/play/plaintext-descriptions/hu-HU.txt index 2768c09323..94a5f9fac3 100644 --- a/play/plaintext-descriptions/hu-HU.txt +++ b/play/plaintext-descriptions/hu-HU.txt @@ -1,6 +1,6 @@ Bibliatanulmányozó alkalmazás -Az 'And Bible' nyílt forráskódú projekt által fejlesztett 'Bible Study' app funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. +" AndBible: Biblia" funkciógazdag, mégis egyszerűen kezelhető, folyamatos internetkapcsolatot nem igénylő bibliatanulmányozó alkalmazás Android operációs rendszerre. Az alkalmazás nem csak egy egyszerű bibliaolvasó, hanem fejlett funkciókkal támogatja a személyes bibliatanulmányozást. Az alkalmazást bibliaolvasó emberek fejlesztik bibliaolvasó embereknek. A cél az, hogy a Biblia tanulmányozása egyszerű, szórakoztató, de alapos is legyen. A non-profit közösségi modell előnye, hogy az alkalmazás nyílt forráskódú, teljesen ingyenes és nem tartalmaz hirdetéseket. Az alkalmazást teljesen az alapoktól készítettük Androidra, így kifejezetten kicsi a mérete, erőforrásbarát és meglepően gyors. diff --git a/play/plaintext-descriptions/it-IT.txt b/play/plaintext-descriptions/it-IT.txt index 0537c77c5a..f8009b5b98 100644 --- a/play/plaintext-descriptions/it-IT.txt +++ b/play/plaintext-descriptions/it-IT.txt @@ -1,6 +1,6 @@ Un potente strumento di studio della Bibbia -L'app Studi Biblici del progetto open source And Bible è un'applicazione per lo studio della Bibbia per Android potente, ma facile da usare. L'app non è limitata alla sola lettura del testo biblico, ma offre strumenti avanzati per lo studio personale della Bibbia. +"AndBible: Studi Biblici" è un'applicazione potente, ma facile da usare, per lo studio offline della Bibbia su Android. L'app non si limita alle funzionalità di lettura, ma è progettata per essere uno strumento avanzato per lo studio approfondito personale della Bibbia. Questa applicazione è sviluppata da lettori della Bibbia, per i lettori della Bibbia. Vuole essere d'aiuto per facilitarti lo studio e l'approfondimento della Bibbia. La parte migliore di questo progetto non-profit è che è open source, completamente gratuito, e non contiene pubblicità. Interamente progettato per Android, è un programma piccolo da scaricare, e quindi molto efficiente e veloce. diff --git a/play/plaintext-descriptions/kk.txt b/play/plaintext-descriptions/kk.txt index dbc6777fc3..d927ac1474 100644 --- a/play/plaintext-descriptions/kk.txt +++ b/play/plaintext-descriptions/kk.txt @@ -1,6 +1,6 @@ Киелі кітапты зерттеудің Мықты құралы -And Bible Open Source Project by Bible Study қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. +"AndBible: Киелі Кітап+" қосымшасы - бұл Android үшін күшті, бірақ қолдануға оңай офлайн режимінде Киелі кітапты зерттеу қосымшасы. Қосымша тек Киелі кітапты ғана оқуды мақсат етпейді, Киелі кітапты жеке әрі терең зерттеудің жетілдірілген құралы болуына бағытталған. Бұл қосымша Киелі кітапты оқитындардан, Киелі кітапты оқитындарға арналған. Бұл сізге Киелі кітапты зерттеуді ыңғайлы, терең және қызықты етуге көмектесуге бағытталған. Бұл коммерциялық емес қоғамдастық жобаның бір жақсы жағы - бұл ашық кодты, мүлдем ақысыз және жарнамасыз. Android үшін толығымен жаңадан жасалған, жүктеу үшін өте аз, сондықтан өте тиімді және жылдам болады. diff --git a/play/plaintext-descriptions/ko-KR.txt b/play/plaintext-descriptions/ko-KR.txt index f0e69db8cc..8fda809d28 100644 --- a/play/plaintext-descriptions/ko-KR.txt +++ b/play/plaintext-descriptions/ko-KR.txt @@ -1,6 +1,6 @@ 강력한 성경 공부 도구 -And Bible 오픈소스 프로젝트의 성경 공부 앱은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. +"AndBible: 성경 공부" 은 강력하고 사용하기 쉬운 안드로이드용 오프라인 성경 공부 앱입니다. 이 앱은 단순히 성경 읽기만이 아니라 깊이 있는 개인 성경 연구를 목표로 하는 강력한 도구입니다. 이 앱은 성경을 읽는 사람들이 성경을 읽는 사람들을 위해 만들었습니다. 이 앱은 당신의 성경 공부를 편리하고 깊고 재미있게 만드는 것을 목표로 합니다. 비영리 커뮤니티 프로젝트에서 가장 좋은 점은 오픈 소스이고, 완전히 무료이며 광고가 없다는 점입니다. 완전히 안드로이드를 위해서만 만들어졌기 때문에 앱 크기가 작고, 따라서 매우 효율적이며 빠릅니다. diff --git a/play/plaintext-descriptions/lt.txt b/play/plaintext-descriptions/lt.txt index a6d1f967f2..19b3fe13d0 100644 --- a/play/plaintext-descriptions/lt.txt +++ b/play/plaintext-descriptions/lt.txt @@ -1,6 +1,6 @@ Galingas Biblijos studijavimo įrankis -Biblijos Studijų programėlė, sukurta And Bible atvirojo kodo projekto - tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. +"AndBible: Biblija" tai galinga, bet tuo pačiu metu lengva naudoti „Android“ Biblijos studijų programėlė, kuri nereikalauja interneto. Ši programėlė nesiekia būti paprasta Biblijos skaitytuve, bet verčiau yra sutelkta į tai, kad būtų išplėstiniu įrankiu, kuris yra skirtas išsamiai asmeniškai nagrinėti Bibliją. Šią programėlę Biblijos skaitytojams sukūrė Biblijos skaitytojai. Jos tikslas - padėti jums patogiai, išsamiai ir linksmai nagrinėti Bibliją. Geriausia, kas yra šiame nekomerciniame bendruomenės projekte yra tai, jog jis yra atvirojo kodo, visiškai nemokamas ir be jokių reklamų. Kadangi ši programėlė nuo pat pradžių buvo kuriama „Android“ sistemai, ji yra mažo dydžio ir todėl, labai efektyvi bei išskirtinai greita. diff --git a/play/plaintext-descriptions/my-MM.txt b/play/plaintext-descriptions/my-MM.txt index da2bec991e..9122362bf8 100644 --- a/play/plaintext-descriptions/my-MM.txt +++ b/play/plaintext-descriptions/my-MM.txt @@ -1,6 +1,6 @@ စွမ်းအားမြင့် ကျမ်းစာလေ့လာရေး ကိရိယာ -And Bible အခမဲ့အရင်းအမြစ်လုပ်ငန်းမှ ပြုလုပ်သည့် ကျမ်းစာလေ့လာရေးအက်ပ်သည် အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ +"AndBible: သမ္မာကျမ်းစာ" အစွမ်းထက်သလောက် အသုံးပြုရလွယ်ကူသည့် လိုင်းမလို Android ကျမ်းစာလေ့လာရေးအက်ပ် တစ်ခုဖြစ်ပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရှုရုံ အတွက်သာ ရည်ရွယ်ထားသည်မဟုတ်ပဲ ကိုယ်တိုင်ကျမ်းစာကို လေးလေးနက်နက် လေ့လာနိုင်သည့် အဆင့်မြင့်ကိရိယာအဖြစ်လည်း ရှေးရှုထားပါသည်။ ဤအက်ပ်ကို ကျမ်းစာဖတ်ရူသူများမှ ကျမ်းစာဖတ်ရူသူများအတွက် ရည်ရွယ်ထုတ်လုပ် ထားခြင်းဖြစ်သည်။ ကျမ်းစာကို သက်တောင့် သက်သာ၊ လေးလေးနက်နက်နှင့် ပျော်ရွှင်စွာ ပြုလုပ်နိုင်စေရန် ရည်ရွယ်ပါသည်။ ဤအခမဲ့ လူထုအကျိုးပြုလုပ်ငန်း၏ အကောင်းဆုံးအချက်မှာ ပွင့်လင်းသောရင်းမြစ်၊ လုံး၀အခမဲ့နှင့် ကြော်ငြာများ မပါဝင်ခြင်းပင် ဖြစ်သည်။ Android စနစ်တွင် အောက်ခြေမှစ တည်ဆောက်ထားခြင်းဖြစ်ပြီး ဒေါင်းလုပ်ရပေါ့ပါးပါသည်။ ထို့ကြောင့် အလွန်ထိရောက်ပြီး အံ့သြဖွယ်ရာ မြန်ဆန်ပါသည်။ diff --git a/play/plaintext-descriptions/no-NO.txt b/play/plaintext-descriptions/no-NO.txt index b40c9624d6..7e85e30d71 100644 --- a/play/plaintext-descriptions/no-NO.txt +++ b/play/plaintext-descriptions/no-NO.txt @@ -1,6 +1,6 @@ Kraftig bibelstudie-verktøy -Bibelstudie-applikasjonen fra And Bible Open Source Project er kraftig, samtidig som den er enkel å bruke, også når du ikke har internettilkobling. Applikasjonens mål er ikke bare å være for bibellesing, men også å være et avansert verktøy for dype bibelstudier. +"AndBible: Bibelstudie" er en kraftig og lettbrukelig applikasjon for bibelstudier for Android. Applikasjonen er ikke bygget bare for å lese bibelen, men fokuserer på å være et avansert verktøy for dype personlige bibelstudier. Applikasjonen er utviklet av bibellesere, for bibellesere. Den fokuserer på å gjøre bibelstudier både lettvint, dyp og trivelig. Det beste med dette ikke-kommersielle dugnadsprosjektet er at kildekoden er åpen, fullstendig gratis og inneholder ingen reklame. Den har blitt bygget fullstendig fra grunnen av for Android, og er derfor liten å laste ned og dermed svært effektiv og rask å bruke. @@ -16,10 +16,10 @@ Applikasjonen har mange innsiktsfulle og originale finesser som gjør komplekse * Lenkede kryssreferanser, fotnoter og dokumenter; hopp til kryssreferanser og fotnoter ved å klikke på en lenke; gjør dybdestudier av Skiftene ved å benytte hyperlenkede kommentarer (Gill, Matthew Henry osv.), kryssreferansesamlinger (Treasure of Scripture Knowledge, TSKe) og andre ressurser. * Avansert tekst-til-tale med bokmerke-tale åpner for en strømlinjet bibellytte-opplevelse * Fleksibel søking - * Bokmerker med valgfrie farger på bokmerkegrupper - * + * Avansert bokmerking og fokusmuligheter med personlige studienotater + * Studiebrett for å skrive notater og bibelreferanser samtidig som man lytter til undervisning. * Bibelleseplaner: sett mål for bibellesingen - * Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over 1500 moduler på over 700 språk, fritt distribuert fra Crosswire og andre SWORD pakkebrønner (repositories). + * Et stort bibliotek av moduler: Bibeloversettelser, teologiske bibelkommentarer, bibelordbøker, kart og kristne bøker som teller over 1500 moduler på over 700 språk, fritt distribuert av Crosswire og andre SWORD pakkebrønner (repositories). * Frakoblet modus: du trenger bare være påkoblet internett når du skal laste ned moduler. La oss bygge den beste Bibel-applikasjonen sammen! @@ -29,7 +29,7 @@ And Bibel er et åpen kildekode-prosjekt. I praksis betyr dette at hvem som hels * utvikle nye funksjoner, * teste nye funksjoner som ikke er utgitt enda, * holde oversettelse av brukergrensesnittet oppdatert, og - * hjelpe til med å utvide biblioteket over moduler. + * hjelpe til med å utvide modulbiblioteket ved å skaffe tillatelser fra rettighetshavere, eller ved å konvertere dokumenter til SWORD-format. Dersom du er en profesjonell programvareutvikler eller programvaretester, vennligst vurder å bidra i prosjektet. For mer informasjon om hvordan du kan bidra, vennligst besøk https://git.io/JUnaj. diff --git a/play/plaintext-descriptions/pl-PL.txt b/play/plaintext-descriptions/pl-PL.txt index fdaf0a8202..ca23df8121 100644 --- a/play/plaintext-descriptions/pl-PL.txt +++ b/play/plaintext-descriptions/pl-PL.txt @@ -1,6 +1,6 @@ Zaawansowane narzędzie do studiowania Pisma Świętego -Aplikacja Studium Biblii «Bible Study» otwartoźródłowego projektu And Bible jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. +"AndBible: Studium Biblii" jest potężnym i zarazem łatwym w użyciu narzędziem do czytania Biblii bez dostępu do internetu na system Android. Nie jest to zwykły czytnik Pisma Świętego, ale zaawansowane narzędzie do głębokiego osobistego studiowania Biblii. Ta aplikacja jest rozwijana przez i dla czytaczy Pisma Świętego. Jej celem jest sprawienie, aby czytanie Biblii było wygodne, głębokie i radosne. Najważniejsze w naszym projekcie jest to, że jest on otwartoźródłowy (open source), całkowicie darmowy i nie zawiera reklam. Stworzona od podstaw na system Android, nasza aplikacja zajmuje niewiele miejsca, jest lekka i szybka. diff --git a/play/plaintext-descriptions/pt-PT.txt b/play/plaintext-descriptions/pt-PT.txt index 51d79cb2a8..7595090a5a 100644 --- a/play/plaintext-descriptions/pt-PT.txt +++ b/play/plaintext-descriptions/pt-PT.txt @@ -1,6 +1,6 @@ Ferramenta poderosa de estudo da Bíblia -A aplicação de estudo da Bíblia por And Bible Open Source Project é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. +"AndBible: Estudo Biblico" é um aplicativo de estudo da Bíblia off-line poderoso, mas fácil de usar, para Android. A aplicação não pretende ser simplesmente um leitor da Bíblia, mas é também uma ferramenta avançada para fazer um estudo bíblico pessoal em profundidade. Esta aplicação é desenvolvida por leitores da Bíblia, para leitores da Bíblia. O seu objetivo é ajudá-lo a tornar o seu estudo da Bíblia conveniente, profundo e divertido. A melhor parte desse projeto comunitário sem fins lucrativos é que ele é de código aberto, totalmente gratuito e não contém anúncios. Tendo sido desenvolvido desde o início para o Android, é um download pequeno e, portanto, muito eficiente e incrivelmente rápido. diff --git a/play/plaintext-descriptions/ro.txt b/play/plaintext-descriptions/ro.txt index be2287dd56..780b7d39c1 100644 --- a/play/plaintext-descriptions/ro.txt +++ b/play/plaintext-descriptions/ro.txt @@ -1,6 +1,6 @@ O unealtă pentru studiul Bibliei -Aplicația de studiu biblic de la And Bible Open Source Project este o aplicație de studiu biblic offline, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument avansat pentru a face un studiu personal aprofundat al Bibliei. +"AndBible: Biblia" este o aplicație complexă de studiu biblic, dar ușor de utilizat, pentru Android. Aplicația nu își propune să fie doar pentru citit Biblia, ci se concentrează pe a fi un instrument pentru a face un studiu aprofundat al Bibliei. Această aplicație este realizată de cititori ai Bibliei, pentru cititorii Bibliei. Scopul ei este de a vă ajuta să vă faceți studiul biblic convenabil, profund și distractiv. Cea mai bună parte a acestui proiect comunitar non-profit este că are sursă publică, este complet gratuit și nu conține reclame. Fiind construită de la zero pentru Android, este mică și, prin urmare, foarte eficientă și remarcabil de rapidă. diff --git a/play/plaintext-descriptions/ru-RU.txt b/play/plaintext-descriptions/ru-RU.txt index de70d37bee..f22a64d3a2 100644 --- a/play/plaintext-descriptions/ru-RU.txt +++ b/play/plaintext-descriptions/ru-RU.txt @@ -1,6 +1,6 @@ Мощный инструмент для изучения Библии -Приложение «Изучение Библии», автор проекта «And Bible с открытым исходным кодом» - это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. +"AndBible: Изучение Библии" это мощное, но простое в использовании приложение для автономного изучения Библии для Android. Приложение не нацелено на то, чтобы просто читать Библию, но ориентировано на то, чтобы быть продвинутым инструментом для углубленного, личного изучения Библии. Это приложение разработано читателями Библии для читателей Библии. Его цель - помочь вам сделать изучение Библии удобным, глубоким и увлекательным. Лучшее в этом некоммерческом проекте сообщества то, что он имеет открытый исходный код, полностью бесплатен и не содержит рекламы. Созданный с нуля для Android, это небольшая загрузка, поэтому она очень эффективна и замечательно быстра. diff --git a/play/plaintext-descriptions/sk.txt b/play/plaintext-descriptions/sk.txt index 4268a8eaa3..e468d03ad0 100644 --- a/play/plaintext-descriptions/sk.txt +++ b/play/plaintext-descriptions/sk.txt @@ -1,6 +1,6 @@ Účinný nástroj na štúdium Biblie -Aplikácia Bible Study od And Bible Open Source Project je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácie nemá za cieľ len sprostredkovať čítanie Biblie, ale je pokročilým nástrojom na hlboké osobné štúdium Biblie. +"AndBible: Bible Study" je výkonná, ale ľahko použiteľná offline aplikácia na štúdium Biblie pre Android. Aplikácia si nekladie za cieľ byť len čítačkou Biblie, ale zameriava sa na to, aby bola pokročilým nástrojom na hĺbkové osobné štúdium Biblie. Táto aplikácia je vyvinutá čitateľmi Biblie pre čitateľov Biblie. Cieľom je pomôcť vám urobiť štúdium Biblie pohodlným, hlbokým a zábavným. Najlepšie na tomto neziskovom komunitnom projekte je, že je s otvoreným kódom, úplne zadarmo a neobsahuje žiadne reklamy. Keďže bol vyvinutý od základu pre Android, je malá na sťahnutie, a preto aj veľmi efektívna a pozoruhodne rýchla. diff --git a/play/plaintext-descriptions/sl.txt b/play/plaintext-descriptions/sl.txt index d43bc9f989..b64b63cf52 100644 --- a/play/plaintext-descriptions/sl.txt +++ b/play/plaintext-descriptions/sl.txt @@ -1,6 +1,6 @@ Močno orodje za proučevanje Biblije -Aplikacija za proučevanje Biblije je zmogljiva, vendar enostavna aplikacija za proučevanje Biblije brez internetne povezave za naprave z operacijskim sistemom Android. Aplikacija ni namenjena zgolj branju Biblije, temveč se kot napredno orodje osredotoča na poglobljeno osebno proučevanje Biblije. +"AndBible: Proučevanje Biblije" je zmogljiva, a enostavna aplikacija za Android namenjena preučevanju Svetega pisma, ki za delovanje ne potrebuje povezave z internetom. Aplikacija ni namenjena zgolj branju Svetega pisma, ampak se osredotoča na napredno orodje za poglobljeno osebno preučevanje Svetega pisma. To aplikacijo so razvili bralci Biblije za bralce Biblije. Namen aplikacije je, da vam pomaga, da bo vaše biblijsko proučevanje priročno, poglobljeno in zabavno. Najboljše pri tem neprofitnem projektu skupnosti je, da je odprtokoden, popolnoma brezplačen in ne vsebuje oglasov. Ker je aplikacija od vsega začetka zasnovana za Android, je majhna za prenos in zato zelo učinkovita in izjemno hitra. diff --git a/play/plaintext-descriptions/te.txt b/play/plaintext-descriptions/te.txt index 2d47e73f00..9f08c5583e 100644 --- a/play/plaintext-descriptions/te.txt +++ b/play/plaintext-descriptions/te.txt @@ -1,6 +1,6 @@ శక్తివంతమైన బైబిల్ అధ్యయన సాధనం -అండ్ బైబిల్ ఓపెన్ సోర్స్ ప్రాజెక్ట్ వారి బైబిల్ స్టడీ యాప్, ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. +"AndBible: బైబిల్" ఉపయోగించడానికి సులభమైన ఒక శక్తివంతమైన, ఇంటర్నెట్ అవసరం లేకుండా "ఆఫ్‌లైన్లొ" పనిచేయగలిగే ఆండ్రాయిడ్ బైబిల్ అధ్యయన అప్లికేషన్. ఇ యాప్ కేవలం బైబిల్ చదువుకోవడాన్ని లక్ష్యంగా పెట్టుకొని రూపొందించలేదు కానీ లోతైన వ్యక్తిగత బైబిల్ అధ్యయనం చేయడానికి అధునాతన సాధనంగా ఉపయోగపడాలని చేయబడింది. ఈ అప్లికేషన్ బైబిల్ పాఠకులచే, బైబిల్ పాఠకుల కొరకు రూపొందించబడినది. మీరు బైబిలు అధ్యయనాన్ని సౌకర్యవంతంగా, లోతుగా మరియు ఆహ్లాదంగ చేయడానికి మీకు సహాయం చేయడం దీని లక్ష్యం. ఈ లాభాపేక్షలేని కమ్యూనిటీ ప్రాజెక్ట్‌లో ఉత్తమమైన అంశం ఏమిటంటే ఇది ఓపెన్ సోర్స్, పూర్తిగా ఉచితం కాబట్టి ప్రకటనలు వుండవు. ఇది పూర్తిగా ఆండ్రాయిడ్ కోసమే నిర్మించబడినందున, ఇది ఒక చిన్నపరిమాణంలో వున్న డౌన్‌లోడ్, కాబట్టి చాలా సమర్థవంతంగా మరియు అసాధారణంమైన వేగంగా ఉంటుంది. diff --git a/play/plaintext-descriptions/uk.txt b/play/plaintext-descriptions/uk.txt index 1ff88dc985..e2eab11fd2 100644 --- a/play/plaintext-descriptions/uk.txt +++ b/play/plaintext-descriptions/uk.txt @@ -1,6 +1,6 @@ Потужний інструмент для вивчення Біблії -Програма Bible Study (Вивчення Біблії) від And Bible Open Source Project - це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. +"AndBible: Вивчення Біблії" це потужний, але простий у використанні додаток для вивчення Біблії в автономному режимі для Android. Додаток не є просто для читання Біблії, а зосереджується на тому, щоб бути вдосконаленим інструментом для глибокого, особистого вивчення Біблії. Ця програма розроблена читачами Біблії для читачів Біблії. Вона спрямована на те, щоб допомогти вам зробити вивчення Біблії зручним, глибоким та інтересним. Найкращий аспект цього некомерційного проекту полягає в тому, що він є відкритим, повністю безкоштовним і не містить реклами. Побудоване з нуля для Android, це невелике завантаження, а отже, дуже ефективне та надзвичайно швидке. diff --git a/play/plaintext-descriptions/zh-CN.txt b/play/plaintext-descriptions/zh-CN.txt index 6f176ca19e..b41a9d7799 100644 --- a/play/plaintext-descriptions/zh-CN.txt +++ b/play/plaintext-descriptions/zh-CN.txt @@ -1,6 +1,6 @@ 功能强大的的研经工具 -And Bible开源计划的研经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 +"AndBible: 研经工具" 经工具是一款多功能、易用的离线Android程式。此程式不单是一个纯粹的圣经阅读器,也专注于成功个人全方位的研经工具。 此程式是由圣经读者开发,也是为圣经读者开发。目的是提供便利、有深度且有趣的查经体验。此程式是非营利、也是开源,更重要是完全没有广告滋扰。它是一个原创的Android程式,占用空间亦是细小,因此它是一个十分快速且高效能的程式。 diff --git a/play/plaintext-descriptions/zh-TW.txt b/play/plaintext-descriptions/zh-TW.txt index 8a1f65ded0..dbf086735e 100644 --- a/play/plaintext-descriptions/zh-TW.txt +++ b/play/plaintext-descriptions/zh-TW.txt @@ -1,6 +1,6 @@ 功能強大的的研經工具 -And Bible開源計劃的研經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 +"AndBible: 研經工具" 經工具是一款多功能、易用的離線Android程式。此程式不單是一個純粹的聖經閱讀器,也專注於成功個人全方位的研經工具。 此程式是由聖經讀者開發,也是為聖經讀者開發。目的是提供便利、有深度且有趣的查經體驗。此程式是非營利、也是開源,更重要是完全沒有廣告滋擾。它是一個原創的Android程式,佔用空間亦是細小,因此它是一個十分快速且高效能的程式。 From 84671476e6998bff24863b93d7b5bb66e9b6838b Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 30 Jun 2022 12:13:57 +0300 Subject: [PATCH 0016/1390] Fix some titles --- fastlane/metadata/android/bn-BD/title.txt | 2 +- fastlane/metadata/android/et/title.txt | 2 +- fastlane/metadata/android/iw-IL/title.txt | 2 +- fastlane/metadata/android/sr/title.txt | 2 +- fastlane/metadata/android/tr-TR/title.txt | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/fastlane/metadata/android/bn-BD/title.txt b/fastlane/metadata/android/bn-BD/title.txt index 00f56e4ce5..4c2490d8b0 100644 --- a/fastlane/metadata/android/bn-BD/title.txt +++ b/fastlane/metadata/android/bn-BD/title.txt @@ -1 +1 @@ -বাইবেল দ্বারা বাইবেল অধ্যয়নের অ্যাপ্লিকেশন \ No newline at end of file +AndBible: বাইবেল diff --git a/fastlane/metadata/android/et/title.txt b/fastlane/metadata/android/et/title.txt index bb67b77921..b2453478d6 100644 --- a/fastlane/metadata/android/et/title.txt +++ b/fastlane/metadata/android/et/title.txt @@ -1 +1 @@ -Piibliõppe rakendus, And Bible projektilt \ No newline at end of file +AndBible: Piibliuurimine diff --git a/fastlane/metadata/android/iw-IL/title.txt b/fastlane/metadata/android/iw-IL/title.txt index f10abf372d..1b1152f387 100644 --- a/fastlane/metadata/android/iw-IL/title.txt +++ b/fastlane/metadata/android/iw-IL/title.txt @@ -1 +1 @@ -אפליקציה לתנ"ך, מאת And Bible Open \ No newline at end of file +לתנ"ך, :AndBible diff --git a/fastlane/metadata/android/sr/title.txt b/fastlane/metadata/android/sr/title.txt index ad61420008..865e02d635 100644 --- a/fastlane/metadata/android/sr/title.txt +++ b/fastlane/metadata/android/sr/title.txt @@ -1 +1 @@ -Učenje Biblije, od "And Bible Open Source Project" \ No newline at end of file +AndBible: Učenje Biblije diff --git a/fastlane/metadata/android/tr-TR/title.txt b/fastlane/metadata/android/tr-TR/title.txt index cdbd80af29..2fb1d0a2b9 100644 --- a/fastlane/metadata/android/tr-TR/title.txt +++ b/fastlane/metadata/android/tr-TR/title.txt @@ -1 +1 @@ -İncil uygulaması (And Bible) Açık Kaynak Projesi \ No newline at end of file +AndBible: İncil uygulaması From 7491569af9973c4a184c486b5a2e5533b7ebc9a8 Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 30 Jun 2022 12:18:17 +0300 Subject: [PATCH 0017/1390] Fix telugu config --- .tx/config | 2 +- fastlane/metadata/android/{te => te-IN}/full_description.txt | 0 fastlane/metadata/android/{te => te-IN}/short_description.txt | 0 fastlane/metadata/android/{te => te-IN}/title.txt | 0 play/description-translations/{te.yml => te-IN.yml} | 0 play/plaintext-descriptions/{te.txt => te-IN.txt} | 0 6 files changed, 1 insertion(+), 1 deletion(-) rename fastlane/metadata/android/{te => te-IN}/full_description.txt (100%) rename fastlane/metadata/android/{te => te-IN}/short_description.txt (100%) rename fastlane/metadata/android/{te => te-IN}/title.txt (100%) rename play/description-translations/{te.yml => te-IN.yml} (100%) rename play/plaintext-descriptions/{te.txt => te-IN.txt} (100%) diff --git a/.tx/config b/.tx/config index 01ca84d648..f87c21d2ab 100644 --- a/.tx/config +++ b/.tx/config @@ -9,7 +9,7 @@ source_lang = en minimum_perc = 60 [andbible.play-store-main-description] -lang_map = bn: bn-BD, pt: pt-PT, az@latin: az-AZ, cs: cs-CZ, de: de-DE, en_GB: en-US, es: es-ES, fi: fi-FI, fr: fr-FR, nl: nl-NL, pl: pl-PL, ru: ru-RU, zh_TW: zh-TW, zh_CN: zh-CN, tr: tr-TR, hi: hi-IN, nb: no-NO, hu: hu-HU, he: iw-IL, sr_RS: sr, my: my-MM, it: it-IT, ko: ko-KR +lang_map = bn: bn-BD, pt: pt-PT, az@latin: az-AZ, cs: cs-CZ, de: de-DE, en_GB: en-US, es: es-ES, fi: fi-FI, fr: fr-FR, nl: nl-NL, pl: pl-PL, ru: ru-RU, zh_TW: zh-TW, zh_CN: zh-CN, tr: tr-TR, hi: hi-IN, nb: no-NO, hu: hu-HU, he: iw-IL, sr_RS: sr, my: my-MM, it: it-IT, ko: ko-KR, te:te-IN file_filter = play/description-translations/.yml source_file = play/playstore-description.yml source_lang = en diff --git a/fastlane/metadata/android/te/full_description.txt b/fastlane/metadata/android/te-IN/full_description.txt similarity index 100% rename from fastlane/metadata/android/te/full_description.txt rename to fastlane/metadata/android/te-IN/full_description.txt diff --git a/fastlane/metadata/android/te/short_description.txt b/fastlane/metadata/android/te-IN/short_description.txt similarity index 100% rename from fastlane/metadata/android/te/short_description.txt rename to fastlane/metadata/android/te-IN/short_description.txt diff --git a/fastlane/metadata/android/te/title.txt b/fastlane/metadata/android/te-IN/title.txt similarity index 100% rename from fastlane/metadata/android/te/title.txt rename to fastlane/metadata/android/te-IN/title.txt diff --git a/play/description-translations/te.yml b/play/description-translations/te-IN.yml similarity index 100% rename from play/description-translations/te.yml rename to play/description-translations/te-IN.yml diff --git a/play/plaintext-descriptions/te.txt b/play/plaintext-descriptions/te-IN.txt similarity index 100% rename from play/plaintext-descriptions/te.txt rename to play/plaintext-descriptions/te-IN.txt From 2a13b5103e30f7b14629f290c0564b9b799be5a1 Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 30 Jun 2022 12:22:57 +0300 Subject: [PATCH 0018/1390] Increment version --- app/src/main/AndroidManifest.xml | 4 ++-- .../metadata/android/en-US/changelogs/4.0.649.txt | 15 +++++++++++++++ 2 files changed, 17 insertions(+), 2 deletions(-) create mode 100644 fastlane/metadata/android/en-US/changelogs/4.0.649.txt diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index cb9dc3e9b7..55cf092443 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -3,8 +3,8 @@ xmlns:tools="http://schemas.android.com/tools" package="net.bible.android.activity" android:installLocation="auto" - android:versionCode="648" - android:versionName="4.0.648"> + android:versionCode="649" + android:versionName="4.0.649"> diff --git a/fastlane/metadata/android/en-US/changelogs/4.0.649.txt b/fastlane/metadata/android/en-US/changelogs/4.0.649.txt new file mode 100644 index 0000000000..4d6630bdea --- /dev/null +++ b/fastlane/metadata/android/en-US/changelogs/4.0.649.txt @@ -0,0 +1,15 @@ +Latest changes +- App name change due to Google Play's new restriction (30 characters) +- Experimental support for MyBible modules, see + https://github.com/AndBible/and-bible/wiki/MyBible-module-support +- Bugfixes + +4.0 +See "what's new" video: https://youtu.be/f2cf6-7liMo +Release notes: https://github.com/AndBible/and-bible/wiki/v4.0-Release-Notes +Highlights: +- Char-accurate bookmarks +- Bookmarks & My Notes merged & improved +- My Notes commentary view +- Study Pads for creating sermon notes etc. +- Strongs dictionary by clicking words From b44f16dce747c9b0c80efed52452f781e86df2cf Mon Sep 17 00:00:00 2001 From: Tuomas Airaksinen Date: Thu, 30 Jun 2022 12:27:08 +0300 Subject: [PATCH 0019/1390] Shorten changelog --- fastlane/metadata/android/en-US/changelogs/4.0.649.txt | 2 -- 1 file changed, 2 deletions(-) diff --git a/fastlane/metadata/android/en-US/changelogs/4.0.649.txt b/fastlane/metadata/android/en-US/changelogs/4.0.649.txt index 4d6630bdea..f63137a1ac 100644 --- a/fastlane/metadata/android/en-US/changelogs/4.0.649.txt +++ b/fastlane/metadata/android/en-US/changelogs/4.0.649.txt @@ -1,7 +1,5 @@ Latest changes - App name change due to Google Play's new restriction (30 characters) -- Experimental support for MyBible modules, see - https://github.com/AndBible/and-bible/wiki/MyBible-module-support - Bugfixes 4.0 From 92cc84cc50b957a062c00072a8979b04f7704173 Mon Sep 17 00:00:00 2001 From: Andrew Rogers Date: Sun, 10 Jul 2022 18:47:00 +0630 Subject: [PATCH 0020/1390] Enabled long name and consolidate code for grouping books --- .../navigation/GridChoosePassageBook.kt | 18 +++ .../navigation/GridChoosePassageChapter.kt | 2 +- .../navigation/GridChoosePassageVerse.kt | 2 +- .../view/util/buttongrid/ButtonGrid.kt | 105 +++++++++++------- .../res/menu/choose_passage_book_menu.xml | 4 + app/src/main/res/values/strings.xml | 1 + 6 files changed, 87 insertions(+), 45 deletions(-) diff --git a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt index 478483d62b..9f40b23dbd 100644 --- a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt +++ b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageBook.kt @@ -83,6 +83,8 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b val BookColorAndGroup = getBookColorAndGroup(book.ordinal) buttonInfo.GroupA = BookColorAndGroup.GroupA buttonInfo.GroupB = BookColorAndGroup.GroupB + buttonInfo.showLongBookName = buttonGrid.isShowLongBookName + buttonInfo.type = ButtonInfo.Companion.GridButtonTypes.BOOK if (book == currentBibleBook) { buttonInfo.tintColor = BookColorAndGroup.Color buttonInfo.textColor = Color.DKGRAY @@ -139,6 +141,7 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b buttonGrid.setOnButtonGridActionListener(this) buttonGrid.isLeftToRightEnabled = CommonUtils.settings.getBoolean(BOOK_GRID_FLOW_PREFS, false) buttonGrid.isGroupByCategoryEnabled = CommonUtils.settings.getBoolean(BOOK_GRID_FLOW_PREFS_GROUP_BY_CATEGORY, false) + buttonGrid.isShowLongBookName = CommonUtils.settings.getBoolean(BOOK_GRID_SHOW_LONG_NAME, false) buttonGrid.isAlphaSorted = navigationControl.bibleBookSortOrder == BibleBookSortOrder.ALPHABETICAL buttonGrid.addBookButtons(bibleBookButtonInfo) @@ -157,6 +160,9 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b buttonGrid.isLeftToRightEnabled = CommonUtils.settings.getBoolean(BOOK_GRID_FLOW_PREFS, false) menu.findItem(R.id.row_order_opt).isChecked = buttonGrid.isLeftToRightEnabled + buttonGrid.isShowLongBookName = CommonUtils.settings.getBoolean(BOOK_GRID_SHOW_LONG_NAME, false) + menu.findItem(R.id.show_long_book_name).isChecked = buttonGrid.isShowLongBookName + val deutToggle = menu.findItem(R.id.deut_toggle) deutToggle.setTitle(if(isCurrentlyShowingScripture) R.string.bible else R.string.deuterocanonical) deutToggle.isVisible = navigationControl.getBibleBooks(false).isNotEmpty() @@ -199,6 +205,15 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b invalidateOptionsMenu() true } + R.id.show_long_book_name -> { + buttonGrid.toggleShowLongName() + item.isChecked = buttonGrid.isShowLongBookName + buttonGrid.clear() + buttonGrid.addBookButtons(bibleBookButtonInfo) + saveOptions() + invalidateOptionsMenu() + true + } R.id.deut_toggle -> { isCurrentlyShowingScripture = !isCurrentlyShowingScripture buttonGrid.isCurrentlyShowingScripture = isCurrentlyShowingScripture @@ -217,6 +232,8 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b private fun saveOptions() { CommonUtils.settings.setBoolean(BOOK_GRID_FLOW_PREFS, buttonGrid.isLeftToRightEnabled) CommonUtils.settings.setBoolean(BOOK_GRID_FLOW_PREFS_GROUP_BY_CATEGORY, buttonGrid.isGroupByCategoryEnabled) + CommonUtils.settings.setBoolean(BOOK_GRID_SHOW_LONG_NAME, buttonGrid.isShowLongBookName) + } override fun buttonPressed(buttonInfo: ButtonInfo) { @@ -314,6 +331,7 @@ class GridChoosePassageBook : CustomTitlebarActivityBase(R.menu.choose_passage_b public const val BOOK_GRID_FLOW_PREFS = "book_grid_ltr" public const val BOOK_GRID_FLOW_PREFS_GROUP_BY_CATEGORY = "book_grid_group_by_category" + public const val BOOK_GRID_SHOW_LONG_NAME = "book_grid_show_long_name" private const val TAG = "GridChoosePassageBook" fun getBookColorAndGroup(bookNo: Int): ExtraBookInfo { diff --git a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageChapter.kt b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageChapter.kt index 1f884a4f99..217160fe27 100644 --- a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageChapter.kt +++ b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageChapter.kt @@ -34,7 +34,6 @@ import net.bible.android.view.util.buttongrid.ButtonGrid import net.bible.android.view.util.buttongrid.OnButtonGridActionListener import net.bible.service.common.CommonUtils -import org.crosswire.jsword.passage.KeyUtil import org.crosswire.jsword.passage.Verse import org.crosswire.jsword.versification.BibleBook @@ -116,6 +115,7 @@ class GridChoosePassageChapter : CustomTitlebarActivityBase(), OnButtonGridActio buttonInfo.id = i buttonInfo.name = i.toString() buttonInfo.description = i.toString() + buttonInfo.type = ButtonInfo.Companion.GridButtonTypes.CHAPTER if (currentVerse.book == book && i == currentVerse.chapter) { buttonInfo.tintColor = bookColorAndGroup.Color buttonInfo.textColor = Color.DKGRAY diff --git a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageVerse.kt b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageVerse.kt index 466477555e..dda1383e6e 100644 --- a/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageVerse.kt +++ b/app/src/main/java/net/bible/android/view/activity/navigation/GridChoosePassageVerse.kt @@ -32,7 +32,6 @@ import net.bible.android.view.util.buttongrid.ButtonGrid import net.bible.android.view.util.buttongrid.ButtonInfo import net.bible.android.view.util.buttongrid.OnButtonGridActionListener import net.bible.service.common.CommonUtils -import org.crosswire.jsword.passage.KeyUtil import org.crosswire.jsword.passage.Verse import org.crosswire.jsword.versification.BibleBook @@ -110,6 +109,7 @@ class GridChoosePassageVerse : CustomTitlebarActivityBase(), OnButtonGridActionL // this is used for preview buttonInfo.id = i buttonInfo.name = Integer.toString(i) + buttonInfo.type = ButtonInfo.Companion.GridButtonTypes.VERSE if (i == currentVerse.verse && chapterNo == currentVerse.chapter && book == currentVerse.book) { buttonInfo.tintColor = bookColorAndGroup.Color buttonInfo.textColor = Color.DKGRAY diff --git a/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt b/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt index f1cd73fff9..98a9462990 100644 --- a/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt +++ b/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt @@ -37,6 +37,7 @@ import android.widget.PopupWindow import android.widget.TableLayout import android.widget.TableRow import android.widget.TextView +import androidx.core.text.HtmlCompat import net.bible.android.activity.R import net.bible.android.view.util.buttongrid.LayoutDesigner.RowColLayout import kotlin.math.max @@ -50,7 +51,8 @@ class ButtonInfo ( var textColor: Int = Color.WHITE, var tintColor: Int = Color.DKGRAY, var highlight: Boolean = false, - + var showLongBookName: Boolean = true, + var type: GridButtonTypes = GridButtonTypes.CHAPTER, var top: Int = 0, var bottom: Int = 0, var left: Int = 0, @@ -59,6 +61,10 @@ class ButtonInfo ( var colNo: Int = 0 ) { lateinit var button: Button + + companion object { + enum class GridButtonTypes {BOOK, CHAPTER, VERSE} + } } /** Show a grid of buttons to allow selection for navigation @@ -80,6 +86,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS var isGroupByCategoryEnabled = false var isAlphaSorted = false var isCurrentlyShowingScripture = false + var isShowLongBookName = false fun clear() { removeAllViews() @@ -103,7 +110,6 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS private fun addGroupedButtons(buttonInfoList: List) { this.buttonInfoList = buttonInfoList - val textSize = resources.getInteger(R.integer.grid_cell_text_size_sp) var iRow = -1 var iCol = 0 // calculate the number of rows and columns so that the grid looks nice @@ -130,21 +136,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS iRow += 1 iCol = 0 } - val button = Button(context) - button.text = buttonInfo.name - button.setTextColor(buttonInfo.textColor) - button.backgroundTintList = ColorStateList.valueOf(buttonInfo.tintColor) - if (buttonInfo.highlight) { - button.typeface = Typeface.DEFAULT_BOLD - button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize + 1.toFloat()) - button.paintFlags = button.paintFlags or Paint.UNDERLINE_TEXT_FLAG - button.isPressed = true - } else { - button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize.toFloat()) - } - // set pad to 0 prevents text being pushed off the bottom of buttons on small screens - button.setPadding(0, 0, 0, 0) - button.isAllCaps = false + val button = newButton(buttonInfo) buttonInfo.button = button buttonInfo.rowNo = iRow buttonInfo.colNo = iCol @@ -179,7 +171,6 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS fun addButtons(buttonInfoList: List) { this.buttonInfoList = buttonInfoList val numButtons = buttonInfoList.size - val textSize = resources.getInteger(R.integer.grid_cell_text_size_sp) // calculate the number of rows and columns so that the grid looks nice val rowColLayout = LayoutDesigner(this).calculateLayout(buttonInfoList) @@ -194,29 +185,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS if (buttonInfoIndex < numButtons) { // create a graphical Button View object to show on the screen and link it to the ButtonInfo object val buttonInfo = buttonInfoList[buttonInfoIndex] - val button = Button(context) - button.text = buttonInfo.name - button.setTextColor(buttonInfo.textColor) - button.backgroundTintList = ColorStateList.valueOf(buttonInfo.tintColor) - button.setOnKeyListener { v, keyCode, event -> - if(event.action == KeyEvent.ACTION_UP && keyCode == KeyEvent.KEYCODE_ENTER) { - buttonSelected(buttonInfo) - true - } else { - false - } - } - if (buttonInfo.highlight) { - button.typeface = Typeface.DEFAULT_BOLD - button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize + 1.toFloat()) - button.paintFlags = button.paintFlags or Paint.UNDERLINE_TEXT_FLAG - button.isPressed = true - } else { - button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize.toFloat()) - } - // set pad to 0 prevents text being pushed off the bottom of buttons on small screens - button.setPadding(0, 0, 0, 0) - button.isAllCaps = false + val button = newButton(buttonInfo) buttonInfo.button = button buttonInfo.rowNo = iRow buttonInfo.colNo = iCol @@ -241,12 +210,61 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS val scale = context.resources.displayMetrics.density previewHeight = (PREVIEW_HEIGHT_DIP * scale).toInt() } + + private fun newButton(buttonInfo:ButtonInfo): Button { + val textSize = resources.getInteger(R.integer.grid_cell_text_size_sp) + val trimChars = 130 + val button = Button(context) + button.text = if (buttonInfo.showLongBookName && buttonInfo.type == ButtonInfo.Companion.GridButtonTypes.BOOK) { + HtmlCompat.fromHtml("" + buttonInfo.name?.uppercase() + "
" + buttonInfo.description?.take(trimChars) + "", HtmlCompat.FROM_HTML_MODE_LEGACY) + } else { + HtmlCompat.fromHtml(buttonInfo.name!!, HtmlCompat.FROM_HTML_MODE_LEGACY) + } + button.setTextColor(buttonInfo.textColor) + button.backgroundTintList = ColorStateList.valueOf(buttonInfo.tintColor) + if (buttonInfo.highlight) { + button.typeface = Typeface.DEFAULT_BOLD + button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize + 1.toFloat()) + button.paintFlags = button.paintFlags or Paint.UNDERLINE_TEXT_FLAG + button.isPressed = true + } else { + button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize.toFloat()) + } + // set pad to 0 prevents text being pushed off the bottom of buttons on small screens + // set left and right pad to 3 prevents text from appearing off the button background + button.setPadding(3, 0, 3, 0) + button.minHeight = 0 + button.minWidth = 0 + button.isAllCaps = false + + button.setOnKeyListener { _, keyCode, event -> + if(event.action == KeyEvent.ACTION_UP && keyCode == KeyEvent.KEYCODE_ENTER) { + buttonSelected(buttonInfo) + true + } else { + false + } + } + if (buttonInfo.highlight) { + button.typeface = Typeface.DEFAULT_BOLD + button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize + 1.toFloat()) + button.paintFlags = button.paintFlags or Paint.UNDERLINE_TEXT_FLAG + button.isPressed = true + } else { + button.setTextSize(TypedValue.COMPLEX_UNIT_SP, textSize.toFloat()) + } + return button + } + fun toggleLeftToRight() { isLeftToRightEnabled = !isLeftToRightEnabled } fun toggleGroupByCategory() { isGroupByCategoryEnabled = !isGroupByCategoryEnabled } + fun toggleShowLongName() { + isShowLongBookName = !isShowLongBookName + } /** Ensure longer runs by populating in longest direction ie columns if portrait and rows if landscape * * @param row @@ -266,7 +284,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS */ override fun onInterceptTouchEvent(event: MotionEvent): Boolean { - // wait until the columns have been layed out and adjusted before recording button positions + // wait until the columns have been laid out and adjusted before recording button positions if (!isInitialised) { synchronized(buttonInfoList!!) { if (!isInitialised) { @@ -414,7 +432,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS } // calculate offset of 2 button heights so users can see the buttons surrounding the current button pressed - if (buttonInfoList!!.size > 0) { + if (buttonInfoList!!.isNotEmpty()) { val but1 = buttonInfoList!![0] previewOffset = but1.top - but1.bottom } @@ -431,6 +449,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS companion object { private const val PREVIEW_HEIGHT_DIP = 70 private const val TAG = "ButtonGrid" +// enum class GRID_BUTTON_TYPES {BOOK, CHAPTER, VERSE} } init { diff --git a/app/src/main/res/menu/choose_passage_book_menu.xml b/app/src/main/res/menu/choose_passage_book_menu.xml index 041822a28f..9ef8e8d1b3 100644 --- a/app/src/main/res/menu/choose_passage_book_menu.xml +++ b/app/src/main/res/menu/choose_passage_book_menu.xml @@ -21,4 +21,8 @@ android:id="@+id/group_by_category" android:title="@string/book_menu_group_by_category" android:checkable="true"/> + diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 8df05ea36f..cb5b5d74dd 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -949,6 +949,7 @@ Other labels Order books horizontally Group books by category + Show long book name Do you want to reset auto-assign and favorite settings for this workspace? Do you want to reset setting for hiding specified labels settings? Re-order From b08fc6d47b36ded489dbb8c7406342c1e41cc1b9 Mon Sep 17 00:00:00 2001 From: Andrew Rogers Date: Sun, 10 Jul 2022 22:53:53 +0630 Subject: [PATCH 0021/1390] Adjust size of text based on length of book name --- .../android/view/util/buttongrid/ButtonGrid.kt | 16 ++++++++++++++-- 1 file changed, 14 insertions(+), 2 deletions(-) diff --git a/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt b/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt index 98a9462990..59391f9246 100644 --- a/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt +++ b/app/src/main/java/net/bible/android/view/util/buttongrid/ButtonGrid.kt @@ -214,9 +214,21 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS private fun newButton(buttonInfo:ButtonInfo): Button { val textSize = resources.getInteger(R.integer.grid_cell_text_size_sp) val trimChars = 130 + var smallTagStart = "" + var smallTagEnd = "" val button = Button(context) button.text = if (buttonInfo.showLongBookName && buttonInfo.type == ButtonInfo.Companion.GridButtonTypes.BOOK) { - HtmlCompat.fromHtml("" + buttonInfo.name?.uppercase() + "
" + buttonInfo.description?.take(trimChars) + "", HtmlCompat.FROM_HTML_MODE_LEGACY) + // Check the length of the words in the long description and set the tag accordingly + val maxLengthForSmall = 5 + val maxLengthForXSmall = 9 + val words = buttonInfo.description?.split("\\s".toRegex())?.toTypedArray() + var smallCnt = 1 + words?.map { if (it.length > maxLengthForXSmall) {smallCnt = 3} else if (it.length > maxLengthForSmall) { smallCnt=2} } + for (i in 1..smallCnt){ + smallTagStart += "" + smallTagEnd += "" + } + HtmlCompat.fromHtml("" + buttonInfo.name?.uppercase() + "
" + smallTagStart + buttonInfo.description?.take(trimChars) + smallTagEnd, HtmlCompat.FROM_HTML_MODE_LEGACY) } else { HtmlCompat.fromHtml(buttonInfo.name!!, HtmlCompat.FROM_HTML_MODE_LEGACY) } @@ -232,7 +244,7 @@ class ButtonGrid constructor(context: Context, attrs: AttributeSet? = null, defS } // set pad to 0 prevents text being pushed off the bottom of buttons on small screens // set left and right pad to 3 prevents text from appearing off the button background - button.setPadding(3, 0, 3, 0) + button.setPadding(4, 0, 4, 0) button.minHeight = 0 button.minWidth = 0 button.isAllCaps = false From 12bbde6dd68129f0b12c32e18aaa9c53cb21a233 Mon Sep 17 00:00:00 2001 From: Andrew Rogers Date: Mon, 11 Jul 2022 19:23:44 +0630 Subject: [PATCH 0022/1390] First attempt --- .../android/control/backup/BackupControl.kt | 52 +++++++++- app/src/main/res/layout/backup_view.xml | 97 ++++++++++++++++++- app/src/main/res/values/strings.xml | 9 ++ 3 files changed, 148 insertions(+), 10 deletions(-) diff --git a/app/src/main/java/net/bible/android/control/backup/BackupControl.kt b/app/src/main/java/net/bible/android/control/backup/BackupControl.kt index e64f30a360..51b54df66a 100644 --- a/app/src/main/java/net/bible/android/control/backup/BackupControl.kt +++ b/app/src/main/java/net/bible/android/control/backup/BackupControl.kt @@ -531,11 +531,40 @@ class BackupActivity: ActivityBase() { binding.apply { restoreModules.text = "${getString(R.string.install_zip)} / ${getString(R.string.restore_modules)}" - backupApp.setOnClickListener { GlobalScope.launch { BackupControl.backupApp(this@BackupActivity) } } - backupAppDatabase.setOnClickListener { GlobalScope.launch { BackupControl.startBackupAppDatabase(this@BackupActivity) } } - backupModules.setOnClickListener { GlobalScope.launch { BackupControl.backupModulesViaIntent(this@BackupActivity) } } - restoreAppDatabase.setOnClickListener { GlobalScope.launch { BackupControl.restoreAppDatabaseViaIntent(this@BackupActivity) } } - restoreModules.setOnClickListener { GlobalScope.launch { BackupControl.restoreModulesViaIntent(this@BackupActivity) } } + toggleBackupApplication.isChecked = CommonUtils.settings.getBoolean("backup_application", false) + toggleBackupDatabase.isChecked = CommonUtils.settings.getBoolean("backup_database", false) + toggleBackupDocuments.isChecked = CommonUtils.settings.getBoolean("backup_documents", false) + toggleRestoreDatabase.isChecked = CommonUtils.settings.getBoolean("restore_database", false) + toggleRestoreDocuments.isChecked = CommonUtils.settings.getBoolean("restore_documents", false) + + // update toggles when another toggle is clicked + toggleBackupApplication.setOnClickListener { + toggleBackupDatabase.isChecked = false + toggleBackupDocuments.isChecked = false + updateWidgetState() } + toggleBackupDatabase.setOnClickListener { + toggleBackupApplication.isChecked = false + toggleBackupDocuments.isChecked = false + updateWidgetState() } + toggleBackupDocuments.setOnClickListener { + toggleBackupApplication.isChecked = false + toggleBackupDatabase.isChecked = false + updateWidgetState() } + toggleRestoreDatabase.setOnClickListener { + toggleRestoreDocuments.isChecked = false + updateWidgetState() } + toggleRestoreDocuments.setOnClickListener { + toggleRestoreDatabase.isChecked = false + updateWidgetState() } + buttonBackup.setOnClickListener { + if (toggleBackupApplication.isChecked) GlobalScope.launch { BackupControl.backupApp(this@BackupActivity) } + else if (toggleBackupDatabase.isChecked) GlobalScope.launch { BackupControl.startBackupAppDatabase(this@BackupActivity) } + else if (toggleBackupDocuments.isChecked) GlobalScope.launch { BackupControl.backupModulesViaIntent(this@BackupActivity) } + } + buttonRestore.setOnClickListener { + if (toggleRestoreDatabase.isChecked) GlobalScope.launch { BackupControl.restoreAppDatabaseViaIntent(this@BackupActivity) } + else if (toggleRestoreDocuments.isChecked) GlobalScope.launch { BackupControl.restoreModulesViaIntent(this@BackupActivity) } + } CommonUtils.dbBackupPath.listFiles()?.forEach { f -> val b = Button(this@BackupActivity) val s = f.name @@ -550,4 +579,17 @@ class BackupActivity: ActivityBase() { } } } + private fun updateWidgetState() { + updateSelectionOptions() + } + private fun updateSelectionOptions() { + // update widget share option settings + CommonUtils.settings.apply { + setBoolean("backup_application", binding.toggleBackupApplication.isChecked) + setBoolean("backup_database", binding.toggleBackupDatabase.isChecked) + setBoolean("backup_documents", binding.toggleBackupDocuments.isChecked) + setBoolean("restore_database", binding.toggleRestoreDatabase.isChecked) + setBoolean("restore_documents", binding.toggleRestoreDocuments.isChecked) + } + } } diff --git a/app/src/main/res/layout/backup_view.xml b/app/src/main/res/layout/backup_view.xml index a155d435c8..e8db25429b 100644 --- a/app/src/main/res/layout/backup_view.xml +++ b/app/src/main/res/layout/backup_view.xml @@ -10,17 +10,104 @@ android:layout_height="wrap_content" android:padding="10dip" > + + + + + + + + + + + + + + +