Merge branch 'develop'

This commit is contained in:
Martin Fietz 2018-01-02 20:42:34 +01:00
commit eddc0a6a13
94 changed files with 353 additions and 14423 deletions

View File

@ -33,5 +33,5 @@ If you want to translate AntennaPod into another language, you can visit the [Tr
## Building AntennaPod
Information on how to build AntennaPod can be found in the [Wiki](https://github.com/danieloeh/AntennaPod/wiki/Building-AntennaPod).
Information on how to build AntennaPod can be found in the [Wiki](https://github.com/AntennaPod/AntennaPod/wiki/Building-AntennaPod).

View File

@ -3,12 +3,22 @@ import org.apache.tools.ant.filters.ReplaceTokens
apply plugin: "com.android.application"
apply plugin: "me.tatarka.retrolambda"
apply plugin: 'com.github.triplet.play'
apply plugin: 'com.getkeepsafe.dexcount'
repositories {
maven { url "https://jitpack.io" }
mavenCentral()
}
buildscript {
repositories {
jcenter()
}
dependencies {
classpath 'com.getkeepsafe.dexcount:dexcount-gradle-plugin:0.8.1'
}
}
def getMyVersionName() {
def parsedManifestXml = (new XmlSlurper())
.parse("${projectDir}/src/main/AndroidManifest.xml")
@ -72,6 +82,7 @@ android {
debug {
applicationIdSuffix ".debug"
resValue "string", "provider_authority", "de.danoeh.antennapod.debug.provider"
buildConfigField STRING, FLATTR_APP_KEY, mFlattrAppKey
buildConfigField STRING, FLATTR_APP_SECRET, mFlattrAppSecret
}
@ -131,7 +142,6 @@ dependencies {
} else {
System.out.println("app: free build hack, skipping some dependencies")
}
compile 'com.android.support:multidex:1.0.1'
compile "com.android.support:support-v4:$supportVersion"
compile "com.android.support:appcompat-v7:$supportVersion"
compile "com.android.support:design:$supportVersion"
@ -167,7 +177,7 @@ dependencies {
compile "com.github.AntennaPod:AntennaPod-AudioPlayer:$audioPlayerVersion"
compile 'com.github.mfietz:fyydlin:v0.1'
compile 'com.github.mfietz:fyydlin:v0.3'
}
play {

View File

@ -2,6 +2,7 @@
-renamesourcefileattribute SourceFile
-keepattributes SourceFile,LineNumberTable
-optimizations !code/allocation/variable
-optimizationpasses 5
-dontpreverify
-repackageclasses ''
@ -9,7 +10,6 @@
-keepattributes *Annotation*
#-injars libs/presto_client-0.8.5.jar
-keep public class * extends android.app.Activity
-keep public class * extends android.app.Application
-keep public class * extends android.app.Service

View File

@ -5,6 +5,7 @@ import java.io.IOException;
import de.danoeh.antennapod.core.util.FileNameGenerator;
import android.test.AndroidTestCase;
import android.text.TextUtils;
public class FilenameGeneratorTest extends AndroidTestCase {
@ -41,7 +42,12 @@ public class FilenameGeneratorTest extends AndroidTestCase {
public void testFeedTitleContainsDash() {
String result = FileNameGenerator.generateFileName("Left - Right");
assertEquals("Left Right", result);
assertEquals("Left - Right", result);
}
public void testInvalidInput() {
String result = FileNameGenerator.generateFileName("???");
assertTrue(!TextUtils.isEmpty(result));
}
/**

View File

@ -0,0 +1,4 @@
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="app_name" translate="false">AntennaPod Debug</string>
</resources>

View File

@ -2,8 +2,8 @@
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="de.danoeh.antennapod"
android:installLocation="auto"
android:versionCode="1060401"
android:versionName="1.6.4.1">
android:versionCode="1060402"
android:versionName="1.6.4.2">
<!--
Version code schema:
"1.2.3-SNAPSHOT" -> 1020300
@ -373,7 +373,7 @@
</receiver>
<provider
android:authorities="de.danoeh.antennapod.provider"
android:authorities="@string/provider_authority"
android:name="android.support.v4.content.FileProvider"
android:exported="false"
android:grantUriPermissions="true">

View File

@ -3,7 +3,6 @@ package de.danoeh.antennapod;
import android.app.Application;
import android.os.Build;
import android.os.StrictMode;
import android.support.multidex.MultiDexApplication;
import com.joanzapata.iconify.Iconify;
import com.joanzapata.iconify.fonts.FontAwesomeModule;
@ -14,7 +13,7 @@ import de.danoeh.antennapod.core.feed.EventDistributor;
import de.danoeh.antennapod.spa.SPAUtil;
/** Main application class. */
public class PodcastApp extends MultiDexApplication {
public class PodcastApp extends Application {
// make sure that ClientConfigurator executes its static code
static {

View File

@ -51,11 +51,10 @@ public class OpmlImportFromPathActivity extends OpmlImportBaseActivity {
int nextOption = 1;
String optionLabel = getString(R.string.opml_import_option);
intentPickAction = new Intent(Intent.ACTION_PICK);
intentPickAction.setData(Uri.parse("file://"));
if(!IntentUtils.isCallable(getApplicationContext(), intentPickAction)) {
intentPickAction.setData(null);
if(false == IntentUtils.isCallable(getApplicationContext(), intentPickAction)) {
if(!IntentUtils.isCallable(getApplicationContext(), intentPickAction)) {
txtvHeaderExplanation1.setVisibility(View.GONE);
txtvExplanation1.setVisibility(View.GONE);
findViewById(R.id.divider1).setVisibility(View.GONE);

View File

@ -10,10 +10,8 @@ import android.content.pm.PackageManager;
import android.os.Build;
import android.os.Bundle;
import android.support.v4.app.ActivityCompat;
import android.support.v4.content.ContextCompat;
import android.support.v7.app.AlertDialog;
import android.support.v7.app.AppCompatActivity;
import android.text.Html;
import android.text.TextUtils;
import android.util.Log;
import android.widget.Button;
@ -21,13 +19,11 @@ import android.widget.Button;
import com.afollestad.materialdialogs.MaterialDialog;
import java.io.File;
import java.util.ArrayList;
import java.util.List;
import de.danoeh.antennapod.R;
import de.danoeh.antennapod.core.preferences.UserPreferences;
import de.danoeh.antennapod.core.util.Converter;
import de.danoeh.antennapod.core.util.StorageUtils;
import de.danoeh.antennapod.dialog.ChooseDataFolderDialog;
/** Is show if there is now external storage available. */
public class StorageErrorActivity extends AppCompatActivity {
@ -117,65 +113,14 @@ public class StorageErrorActivity extends AppCompatActivity {
// see PreferenceController.showChooseDataFolderDialog()
private void showChooseDataFolderDialog() {
File dataFolder = UserPreferences.getDataFolder(null);
if(dataFolder == null) {
new MaterialDialog.Builder(this)
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
String dataFolderPath = dataFolder.getAbsolutePath();
int selectedIndex = -1;
File[] mediaDirs = ContextCompat.getExternalFilesDirs(this, null);
List<String> folders = new ArrayList<>(mediaDirs.length);
List<CharSequence> choices = new ArrayList<>(mediaDirs.length);
for(int i=0; i < mediaDirs.length; i++) {
File dir = mediaDirs[i];
if(dir == null || !dir.exists() || !dir.canRead() || !dir.canWrite()) {
continue;
}
String path = mediaDirs[i].getAbsolutePath();
folders.add(path);
if(dataFolderPath.equals(path)) {
selectedIndex = i;
}
int index = path.indexOf("Android");
String choice;
if(index >= 0) {
choice = path.substring(0, index);
} else {
choice = path;
}
long bytes = StorageUtils.getFreeSpaceAvailable(path);
String freeSpace = String.format(getString(R.string.free_space_label),
Converter.byteToString(bytes));
choices.add(Html.fromHtml("<html><small>" + choice + " [" + freeSpace + "]"
+ "</small></html>"));
}
if(choices.size() == 0) {
new MaterialDialog.Builder(this)
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
MaterialDialog dialog = new MaterialDialog.Builder(this)
.title(R.string.choose_data_directory)
.content(R.string.choose_data_directory_message)
.items(choices.toArray(new CharSequence[choices.size()]))
.itemsCallbackSingleChoice(selectedIndex, (dialog1, itemView, which, text) -> {
String folder = folders.get(which);
UserPreferences.setDataFolder(folder);
leaveErrorState();
return true;
})
.negativeText(R.string.cancel_label)
.cancelable(true)
.build();
dialog.show();
ChooseDataFolderDialog.showDialog(
this, new ChooseDataFolderDialog.RunnableWithString() {
@Override
public void run(final String folder) {
UserPreferences.setDataFolder(folder);
leaveErrorState();
}
});
}
public void onActivityResult(int requestCode, int resultCode, Intent data) {

View File

@ -1,6 +1,7 @@
package de.danoeh.antennapod.adapter;
import android.content.Context;
import android.support.annotation.NonNull;
import android.support.v4.content.ContextCompat;
import android.text.Layout;
import android.text.Selection;
@ -42,8 +43,9 @@ public class ChaptersListAdapter extends ArrayAdapter<Chapter> {
this.media = media;
}
@NonNull
@Override
public View getView(final int position, View convertView, ViewGroup parent) {
public View getView(final int position, View convertView, @NonNull ViewGroup parent) {
Holder holder;
Chapter sc = getItem(position);
@ -120,7 +122,7 @@ public class ChaptersListAdapter extends ArrayAdapter<Chapter> {
if (link.length != 0) {
if (action == MotionEvent.ACTION_UP) {
link[0].onClick(widget);
} else if (action == MotionEvent.ACTION_DOWN){
} else if (action == MotionEvent.ACTION_DOWN) {
Selection.setSelection(buffer,
buffer.getSpanStart(link[0]),
buffer.getSpanEnd(link[0]));
@ -139,23 +141,17 @@ public class ChaptersListAdapter extends ArrayAdapter<Chapter> {
callback.onPlayChapterButtonClicked(position);
}
});
Chapter current = ChapterUtils.getCurrentChapter(media);
if (current != null) {
if (current == sc) {
int playingBackGroundColor;
if(UserPreferences.getTheme() == R.style.Theme_AntennaPod_Dark) {
playingBackGroundColor = ContextCompat.getColor(getContext(), R.color.highlight_dark);
} else {
playingBackGroundColor = ContextCompat.getColor(getContext(), R.color.highlight_light);
}
holder.view.setBackgroundColor(playingBackGroundColor);
} else {
holder.view.setBackgroundColor(ContextCompat.getColor(getContext(), android.R.color.transparent));
holder.title.setTextColor(defaultTextColor);
holder.start.setTextColor(defaultTextColor);
}
if (current == sc) {
boolean darkTheme = UserPreferences.getTheme() == R.style.Theme_AntennaPod_Dark;
int highlight = darkTheme ? R.color.highlight_dark : R.color.highlight_light;
int playingBackGroundColor = ContextCompat.getColor(getContext(), highlight);
holder.view.setBackgroundColor(playingBackGroundColor);
} else {
Log.w(TAG, "Could not find out what the current chapter is.");
holder.view.setBackgroundColor(ContextCompat.getColor(getContext(), android.R.color.transparent));
holder.title.setTextColor(defaultTextColor);
holder.start.setTextColor(defaultTextColor);
}
return convertView;
@ -172,7 +168,7 @@ public class ChaptersListAdapter extends ArrayAdapter<Chapter> {
@Override
public int getCount() {
if(media == null || media.getChapters() == null) {
if (media == null || media.getChapters() == null) {
return 0;
}
// ignore invalid chapters

View File

@ -0,0 +1,97 @@
package de.danoeh.antennapod.dialog;
import android.content.Context;
import android.os.Build;
import android.support.v4.content.ContextCompat;
import android.text.Html;
import com.afollestad.materialdialogs.MaterialDialog;
import java.io.File;
import java.util.ArrayList;
import java.util.List;
import de.danoeh.antennapod.R;
import de.danoeh.antennapod.core.preferences.UserPreferences;
import de.danoeh.antennapod.core.util.Converter;
import de.danoeh.antennapod.core.util.StorageUtils;
public class ChooseDataFolderDialog {
public static abstract class RunnableWithString implements Runnable {
public RunnableWithString() {
super();
}
public abstract void run(final String arg);
@Override public void run() {
throw new IllegalArgumentException("Expect one String parameter.");
}
}
private ChooseDataFolderDialog() {}
public static void showDialog(final Context context, RunnableWithString handlerFunc) {
File dataFolder = UserPreferences.getDataFolder(null);
if (dataFolder == null) {
new MaterialDialog.Builder(context)
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
String dataFolderPath = dataFolder.getAbsolutePath();
int selectedIndex = -1;
int index = 0;
File[] mediaDirs = ContextCompat.getExternalFilesDirs(context, null);
final List<String> folders = new ArrayList<>(mediaDirs.length);
final List<CharSequence> choices = new ArrayList<>(mediaDirs.length);
for (File dir : mediaDirs) {
if(dir == null || !dir.exists() || !dir.canRead() || !dir.canWrite()) {
continue;
}
String path = dir.getAbsolutePath();
folders.add(path);
if(dataFolderPath.equals(path)) {
selectedIndex = index;
}
int prefixIndex = path.indexOf("Android");
String choice = (prefixIndex > 0) ? path.substring(0, prefixIndex) : path;
long bytes = StorageUtils.getFreeSpaceAvailable(path);
String item = String.format(
"<small>%1$s [%2$s]</small>", choice, Converter.byteToString(bytes));
choices.add(fromHtmlVersioned(item));
index++;
}
if (choices.isEmpty()) {
new MaterialDialog.Builder(context)
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
MaterialDialog dialog = new MaterialDialog.Builder(context)
.title(R.string.choose_data_directory)
.content(R.string.choose_data_directory_message)
.items(choices)
.itemsCallbackSingleChoice(selectedIndex, (dialog1, itemView, which, text) -> {
String folder = folders.get(which);
handlerFunc.run(folder);
return true;
})
.negativeText(R.string.cancel_label)
.cancelable(true)
.build();
dialog.show();
}
@SuppressWarnings("deprecation")
private static CharSequence fromHtmlVersioned(final String html) {
if (Build.VERSION.SDK_INT < Build.VERSION_CODES.N) {
return Html.fromHtml(html);
}
return Html.fromHtml(html, Html.FROM_HTML_MODE_LEGACY);
}
}

View File

@ -68,11 +68,10 @@ import de.danoeh.antennapod.core.export.opml.OpmlWriter;
import de.danoeh.antennapod.core.preferences.GpodnetPreferences;
import de.danoeh.antennapod.core.preferences.UserPreferences;
import de.danoeh.antennapod.core.service.GpodnetSyncService;
import de.danoeh.antennapod.core.util.Converter;
import de.danoeh.antennapod.core.util.StorageUtils;
import de.danoeh.antennapod.core.util.flattr.FlattrUtils;
import de.danoeh.antennapod.dialog.AuthenticationDialog;
import de.danoeh.antennapod.dialog.AutoFlattrPreferenceDialog;
import de.danoeh.antennapod.dialog.ChooseDataFolderDialog;
import de.danoeh.antennapod.dialog.GpodnetSetHostnameDialog;
import de.danoeh.antennapod.dialog.ProxyDialog;
import de.danoeh.antennapod.dialog.VariableSpeedDialog;
@ -455,7 +454,7 @@ public class PreferenceController implements SharedPreferences.OnSharedPreferenc
emailIntent.putExtra(Intent.EXTRA_SUBJECT, "AntennaPod Crash Report");
emailIntent.putExtra(Intent.EXTRA_TEXT, "Please describe what you were doing when the app crashed");
// the attachment
Uri fileUri = FileProvider.getUriForFile(context, "de.danoeh.antennapod.provider",
Uri fileUri = FileProvider.getUriForFile(context, context.getString(R.string.provider_authority),
CrashReportWriter.getFile());
emailIntent.putExtra(Intent.EXTRA_STREAM, fileUri);
emailIntent.setFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
@ -945,67 +944,14 @@ public class PreferenceController implements SharedPreferences.OnSharedPreferenc
}
private void showChooseDataFolderDialog() {
Context context = ui.getActivity();
File dataFolder = UserPreferences.getDataFolder(null);
if(dataFolder == null) {
new MaterialDialog.Builder(ui.getActivity())
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
String dataFolderPath = dataFolder.getAbsolutePath();
int selectedIndex = -1;
File[] mediaDirs = ContextCompat.getExternalFilesDirs(context, null);
List<String> folders = new ArrayList<>(mediaDirs.length);
List<CharSequence> choices = new ArrayList<>(mediaDirs.length);
for(int i=0; i < mediaDirs.length; i++) {
File dir = mediaDirs[i];
if(dir == null || !dir.exists() || !dir.canRead() || !dir.canWrite()) {
continue;
}
String path = mediaDirs[i].getAbsolutePath();
folders.add(path);
if(dataFolderPath.equals(path)) {
selectedIndex = i;
}
int index = path.indexOf("Android");
String choice;
if(index >= 0) {
choice = path.substring(0, index);
} else {
choice = path;
}
long bytes = StorageUtils.getFreeSpaceAvailable(path);
String freeSpace = String.format(context.getString(R.string.free_space_label),
Converter.byteToString(bytes));
choices.add(Html.fromHtml("<html><small>" + choice
+ " [" + freeSpace + "]" + "</small></html>"));
}
if(choices.size() == 0) {
new MaterialDialog.Builder(ui.getActivity())
.title(R.string.error_label)
.content(R.string.external_storage_error_msg)
.neutralText(android.R.string.ok)
.show();
return;
}
MaterialDialog dialog = new MaterialDialog.Builder(ui.getActivity())
.title(R.string.choose_data_directory)
.content(R.string.choose_data_directory_message)
.items(choices.toArray(new CharSequence[choices.size()]))
.itemsCallbackSingleChoice(selectedIndex, (dialog1, itemView, which, text) -> {
String folder = folders.get(which);
Log.d(TAG, "data folder: " + folder);
UserPreferences.setDataFolder(folder);
setDataFolderText();
return true;
})
.negativeText(R.string.cancel_label)
.cancelable(true)
.build();
dialog.show();
ChooseDataFolderDialog.showDialog(
ui.getActivity(), new ChooseDataFolderDialog.RunnableWithString() {
@Override
public void run(final String folder) {
UserPreferences.setDataFolder(folder);
setDataFolderText();
}
});
}
// UPDATE TIME/INTERVAL DIALOG

View File

@ -17,6 +17,7 @@ import de.danoeh.antennapod.R;
import de.danoeh.antennapod.activity.MainActivity;
import de.danoeh.antennapod.core.feed.FeedItem;
import de.danoeh.antennapod.core.feed.FeedMedia;
import de.danoeh.antennapod.core.preferences.UserPreferences;
import de.danoeh.antennapod.core.receiver.MediaButtonReceiver;
import de.danoeh.antennapod.core.service.playback.PlaybackService;
import de.danoeh.antennapod.core.service.playback.PlayerStatus;
@ -69,7 +70,8 @@ public class PlayerWidgetService extends Service {
DBWriter.markItemPlayed(item, FeedItem.PLAYED, false);
DBWriter.removeQueueItem(this, item, false);
DBWriter.addItemToPlaybackHistory(media);
if (item.getFeed().getPreferences().getCurrentAutoDelete()) {
if (item.getFeed().getPreferences().getCurrentAutoDelete() &&
(!item.isTagged(FeedItem.TAG_FAVORITE) || !UserPreferences.shouldFavoriteKeepEpisode())) {
Log.d(TAG, "Delete " + media.toString());
DBWriter.deleteFeedMediaOfItem(this, media.getId());
}

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Seznam změn
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Opravy chyb
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Verze 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Vylepšený časovač vypnutí
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Opravy chyb
Verze 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Verze 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Verze 1.1
-----------
* Integrace iTues podcastu
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Verze 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Verze 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Verze 0.9.9.5
---------------
* Přidána podpora stránkových kanálů
* Vylepšené uživatelské rozhraní
* Přidán překlad do Japonštiny a Turečtiny
* Opraveny další chyby načítání obrázků
* Ostatní opravy a vylepšení
Verze 0.9.9.4
---------------
* Přidána možnost ponechat upozornění a ovládání na obrazovce uzamčení při pozastaveném přehrávání
* Spravena chyba s nesprávným načítáním obrázků epizod
* Opraven problém s využitím baterie
Verze 0.9.9.3
---------------
* Opravem problém s přehráváním videa
* Vylepšené načítání obrázků
* Ostatní opravy a vylepšení
Verze 0.9.9.2
---------------
* Přidána podpora pro zjištění zdroje při zadání URL webu
* Přidána podpora pro multimediální kláves 'další'/'předchozí'
* Vylepšený časovač vypnutí
* Timestamps in shownotes can now be used to jump to a specific position
* Automatické flattrování je možno konfigurovat
* Několik oprav a vylepšení
Verze 0.9.9.1
---------------
* Několik oprav a vylepšení
Verze 0.9.9.0
---------------
* Nové uživatelské rozhraní
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Přidána podpora pro "pcast" protokol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Několik oprav a vylepšení
Verze 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Přidán Hebrejský překlad
* Několik oprav a vylepšení
Verze 0.9.8.2
---------------
* Několik oprav a vylepšení
* Přidán Korejský překlad
Verze 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Přidán Polský překlad
* Několik oprav a vylepšení
Verze 0.9.8.0
---------------
* Přidána podpora služby gpodder.net
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Verze 0.9.7.5
---------------
* Zkrácena doba startu aplikace
* Sníženo použití paměti
* Přidána možnost změny rychlosti přehrávání
* Přidán Švédský překlad
* Několik oprav a vylepšení
Verze 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Přidána podpoar pro odkazy v MP3 kapitolách
* Přidán překlad pro Česko, Ázerbajdžán a Portugalsko
* Několik oprav a vylepšení
Verze 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* Vylepšení uživatelského rozhraní
* Několik oprav
Verze 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Několik oprav
Verze 0.9.7.1
---------------
* Přidáno automatické stahování nových epizod
* Přidána možnost nastavení kolik stažených epizod má být uchováno na zařízení
* Přidána podpora přehrávání externích multimediálních souborů
* Několik vylepšení a oprav chyb
* Přidána katalánská jazyková mutace
Verze 0.9.7
-------------
* Vylepšené uživatelské rozhraní
* OPML soubory mohou být nyní importovány vybráním ve správci souborů
* Fronta může být upravována pomocí drag & drop
* Přidány zvětšitelné notifikace (podporováno v Androidu 4.1 a novějších)
* Přidán Dánský, Francouzský, Rumunský a Ukrajinský překlad (Díky všem překladatelům!)
* Několik oprav a malých vylepšení
Verze 0.9.6.4
---------------
* Přidán Čínský překlad (Díky tupunco!)
* Přidán Portugalský (Brazílie) překlad (Díky mbaltar!)
* Několik oprav
Verze 0.9.6.3
---------------
* Přidána možnost změnit lokaci datové složky AntennaPodu
* Přidán Španělský překlad (Díky frandavid100!)
* Vyřešeny problémy s několika kanály
Verze 0.9.6.2
---------------
* Opraven problém s importem některých OPML souborů
* Opraven problém se stahováním
* AntennaPod now recognizes changes of episode information
* Jiné vylepšení a opravy
Verze 0.9.6.1
---------------
* Přidán tmavý motiv vzhledu
* Několik oprav a vylepšení
Verze 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod nyní u položek zobrazuje "probíhá", když je přehrávání spuštěno
* Sníženo použití paměti
* Added support for more feed types
* Několik oprav
Verze 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Opraveny problémy s některými kanály
* Ostatní opravy a vylepšení
Verze 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Jiné vylepšení a opravy
Verze 0.9.5.1
---------------
* Přidána historie přehrávání
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Verze 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Podpora automatického výmazu
* Vylepšené hlášení chyb stahování
* Několik oprav
Verze 0.9.4.6
---------------
* Podpora přístrojů s malým displejem
* Disabling the sleep timer should now work again
Verze 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Přidán Německý překlad
* Několik oprav
Verze 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Verze 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Verze 0.9.4.2
---------------
* Opravena chyba OPML importu
* Reduced memory usage of images
* Fixed download problems on some devices
Verze 0.9.4.1
---------------
* Changed behavior of download notifications
Verze 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Několik oprav
Verze 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Několik oprav
Verze 0.9.3
-------------
* MIroGuide integrace
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Verze 0.9.2
-------------
* Opravy chyb uživatelského rozhraní
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Verze 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod je nyní open source! Zdrojový kód je dostupný na https://github.com/danieloeh/AntennaPod
Verze 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Verze 0.9
--------------
* OPML export
* Flattr integrace
* Časovač vypnutí
Verze 0.8.2
-------------
* Přidáno vyhledávání
* Vylepšený OPML import
* Vícero oprav chyb
Verze 0.8.1
------------
* Přidána podpora pro SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Forbedret sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Løst problemer med variable afspilningshastighed plugins
* Løst problemer med automatisk opdatering af feed
* Flere andre forbedringer og bugfixes
Version 0.9.9.5
---------------
* Tilføjet understøttelse af sidedelte feeds
* forbedret brugerflade
* Tilføjet japansk og tyrkisk oversættelse
* Løst flere problemer med indlæsning af billeder
* Flere bugfixes og forbedringer
Version 0.9.9.4
---------------
* Tilføjet mulighed for at beholde notifikationer og låseskærms kontrol når afspilning af sat på pause
* Løst et problem hvor episodebilleder ikke blev hentet korrekt
* Løst batteriproblemer
Version 0.9.9.3
---------------
Løst videoafspilningsproblemer
* Forbedret billedehentning
* Flere bugfixes og forbedringer
Version 0.9.9.2
---------------
* Tilføjet understøttelse for feed discovery hvis en websides URL er indtastet
* Tilføjet understøttelse for 'næste'/tidligere' media kontrol
* Forbedret sleep timer
* Tidsmærkater i show noter kan nu bruges til at hoppe til den specifikke position
* Automatisk Flattring kan nu konfigureres
* Flere fejlrettelser og forbedringer
Version 0.9.9.1
---------------
* Flere fejlrettelser og forbedringer
Version 0.9.9.0
---------------
* Nyt interface
* Fejlede downloads genoptages nu når app'en genstartes
* Tilføjet understøttelse af Podlove Alternate Feeds
* Tilføjet understøttelse for "pcast"-protocol
* Tilføjet backup og restore funktion. Denne feature skal aktiveres i Android indstillinger for at virke
* Flere fejlrettelser og forbedringer
Version 0.9.8.3
---------------
* Tilføjet understøttelse af password-beskyttede feeds og episoder
* Tilføjet understøttelse af flere typer episode-billeder
* Tilføjet hebraisk oversættelse
* Flere fejlrettelser og forbedringer
Version 0.9.8.2.
---------------
* Flere fejlrettelser og forbedringer
* Tilføjet koreansk oversættelse
Version 0.9.8.1
---------------
* Tilføjet muligheden for at flattr en episode automatisk efter 80 procent af episoden er blevet afspillet
* Tilføjet polsk oversættelse
* Flere fejlrettelser og forbedringer
Version 0.9.8.0
---------------
* Tilføjet adgang til gpodder.net biblioteket
* Tilføjet mulighed for at synkronisere podcast abonnementer med gpodder.net service
* Automatisk download kan nu deaktiveres for specifikke podcasts
* Tilføjet muligheden for at pause afspilning når en anden app afspiller lyde
* Tilføjet hollandsk og hindi oversættelse
* Løst et problem med automatisk opdatering af podcasts
* Løst et problem med knappernes synlighed på episodeskærmen
* Løst et problem hvor episoderne unødigt blev download igen
* Flere andre fejlrettelser og forbedringer
Version 0.9.7.5
---------------
* Reduceret opstartstid
* Mindsket hukommelsesforbrug
* Tilføjet mulighed for at ændre afspilningshastigheden
* Tilføjet svensk oversættelse
* Flere fejlrettelser og forbedringer
Version 0.9.7.4
---------------
* Episode lagerstørrelse kan nu sættes til uendelig
* Fjernelse af en episode i køen via swipe kan nu fortrydes
* Tilføjet understøttelse af links i MP3 kapitler
* Tilføjet tjekkisk, aserbajdsjansk og portugisisk oversættelse
* Flere fejlrettelser og forbedringer
Version 0.9.7.3
---------------
* Bluetooth enheder viser nu metadata under afspilning (kræver AVRCP 1.3 eller nyere)
* Brugerfladeforbedringer
* Flere fejlrettelser
Version 0.9.7.2
---------------
* Automatisk download kan du deaktiveres
* Tilføjet italiensk (Italien) oversættelse
* Flere fejlrettelser
Version 0.9.7.1
---------------
* Tilføjet automatisk download af nye episoder
* Tilføjet mulighed for at specificere antallet af downloadede episoder på enheden
* Tilføjet understøttelse af afspilning af eksterne mediefiler
* Flere forbedringer og bugfixes
* Tilføjet catalansk oversættelse
Version 0.9.7
-------------
* forbedret brugerflade
* OPML filer kan nu importeres ved at vælge dem i et filprogram
* Køen kan nu organiseres med drag & drop
* Tilføjet udvidet notifikationer (kun på Android 4.1 og nyere)
* Tilføjet dansk, fransk, rumænsk og ukrainsk oversættelse (tak til alle oversætterne!)
* Flere bugfixes og mindre forbedringer
Version 0.9.6.4
---------------
* Tilføjet kinesisk oversættelse (Tak tupunco!)
* Tilføjet portugisisk (Brasilien) oversøttelse (Tak mbaltar!)
* Flere fejlrettelser
Version 0.9.6.3
---------------
* Tilføjet muligheden for at skifte placering af AntennaPods datamappe
* Tilføjet spansk oversættelse (tak frandavid100!)
* Løst problemer med flere feeds
Version 0.9.6.2
---------------
* Løst importproblemer med nogle OPML filer
* Løst download problemer
* AntennaPod genkender nu ændringer i episodeinformation
* Andre forbedringer og fejlrettelser
Version 0.9.6.1
---------------
* Tilføjet mørkt tema
* Flere fejlrettelser og forbedringer
Version 0.9.6
-------------
* Tilføjet understøttelse af VorbisComment kapitler
* AntennaPod viser nu ting som 'i gang' når afspilning er begyndt
* Mindsket hukommelsesforbrug
* Tilføjet understøttelse af flere typer feeds
* Flere fejlrettelser
Version 0.9.5.3
---------------
* Løst nedbrud når afspilning påbegyndes på nogle enheder
* Løst problemer med nogle feeds
* Flere bugfixes og forbedringer
Version 0.9.5.2
---------------
* Medieafspiller bruger ikke netværksforbindelse mere når den ikke er i brug
* Andre forbedringer og fejlrettelser
Version 0.9.5.1
---------------
* Tilføjet afspilnings historik
* Forbedret opførelse af download notifikationer
* Forbedret understøttelse af høretelefonkontrol
* Fejlrettelser i feed parser
* Flyttet 'OPML imort' knap til 'tilføj feed' skærmen og 'OPML eksport' knappen til indstillinger
Version 0.9.5
-------------
* Eksperimental understøttelse af MP3 kapitler
* Nye menu muligheder for den 'nye' liste og køen
* Auto-slet feature
* Bedre download fejlrapporter
* Flere fejlrettelser
Version 0.9.4.6
---------------
* Understøttelse af enheder med små skærme
* Deaktiver sleep timeren skulle virke igen
Version 0.9.4.5
---------------
* Tilføjet russisk oversættelse (Tak older!)
* Tilføjet tysk oversættelse
* Flere fejlrettelser
Version 0.9.4.4
---------------
* Tilføjet afspillerkontrol i bunden af hovedskærmen og feedliste skærmen
* Bedre medieafspilning
Version 0.9.4.3
---------------
* Løst flere bugs i feed parseren
* Forbedret opførelse af download notifikationer
Version 0.9.4.2
---------------
* Løst fejl i OPML importeren
* Mindsket hukommelsesforbrug ved billeder
* Løst download problemer på nogle enheder
Version 0.9.4.1
---------------
* Ændret opførelsen af download notifikationer
Version 0.9.4
-------------
* Hurtigere og mere stabile downloads
* Tilføjet låseskærms kontrol for Android 4.x enheder
* Flere fejlrettelser
Version 0.9.3.1
---------------
* Tilføjet mulighed for at gemme feed ting der ikke har en episode
* Forbedret billedestørrelse for visse skærmstørrelser
* Tilføjet gittervisning for store skærme
* Flere fejlrettelser
Version 0.9.3
-------------
* MiroGuide intregration
* Fejlrettelser i lyd- og videoafspiller
* Automatisk tilføjelse af feeds i køen når de er downloadet
Version 0.9.2
-------------
* Fejlrettelser i UI
* GUID og ID attributter genkendes af Feedparseren
* Stabilitetsforbedringer når flere feeds tilføjes
* Løst bug med nogle feeds
Version 0.9.1.1
--------------------
* Ændret Flattr kredientials
* Forbedret layoutet af feed informationsskærmen
* AntennaPod er nu open source! Source code er på https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Tilføjet understøttelse af links i SImpleChapters
* Fejlrettelser i Current Chapter
Version 0.9
--------------
* OPML eksport
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Tilføjet søgning
* Forbedret OPML import oplevelse
* Flere fejlrettelser
Version 0.8.1
------------
* Tilføjet understøttelse af SimpleChapters
* OPML import

View File

@ -1,12 +0,0 @@
* Neue Funktionen:
* Unterstützung von Chromecast (experimentell)
* Abonnement Übersicht
* Unterstützung von Proxies
* Statistiken
* Manuelle Synchronization mit gpodder.net
* Behobene Fehler:
* Wiedergabesteuerung
* Ducking (Absenken der Lautstärke bei anderen Signalen)
* Ausblenden der Video-Steuerelemente
* Externe Steuerelemente
* Einlesen von Feeds

View File

@ -1,366 +0,0 @@
Änderungen
==========
Version 1.6.0
-------------
* Neue Funktionen:
* Unterstützung von Chromecast (experimentell)
* Abonnement Übersicht
* Unterstützung von Proxies
* Statistiken
* Manuelle Synchronization mit gpodder.net
* Behobene Fehler:
* Wiedergabesteuerung
* Ducking (Absenken der Lautstärke bei anderen Signalen)
* Ausblenden der Video-Steuerelemente
* Externe Steuerelemente
* Einlesen von Feeds
Version 1.5.0
-------------
* Schließe Episoden mit Hilfe von Schlüsselwörtern beim Automatischen Herunterladen aus
* Schließe einzelne Feeds vom automatischen Aktualisieren aus
* Verbesserter Audio-Player
* Verbesserungen an der Benutzeroberfläche
* Fehlerkorrekturen
Version 1.4.1
-------------
* Performance-Verbesserungen
* Tasten spulen nun vor oder zurück statt zur nächsten Episode zu springen
* Einstellung, zur nächsten Episode zu springen statt vorzuspulen
* Möglichkeit, Absturzberichte an Entwickler zu schicken
* Hebe Episode hervor, die gerade abgespielt wird
* Widget-Verbesserungen
Version 1.4.0.12
----------------
* Behebt Abstürze von Huawei-Geräten (Abspieltasten funktionieren möglicherweise nicht)
Version 1.4
-----------
* BLUETOOTH-Berechtigung: Wird benötigt, um bei Wiederverbindung eines Bluetooth-Gerät mit deinem Smartphone mit dem Abspielen fortzufahren
* Vibrationsberechtigung: Optionale Benutzung mit der Schlummerfunktion
* Native variable Abspielgeschwindigkeiten (experimentell, siehe Einstellungen)
* Schlummerfunktion verbessert
* Episoden als "Favoriten" markieren
* Benachrichtigung kann Episoden überspringen
* Episoden werden beim Überspringen nicht gelöscht
* Episodenbild auf dem Lockscreen
* Flexibleres automatisches Löschen
* Automatisches Zurückspulen nach längerer Pause
* Verbesserung der Benutzerfreundlichkeit
* Fehlerkorrekturen
Version 1.3
-----------
* Massenänderungen an Feed-Episoden (herunterladen, zur Abspielliste hinzufügen, löschen)
* Speicherplatzbedarf von Bildern reduziert
* Automatische Aktualisierung zur bestimmten Tageszeit
* Anpassbare Indikatoren und Sortierung für Feeds
* Möglichkeit, Feeds zu teilen
* Automatische Downloads verbessert
* Viele Fehlerbehebungen und Verbesserungen der Benutzbarkeit
Version 1.2
-----------
* Deaktivieren von Wischen und Verschieben in der Abspielliste
* Wiedergabe nach Anruf fortsetzen
* Filter Episoden in der Übersicht eines Podcasts
* Seitenleiste anpassen
* Vor- und Rückspulzeit einstellbar
* Probleme mit Import von OPML Dateien gelöst
* Behebung mehrerer Fehler und Verbesserungen der Benutzerfreundlichkeit
Version 1.1
-----------
* ITunes Podcast-Einbindung
* Wischen, um Elemente aus der Abspielliste zu entfernen
* Stellen Sie die Anzahl der parallelen Downloads ein
* Behebung eines Fehlers von gpodder.net auf alten Geräten
* Probleme mit Veröffentlichungsdaten einiger Feeds gelöst
* Verbesserungen der Oberfläche
* Verbesserung der Benutzerfreundlichkeit
* Diverse andere Fehlerbehebungen
Version 1.0
-----------
* Die Queue kann nun sortiert werden
* Option hinzugefügt, um Episoden nach dem Abspielen zu löschen
* Fehler behoben, der die mehrfache Anzeige von Kapiteln verursachte
* Mehrere andere Verbesserungen und Fehlerbehebungen
Version 0.9.9.6
---------------
* Probleme mit Plugin für variable Abspielgeschwindigkeiten behoben
* Problem mit automatischer Feed-Aktualisierung behoben
* Diverse andere Problembehebungen und Verbesserungen
Version 0.9.9.5
---------------
* Unterstützung für Paged Feeds hinzugefügt
* Verbessertes User Interface
* Japanische und türkische Übersetzungen hinzugefügt
* Weitere Bildladeprobleme behoben
* Andere Fehlerbehebungen und Verbesserungen
Version 0.9.9.4
---------------
* Option hinzugefügt, um während einer Wiedergabepause Benachrichtigungen und Lockscreen-Kontrollen angezeigt zu lassen
* Fehler behoben, der das korrekte Laden von Episodenbildern verhinderte
* Batterieverbauchsprobleme behoben
Version 0.9.9.3
---------------
* Probleme mit Videowiedergabe behoben
* Laden von Bildern verbessert
* Andere Fehlerbehebungen und Verbesserungen
Version 0.9.9.2
---------------
* Entdeckung von Feeds nun möglich, wenn URL einer Webseite eingegeben wird
* Unterstützung von "Nächste"/"Vorherige" Medientasten
* Schlummerfunktion verbessert
* Zeitmarken in Shownotes können nun benutzt werden, um an eine bestimmte Position zu springen
* Automatisches Flattrn ist nun konfigurierbar
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.9.1
---------------
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.9.0
---------------
* Neue Benutzeroberfläche
* Abgebrochene Downloads werden nun beim Neustart fortgesetzt
* Unterstützung für Podlove Alternate Feeds hinzugefügt
* Unterstützung für das "pcast-"Protokoll hinzugefügt
* Funktionalität für Backup & Wiederherstellung hinzugefügt. Diese muss in den Android-Einstellungen aktiviert werden.
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.8.3
---------------
* Unterstützung für Passwort-geschützte Feeds und Episoden hinzugefügt
* Unterstützung für mehr Typen von Episodenbildern hinzugefügt
* Hebräische Übersetzung hinzugefügt
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.8.2
---------------
* Diverse Fehlerbehebungen und Verbesserungen
* Koreanische Übersetzung hinzugefügt
Version 0.9.8.1
---------------
* Option hinzugefügt, Episoden automatisch zu flattrn, sobal sie zu 80% abgespielt worden sind.
* Polnische Übersetzung hinzugefügt
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.8.0
---------------
* Zugang zum gpodder.net-Verzeichnis hinzugefügt
* Option hinzugefügt, um Podcast-Abonnements mit dem gpodder.net-Service zu synchronisieren
* Automatischer Download kann jetzt pro Podcast ein- und ausgeschaltet werden
* Option hinzugefügt, das Abspielen zu pausieren wenn eine andere App Sound abspielt
* Übersetzung ins Niederländische und Hindi hinzugefügt
* Problem mit automatischen Podcastupdates gelöst
* Problem mit der Sichbarkeit von Buttons im Episodenbildschirm gelöst
* Problem mit unnötigem, erneutem Download von Episoden gelöst
* Einige andere Problemlösungen und Verbesserungen
Version 0.9.7.5
---------------
* Startzeit verringert
* Speicherverbrauch reduziert
* Option hinzugefügt um Abspielgeschwindigkeit zu ändern
schwedische Übersetzung hinzugefügt
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.7.4
---------------
* Episoden Cachegrössenlimit kann jetzt auf unendlich gesetzt werden
* Das Löschen einer Episode über Sliding kann jetzt zurückgesetzt werden
Unterstützung für Links in MP3 Kapiteln hinzugefügt
tschechische (Tschechien), aserbaidschanische und portugiesische Übersetzung hinzugefügt
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.7.3
---------------
* Bluetoothgeräte zeigen jetzt Metadaten während der Wiedergabe (setzt AVRCP 1.3 oder höher voraus)
* User interface Verbesserungen
* Diverse Fehlerbehebungen
Version 0.9.7.2
---------------
* Automatischer Download kann jetzt deaktiviert werden
* Italienische Übersetzung hinzugefügt
* Diverse Fehlerbehebungen
Version 0.9.7.1
---------------
* Automatisches Herunterladen von neuen Episoden hinzugefügt
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Diverse Verbesserungen und Fehlerbehebung
* Katalan Übersetzung hinzugefügt
Version 0.9.7
-------------
* Verbessertes User Interface
* OPML Dateien können nun importiert werden indem man sie in einem Dateimanager auswählt
* Die Queue kann nun mit drag & drap organisiert werden
* Ausklappbare Benachrichtigungen hinzugefügt (nur von Android 4.1 oder höher unterstützt)
* Dänisch, Französisch, Rumänisch (Rumänien) und Ukrainisch (Ukraine) Übersetzung hinzugefügt (Danke an alle Übersetzer!)
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.6.4
---------------
* Chinesische Übersetzung hinzugefügt (Dank an tupunco!)
* Portugiesische (Brasilien) Übersetzung hinzugefügt (Dank an mbaltar!)
* Diverse Fehlerbehebungen
Version 0.9.6.3
---------------
* Möglichkeit hinzugefügt, den Ort von AntennaPods "data"-Ordner zu ändern
* Spanische Übersetzung hinzugefügt (Dank an frandavid100!)
* Probleme mit diversen Feeds gelöst
Version 0.9.6.2
---------------
* Probleme mit Import von OPML Dateien gelöst
* Download Probleme behoben
* AntennaPod erkennt jetzt Änderungen in den Episodeninformationen
* Andere Verbesserungen und Fehlerbehebungen
Version 0.9.6.1
---------------
* Dark theme hinzugefügt
* Diverse Fehlerbehebungen und Verbesserungen
Version 0.9.6
-------------
* Unterstützung für VorbisComment-Kapitelmarken hinzugefügt
* AntennaPod zeigt Items jetzt als 'in progress' wenn Abspielen gestartet
* Speicherverbrauch reduziert
* Unterstützung für mehr feed-Typen hinzugefügt
* Diverse Fehlerbehebungen
Version 0.9.5.3
---------------
* Absturz behoben, der beim Playback einiger Geräte auftrat
* Probleme mit einigen Feeds gelöst
* Andere Fehlerbehebungen und Verbesserungen
Version 0.9.5.2
---------------
* Media Player verbraucht jetzt keine Bandbreite mehr, wenn er nicht benutzt wird
* Andere Verbesserungen und Fehlerbehebungen
Version 0.9.5.1
---------------
* Wiedergabe History hinzugefügt
* Verbessertes Verhalten von Download Reports
* Unterstützung für Headset controls hinzugefügt
* Fehlerbehebungen im Feed parser
* 'OPML Import' Button zu 'Feed hinzufügen' Bildschirm hinzugefügt und 'OPML Export' Button in Einstellungsbildschirm
Version 0.9.5
-------------
* Experimentelle Unterstützung für MP3 Kapitelmarken
* Neue Menüoption für die 'new'-Liste und die Queue
* Auto-delete feature
* Bessere Download Fehler Reports
* Diverse Fehlerbehebungen
Version 0.9.4.6
---------------
* Unterstützung für kleine Displays hinzugefügt
* Sleeptimer ausschalten sollte jetzt wieder funktionieren
Version 0.9.4.5
---------------
* Russische Übersetzung hinzugefügt (Danke older!)
* Deutsche Übersetzung hinzugefügt
* Diverse Fehlerbehebungen
Version 0.9.4.4
---------------
* Player Controls unten am Hauptbildschirm und Feedlistenbildschirm hinzugefügt
* Besseres media playback
Version 0.9.4.3
---------------
* Diverse Fehler in Feed Parser behoben
* Verbessertes Verhalten von Download Reports
Version 0.9.4.2
---------------
* Fehler im OPML Importer behoben
* Reduzierter Speicherverbrauch für Bilder
* Downloadprobleme auf einigen Geräten behoben
Version 0.9.4.1
---------------
* Verhalten von Download notifications geändert
Version 0.9.4
-------------
* Schnellere und zuverlässigere Downloads
* Lockscreen player bei Geräten mit Android 4.x hinzugefügt
* Diverse Fehlerbehebungen
Version 0.9.3.1
---------------
* Einstellung hinzugefügt um Feeds zu verstecken, die keine Episode haben
* Verbesserte Bildergrösse für einige Bildschirmgrößen
* Grid View für große Bildschirme hinzugefügt
* Diverse Fehlerbehebungen
Version 0.9.3
-------------
* MiroGuide Integration
* Fehlerbehebungen in Audio- und Videoplayer
* Feeds werden automatisch zur Queue hinzugefügt wenn sie gedownloaded wurden
Version 0.9.2
-------------
* Fehlerbehebungen im User Interface
GUID und ID Attribute werden jetzt vom Feedparser erkannt
* Stabilitätsverbesesrungen wenn mehrere Feeds zu derselben Zeit hinzugefügt werden
* Fehlerbehebung beim Hinzufügen einiger Feeds
Version 0.9.1.1
--------------------
* Flattr credentials geändert
* Verbessertes Layout für Feed Information Bildschirm
* AntennaPod ist jetzt open source! Der Quellcode ist verfügbar unter https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Unterstützung für SimpleChapters
* Fehlerbehebung: Aktuelles Kapitel wurde nicht immer korrekt angezeigt
Version 0.9
--------------
* OPML Export
* Flattr Integration
* Sleep timer
Version 0.8.2
-------------
* Suche hinzugefügt
* Verbesserter OPML Import
* Mehr Fehlerbehebungen
Version 0.8.1
------------
* SimpleChapters werden unterstüzt
* OPML Import

View File

@ -1,363 +0,0 @@
Καταγραφή Αλλαγών
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Διορθώσεις σφαλμάτων
Έκδοση 1.4.1
-------------
* Βελτιστοποίηση απόδοσης
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Έκδοση 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Έκδοση 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Βελτίωση χρονομετρητή ύπνου
* Σήμανση επεισοδίων ως 'αγαπημένα'
* Notification can skip episodes
* Keep episodes when skipping them
* Εξώφυλλο επεισοδίου στην οθόνη κλειδώματος
* Ευέλικτη εκκαθάριση επεισοδίων
* Επαναφορά μετά από παύση
* Βελτιώσεις χρηστικότητας
* Διορθώσεις σφαλμάτων
Έκδοση 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Ελαχιστοποίηση του αποθηκευτικού χώρου που δεσμεύουν οι εικόνες
* Αυτόματη ανανέωση σε συγκεκριμένη ώρα της ημέρας
* Customizable indicators and sorting for feeds
* Δυνατότητα διαμοιρασμού ροών
* Βελτίωση αυτόματης λήψης
* Αρκετές διορθώσεις και βελτιώσεις χρηστικότητας
Έκδοση 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Διάφορες διορθώσεις σφαλμάτων και βελτιώσεις χρηστικότητας
Έκδοση 1.1
-----------
* iTunes podcast ενσωμάτωση
* Σύρετε για να καταργήσετε στοιχεία από την σειρά αναμονής
* Ρύθμιση αριθμού των παράλληλων λήψεων
* Διόρθωση για gpodder.net σε παλιές συσκευές
* Σταθερά προβλήματα με μερικές τροφοδοσίες
* Βελτίωση της εμφάνισης
* Βελτιώσεις χρηστικότητας
* Αρκετές αλλες διορθώσεις
Έκδοση 1.0
-----------
* Η σειρά αναμονής μπορεί πλέον να ταξινομηθεί
* Προστέθηκε επιλογή για να διαγράψετε το επεισόδιο μετά την αναπαραγωγή
* Διορθώθηκε ένα σφάλμα που προκάλεσε κεφάλαια να εμφανίζονται πολλές φορές
* Αρκετές άλλες βελτιώσεις και διορθώσεις σφαλμάτων
Έκδοση 0.9.9.6
---------------
* Σταθερά προβλήματα που σχετίζονται με τα plugins ταχύτητας αναπαραγωγής μεταβλητής
* Σταθερά προβλημάτων ενημέρωσης αυτόματης φόρτωσης
Αρκετές άλλες διορθώσεις και βελτιώσεις
Έκδοση 0.9.9.5
---------------
* Προστέθηκε υποστήριξη για σελιδοποιημένες τροφοδοσίες
* Βελτιωμένη διεπαφή χρήστη
* Προστέθηκε ιαπωνική και τουρκική μετάφραση
Περισσότερα προβλήματα φόρτωσης εικονων
* Άλλες διορθώσεις και βελτιώσεις
Έκδοση 0.9.9.4
---------------
* Προστέθηκε επιλογή για να κρατήσει τους ελέγχους κοινοποίησης και lockscreen όταν γίνεται παύση της αναπαραγωγής
* Διορθώθηκε ένα σφάλμα όπου οι εικόνες επεισοδίων δεν είχαν φορτωθεί σωστά
* Προβλήματα χρήσης Πάγιας μπαταρίας
Έκδοση 0.9.9.3
---------------
* Προβλήματα αναπαραγωγής Πάγιου βίντεο
* Βελτιωμένη φόρτωση της εικόνας
* Άλλες διορθώσεις και βελτιώσεις
Έκδοση 0.9.9.2
---------------
* Προστέθηκε υποστήριξη για την ανακάλυψη των τροφών, εάν η διεύθυνση URL του ιστότοπου εγγράφεται
* Προστέθηκε υποστήριξη για «επόμενο» / «προηγούμενο», πλήκτρα πολυμέσων
* Βελτίωση χρονομετρητή ύπνου
* Οι χρονικές σημάνσεις στις σημειώσεις παράστασης δεν μπορούν να χρησιμοποιηθούν για να μεταβείτε σε μια συγκεκριμένη θέση
* Αυτόματο Flattring είναι τώρα διαμορφωμένο
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.9.1
---------------
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.9.0
---------------
* Νεο περιβάλλον εργασίας χρήστη
* Αποτυχία λήψης τώρα επαναλαμβάνεται όταν επανεκκινηθεί
* Προστέθηκε υποστήριξη για Podlove Εναλλακτικές Feeds
* Προστέθηκε υποστήριξη για "pcast" -protocol
* Προστέθηκε Αντίγραφο ασφαλείας & επαναφορά της λειτουργικότητας. Αυτή η λειτουργία πρέπει να ενεργοποιηθεί στις ρυθμίσεις του Android προκειμένου να εργαστεί
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.8.3
---------------
* Προστέθηκε υποστήριξη για ροές και επεισόδια που προστατεύονται με κωδικό
* Προστέθηκε υποστήριξη για περισσότερους τύπους εικόνων επεισοδίων
* Προστέθηκε εβραϊκή μετάφραση
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.8.2
---------------
* Αρκετές διορθώσεις και βελτιώσεις
* Προστέθηκε κορεατική μετάφραση
Έκδοση 0.9.8.1
---------------
* Προστέθηκε επιλογή για να κολακεύσει ένα επεισόδιο αυτόματα μετά από 80 τοις εκατό του επεισοδίου έχουν παιχτεί
* Προστέθηκε πολωνική μετάφραση
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.8.0
---------------
* Προστέθηκε η πρόσβαση στον κατάλογο gpodder.net
* Προστέθηκε δυνατότητα να συγχρονίσετε τις συνδρομές podcast με την υπηρεσία gpodder.net
* Αυτόματη λήψη τώρα μπορεί να ενεργοποιηθεί ή να απενεργοποιηθεί για συγκεκριμένα podcasts
* Προστέθηκε επιλογή για παύση της αναπαραγωγής, όταν μια άλλη εφαρμογή παίζει ήχους
* Προστέθηκε ολλανδική και ινδική μετάφραση
* Επιλυθηκε ένα πρόβλημα με αυτόματες ενημερώσεις podcast
* Επιλυθηκε ένα πρόβλημα με την προβολή των πλήκτρων στην οθόνη επεισοδίων
* Επιλυθηκε ένα πρόβλημα όπου γίνετε εκ νέου λήψη επειδσοδιων άνευ λόγου
* Αρκετές άλλες διορθώσεις και βελτιώσεις χρηστικότητας
Έκδοση 0.9.7.5
---------------
* Μείωση εφαρμογής χρόνου εκκίνησης
* Μειωμένη χρήση μνήμης
* Προστέθηκε επιλογή για να αλλάξετε την ταχύτητα αναπαραγωγής
* Προστέθηκε σουηδική μετάφραση
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.7.4
---------------
* Το μέγεθος κρυφής μνήμης επεισοδίου μπορεί τώρα να οριστεί να είναι απεριόριστο
* Κατάργηση ενός επεισοδίου στη σειρά αναμονής μέσω ολίσθησης μπορεί τώρα να αναιρεθεί
* Προστέθηκε υποστήριξη για Σύνδεσμους σε μορφή MP3 κεφαλαίων
* Προστέθηκε Τσεχική, Αζερμπαϊτζάνικη και Πορτογαλική μετάφραση
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.7.3
---------------
* Συσκευές Bluetooth εμφανίζουν τώρα μεταδεδομένα κατά την αναπαραγωγή (απαιτείται AVRCP 1.3 ή νεότερη έκδοση)
* Βελτίωση της διεπαφής χρήστη
* Αρκετές διορθώσεις
Έκδοση 0.9.7.2
---------------
* Αυτόματη λήψη τώρα μπορεί να απενεργοποιηθεί
* Προστέθηκε ιταλική μετάφραση
* Αρκετές διορθώσεις
Έκδοση 0.9.7.1
---------------
* Προστέθηκε αυτόματη λήψη νέων επεισοδίων
* Προστέθηκε επιλογή για να καθορίσετε τον αριθμό των ληφθέντων επεισοδίων να διατηρηθεί στη συσκευή
* Προστέθηκε υποστήριξη για την αναπαραγωγή των εξωτερικών αρχείων πολυμέσων
* Αρκετές βελτιώσεις και διορθώσεις σφαλμάτων
* Προστέθηκε καταλανική μετάφραση
Έκδοση 0.9.7
-------------
* Βελτιωμένη διεπαφή χρήστη
* Τα αρχεία OPML μπορούν τώρα να εισαχθουν σε ένα πρόγραμμα περιήγησης στο αρχείο
* Η σειρά αναμονής μπορει τώρα να οργανωθεί μέσω μεταφοράς και απόθεσης
* Προστέθηκε δυνατότητα επέκτασης ειδοποιήσεων (υποστηρίζεται μόνο σε Android 4.1 και πάνω)
* Προστέθηκε Δανεζικη, Γαλλικη, Ρουμανίκη και Ουκρανίκη μετάφρασης (Ευχαριστουμε όλους τους μεταφραστές!)
* Αρκετές διορθώσεις και μικρές βελτιώσεις
Έκδοση 0.9.6.4
---------------
* Προστέθηκε κινεζική μετάφραση (Ευχαριστούμε τον tupunco!)
* Προστέθηκε πορτογαλική (Βραζιλίας) μετάφραση (Ευχαριστούμε τον mbaltar!)
* Αρκετές διορθώσεις
Έκδοση 0.9.6.3
---------------
* Προστέθηκε η δυνατότητα να αλλάξετε τη θέση του φακέλου δεδομένων του AntennaPod
* Προστέθηκε ισπανική μετάφραση (Ευχαριστούμε τον frandavid100!)
* Λυθηκαν προβλήματα με διάφορες τροφοδοσίες
Έκδοση 0.9.6.2
---------------
* Σταθερά προβλήματα των εισαγωγών με ορισμένα αρχεία OPML
* Σταθερά προβλήματα λήψης
* Το AntennaPod αναγνωρίζει τώρα τις αλλαγές των πληροφοριών επεισοδίων
* Άλλες βελτιώσεις και διορθώσεις σφαλμάτων
Έκδοση 0.9.6.1
---------------
* Προστέθηκε σκοτεινό θέμα
* Αρκετές διορθώσεις και βελτιώσεις
Έκδοση 0.9.6
-------------
* Προστέθηκε υποστήριξη για VorbisComment κεφάλαια
* Το AntennaPod δείχνει τώρα στοιχεία, όπως «εν εξελίξει», όταν η αναπαραγωγή έχει ξεκινήσει
* Μειωμένη χρήση μνήμης
* Προστέθηκε υποστήριξη για περισσότερους τύπους τροφοδοσίων
* Αρκετές διορθώσεις
Έκδοση 0.9.5.3
---------------
* Σταθερή συντριβή όταν προσπαθείτε να ξεκινήσετε την αναπαραγωγή σε κάποιες συσκευές
* Σταθερά προβλήματα με μερικές τροφοδοσίες
* Άλλες διορθώσεις και βελτιώσεις
Έκδοση 0.9.5.2
---------------
* Το πρόγραμμα αναπαραγωγής πολυμέσων τώρα δεν χρησιμοποιεί το εύρος ζώνης του δικτύου πλέον αν δεν χρησιμοποιείτε
* Άλλες βελτιώσεις και διορθώσεις σφαλμάτων
Έκδοση 0.9.5.1
---------------
* Προστέθηκε ιστορικό αναπαραγωγής
* Βελτίωση της συμπεριφοράς των ειδοποιήσεων λήψης έκθεσης
* Βελτιωμένη υποστήριξη για τους ελέγχους ακουστικών
* Επιδιορθώσεις σφαλμάτων στο πρόγραμμα ανάλυσης τροφοδοσίας
* Μετακίνηση κουμπιού «εισαγωγή OPML» στην οθόνη «προσθήκη ροής δεδομένων» και του κουμπιού «OPML εξαγωγής» στην οθόνη ρυθμίσεων
Έκδοση 0.9.5
-------------
* Πειραματική υποστήριξη για MP3 κεφάλαια
* Νέες επιλογές του μενού για την «νέα» λίστα και σειρά αναμονής
* Αυτόματη διαγραφή χαρακτηριστικόυ
* Καλύτερη Λήψη αναφορων σφαλμάτων
* Αρκετές Επιδιορθώσεις σφαλμάτων
Έκδοση 0.9.4.6
---------------
* Ενεργοποιήθηκε η υποστήριξη για συσκευές με μικρή οθόνη
* Η απενεργοποίηση του χρονοδιακόπτη ύπνου πρέπει τώρα να λειτουργεί και πάλι
Έκδοση 0.9.4.5
---------------
* Προστέθηκε Ρωσική μετάφραση (Ευχαριστούμε τον older!)
* Προστέθηκε γερμανική μετάφραση
* Αρκετές διορθώσεις
Έκδοση 0.9.4.4
---------------
* Προστέθηκε ελέγχος αναπαραγωγής στο κάτω μέρος της κύριας οθόνης και τις οθόνες feedlist
* Βελτίωση της αναπαραγωγής πολυμέσων
Έκδοση 0.9.4.3
---------------
* Διορθώθηκαν αρκετά σφάλματα στο πρόγραμμα ανάλυσης τροφοδοσίας
* Βελτίωση της συμπεριφοράς των εκθέσεων λήψης
Έκδοση 0.9.4.2
---------------
* Σταθερό σφάλμα στον εισαγωγέα OPML
* Μειωμένη χρήση μνήμης των εικόνων
* Σταθερά προβλήματα λήψης σε κάποιες συσκευές
Έκδοση 0.9.4.1
---------------
* Άλλαγη συμπεριφοράς των ειδοποιήσεων λήψης
Έκδοση 0.9.4
-------------
* Ταχύτερη και πιο αξιόπιστη λήψη
* Προστέθηκε lockscreen ελέγχος αναπαραγωγής για συσκευές Android 4.x
* Αρκετές διορθώσεις
Έκδοση 0.9.3.1
---------------
* Προστέθηκε αναφορά μπορούν να κρύβουν αντικείμενα τροφοδοσιας, που δεν έχουν επεισόδιο
* Βελτίωση του μέγεθους εικόνας για μερικά μερικά μεγέθη οθόνης
* Προστέθηκε προβολή πλέγματος για μεγάλες οθόνες
* Αρκετές διορθώσεις
Έκδοση 0.9.3
-------------
* Ενσωμάτωση MiroGuide
* Επιδιορθώσεις σφαλμάτων στην ηχογράφηση και συσκευή βίντεο
* Αυτόματη προσθήκη τροφοδοσίας στη σειρά αναμονής όταν έχει γινει λήψη
Έκδοση 0.9.2
-------------
* Επιδιορθώσεις σφαλμάτων στο περιβάλλον εργασίας χρήστη
* Τα GUID και το αναγνωριστικό χαρακτηριστικών που αναγνωρίζονται σήμερα από το Feedparser
* Βελτιώσεις σταθερότητας κατά την προσθήκη πολλων τροφων ταυτόχρονα
* Σταθερά σφάλματα που εμφανίστηκαν κατά την προσθήκη ορισμένων τροφοδοσίων
Έκδοση 0.9.1.1
--------------------
* Άλλαγη διαπιστευτήριων Flattr
* Βελτίωση της διάταξης της οθόνης πληροφοριών τροφοδοσίας
* Το AntennaPod είναι τώρα ανοικτος κώδικας! Ο πηγαίος κώδικας είναι διαθέσιμος στο https://github.com/danieloeh/AntennaPod
Έκδοση 0.9.1
-----------------
* Προστέθηκε υποστήριξη για συνδέσμους στο SimpleChapters
* Bugfix: Το Τρέχον κεφάλαιο δεν εμφανίζεται παντα σωστά
Έκδοση 0.9
--------------
* OPML εξαγωγή
* Ενσωμάτωση Flattr
* Χρονόμετρο ύπνου
Έκδοση 0.8.2
-------------
* Προστέθηκε αναζήτηση
* Βελτίωση της εμπειρίας εισαγωγής OPML
* Περισσότερες διορθώσεις σφαλμάτων
Έκδοση 0.8.1
------------
* Προστέθηκε υποστήριξη για SimpleChapters
* Εισαγωγή OPML

Binary file not shown.

After

Width:  |  Height:  |  Size: 293 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 376 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 148 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 369 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 163 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 92 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 169 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 53 KiB

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,12 +0,0 @@
* Nuevas funciones:
* Soporte Experimental de Chromecast
* Subscription overview
* Soporte para proxy
* Estadísticas
* Sincronización manual a gpodder.net
* Correcciones:
* Controles del reproductor de audio
* Reducción de audio por canal (audio ducking)
* Desvanecimiento del control de video
* Controles para medios externos
* Feed parsing

View File

@ -1,363 +0,0 @@
Registro de cambios
==========
Versión 1.6.0
-------------
* Nuevas funciones:
* Soporte Experimental de Chromecast
* Resumen de suscripciones
* Soporte para proxy
* Estadísticas
* Sincronización manual a gpodder.net
* Correcciones:
* Controles del reproductor de audio
* Reducción de audio por canal (audio ducking)
* Desvanecimiento del control de video
* Controles para medios externos
* Parseo de feeds
Versión 1.5.0
-------------
* Excluir episodios de la auto descarga usando palabras clave
* Configurar que algunos feeds no se refresquen automáticamente
* Reproductor mejorado
* Interfaz de usuario mejorada
* Corrección de fallos
Versión 1.4.1
-------------
* Mejoras de rendimiento
* Los botones hardware avanzan y retroceden en lugar de saltar episodio
* Opción para saltar capítulos con el botón de avanzar
* Opción para enviar reportes de fallo a los desarrolladores
* Resaltar el episodio actual
* Mejoras del widget
Versión 1.4.0.12
----------------
* Arreglado cierre en dispositivos Huawei (los botones multimedia podría no funcionar)
Versión 1.4
-----------
* PERMISO BLUETOOTH: Necesario para poder iniciar la reproducción cuando un dispositivo Bluetooth se conecta al teléfono
* PERMISO DE VIBRACIÓN: Se usa opcionalmente con el temporizador de sueño
* Reproducción a velocidad variable de manera nativa (opción experimental)
* Mejorado el temporizador de sueño
* Marcar episodio como «favorito»
* Se puede saltar un episodio desde la notificación
* Conservar episodios al saltarlos
* Imagen del episodio en la pantalla de bloqueo
* Limpieza de episodios flexible
* Retrocede después de pausar
* Mejoras de usabilidad
* Corrección de fallos
Versión 1.3
-----------
* Acciones masivas en los feeds (descargar, agregar a cola, borrar)
* Reducción del espacio ocupado por imágenes
* Refresco automático a ciertas horas del día
* Indicadores personalizables y ordenación de feeds
* Posibilidad de compartir feeds
* Auto descarga mejorada
* Varias correcciones y mejoras de usabilidad
Versión 1.2
-----------
* Opcionalmente deshabilita gestos de arrastre en la cola
* Reanudar reproducción tras una llamada
* Filtrar episodios en el feed del Podcast
* Ocultar elementos en el cajón Nav
* Personalizar los tiempos de avance y retroceso
* Resuelto problema al abrir ciertos archivos OPML
* Varias correcciones de fallos y mejoras de usabilidad
Versión 1.1
-----------
* Integración con podcast de iTunes
* Desliza para eliminar ítems de la cola
* Número de descargas paralelas ajustable
* Corregido el acceso a gpodder.net desde dispositivos antiguos
* Corregido problema con las fechas de algunos feeds
* Mejoras gráficas
* Mejoras de usabilidad
* Varias correcciones
Versión 1.0
-----------
* Ahora se puede organizar la cola
* Añadida opción para borrar el episodio después de reproducirlo
* Corregido un bug que causaba que los capítulos se mostraran múltiples veces
* Varias mejoras y correcciones
Versión 0.9.9.6
---------------
* Corregido problema con la reproducción a velocidad variable
* Corregidas las actualizaciones de canal automáticas
* Varias correcciones y mejoras
Versión 0.9.9.5
---------------
* Se ha añadido soporte para canales paginados
* Interfaz de usuario mejorada
* Se ha añadido traducciones a japonés y turco
* Se ha arreglado más problemas en la carga de imágenes
* Otras correcciones y mejoras
Versión 0.9.9.4
---------------
* Añadida una opción para que permanezca la notificación y los controles en la pantalla de bloqueo cuando se pausa la reproducción
* Corregido un fallo que impedía que las imágenes de los episodios cargasen correctamente.
* Corregidos problemas de uso de batería
Versión 0.9.9.3
---------------
* Corregidos problemas de reproducción de video
* Mejorada la carga de imágenes
* Otras correcciones y mejoras
Versión 0.9.9.2
---------------
* Añadido soporte para descubrimiento del feed si lo que se introduce es una URL de una página web
* Añadido soporte para los botones multimedia «anterior»/«siguiente»
* Mejorado el temporizador de sueño
* Las marcas de tiempo en las notas de un episodio ahora se pueden usar para saltar a una posición específica
* Ahora se puede configurar hacer Flattr automáticamente
* Varias correcciones y mejoras
Versión 0.9.9.1
---------------
* Varias correcciones y mejoras
Versión 0.9.9.0
---------------
* Nueva interfaz de usuario
* Las descargas fallidas se continúan cuando se abre la aplicación de nuevo
* Añadido soporte para Podlove Alternate Feeds
* Añadido soporte para el protocolo «pcast»
* Añadido soporte de copia de seguridad. Esta característica tiene que estar habilitada en las opciones de Android para poder funcionar.
* Varias correcciones y mejoras
Versión 0.9.8.3
---------------
* Añadido soporte para feeds y episodios con contraseña
* Añadido soporte para más tipos de imágenes de episodio
* Traducido al hebreo
* Varias correcciones y mejoras
Versión 0.9.8.2
---------------
* Varias correcciones y mejoras
* Traducción al coreano
Versión 0.9.8.1
---------------
* Añadida una opción para donar mediante flattr cuando se ha reproducido el 80% de un episodio
* Traducción al polaco
* Varias correcciones y mejoras
Versión 0.9.8.0
---------------
* Añadido acceso al directorio de gpodder.net
* Añadida la posibilidad de sincronizar las suscripciones de podcasts con el servicio de gpodder.net
* La descarga automática ahora puede habilitarse selectívamente para podcasts específicos
* Añadida opción para pausar la reproducción cuando otra aplicación esté reproduciendo sonido
* Añadidas traducciones al holandés y al hindi
* Se ha resuelto un problema con la actualización automática de podcasts
* Se ha resuelto un problema con la visibilidad de los botones en la pantalla de episodio
* Se ha resuelto un problema en el que los episodios se volvían a descargar innecesariamente
* Se han resuelto varios bugs y se han incorporado varias mejoras de usabilidad
Versión 0.9.7.5
---------------
* Tiempo de arranque reducido
* Uso reducido de memoria
* Añadida opción para cambiar la velocidad de reproducción
* Traducido al sueco
* Varias correcciones y mejoras
Versión 0.9.7.4
---------------
* El tamaño de la cache de episodios se puede poner en "sin límites"
* Borrar un episodio de la cola deslizando el dedo se puede deshacer
* Añadido soporte para enlaces en capítulos MP3
* Traducciones al checo (República Checa), azerbaijani y portugués
* Varias correcciones y mejoras
Versión 0.9.7.3
---------------
* Los dispositivos Bluetooth pueden mostrar metadatos durante la reproducción (se necesita AVRCP versión 1.3 o superior)
* Mejoras en la interfaz de usuario
* Varias correcciones
Versión 0.9.7.2
---------------
* Se puede deshabilitar la descarga automática
* Traducción al italiano (Italia)
* Varias correcciones
Versión 0.9.7.1
---------------
* Añadida descarga automática de episodios nuevos
* Añadida opción para especificar el n.º de episodios descargados que mantener en el dispositivo
* Añadida compatibilidad con reproducción de archivos multimedia externos
* Varias mejoras y correcciones
* Traducción al catalán añadida
Versión 0.9.7
-------------
* Interfaz de usuario mejorada
* Se pueden importar archivos OPML al seleccionarlos en un explorador de archivos
* Ahora se puede organizar la cola arrastrando y soltando
* Se añadieron notificaciones expandibles (solo en Android 4.1 y superior)
* Se añadieron traducciones al danés, francés, rumano y ucraniano (¡gracias, traductores!)
* Varias correcciones y mejoras menores
Versión 0.9.6.4
---------------
* Se añadió una traducción al chino (¡gracias, tupunco!)
* Se añadió una traducción al portugués brasilero (¡gracias, mbaltar!)
* Varias correcciones
Versión 0.9.6.3
---------------
* Se ha añadido la posibilidad de cambiar la ubicación de la carpeta de datos de AntennaPod
*Se ha añadido la traducción al español (Gracias, frandavid100)
* Se han resuelto problemas con varios canales
Versión 0.9.6.2
---------------
* Se han arreglado problemas con algunos archivos OPML
* Se han arreglado problemas con las descargas
* Ahora AntennaPod reconoce cambios en la información de episodio
* Otras mejoras y bugs resueltos
Versión 0.9.6.1
---------------
*Se ha añadido un tema oscuro
* Varias correcciones y mejoras
Versión 0.9.6
-------------
* Se ha añadido soporte a capítulos VorbisComment
*Ahora AntennaPod muestra artículos como "en progreso" al comenzar la reproducción
* Uso reducido de memoria
* Se ha añadido soporte para más tipos de canal
* Varias correcciones
Versión 0.9.5.3
---------------
* Se ha arreglado un cuelgue al intentar comenzar la reproducción en algunos dispositivos
* Se han resuelto problemas con varios canales
* Otras correcciones y mejoras
Versión 0.9.5.2
---------------
* Ahora el reproductor ya no usa ancho de banda al no usarlo
* Otras mejoras y bugs resueltos
Versión 0.9.5.1
---------------
* Se ha añadido un historial de reproducción
* Se ha mejorado el comportamiento de las notificaciones de descarga
* Soporte para control de auriculares mejorado
* Corrección de errores en el parser de feeds
* Se ha movido el botón "Importar OPML" a la pantalla "Añadir feed" y el botón "Exportar OPML" a la pantalla de configuración
Versión 0.9.5
-------------
* Soporte experimental para capítulos MP3
* Nuevo menú de opciones para la lista "nueva" y la cola
* Funcionalidad de borrado automático
* Mejor registro de errores de Descarga
* Corrección de errores
Versió 0.9.4.6
---------------
* Mejorado el soporte para dispositivos con pantallas pequeñas
* Deshabilitar el temporizador para dormir debería volver a funcionar
Versión 0.9.4.5
---------------
* Traducido al ruso (gracias older!)
* Traducido al alemán
* Varias correcciones
Versión 0.9.4.4
---------------
* Se añaden los controles de reproducción en la parte inferior de las pantallas principal y lista de feeds
* Mejorada la reproducción de medios
Versión 0.9.4.3
---------------
* Corrección de errores en el parser de feeds
* Mejorado el comportamiento del registro de descargas
Versión 0.9.4.2
---------------
* Corregido un error en el importador OPML
* Reducción de la memoria utilizada por las imágenes
* Corregidos los problemas de descarga que tenían algunos dispositivos
Versión 0.9.4.1
---------------
* Cambiado el comportamiento de las notificaciones de descarga
Versión 0.9.4
-------------
* Descargas más rápidas y seguras
* Añadido un reproductor para la pantalla de bloqueo en dispositivos Android 4.x
* Varias correcciones
Versión 0.9.3.1
---------------
* Se añade la preferencia para ocultar los feeds que no tienen ningun episodio
* Mejorado el tamaño de imagen para ciertos tamaños de pantalla
* Se añade una vista en cuadrícula para pantallas grandes
* Varias correcciones
Versión 0.9.3
-------------
* Integración con la guía MiroGuide
* Corrección de errores en los reproductores de audio y vídeo
* Se añaden automáticamente a la cola los feeds que se han descargado
Versión 0.9.2
-------------
* Corrección de errores en la interfaz de usuario
* El Feedparser ya reconoce los atributos GUID e ID
* Mejoras de estabilidad cuando se importan varios feeds a la vez
* Corregidos errores que aparecían al añadir ciertos feeds
Versión 0.9.1.1
--------------------
* Cambiadas las credenciales de Flattr
* Mejorada la distribución en la pantalla de información de un feed
* AntennaPod es código abierto! El código está disponible en https://github.com/danieloeh/AntennaPod
Versión 0.9.1
-----------------
* Se añade soporte para enlaces en SimpleChapters
* Corrección de errores: el capítulo actual no siempre se muestra correctamente
Versión 0.9
--------------
* Exportar OPML
* Integración con Flattr
* Temporizador para dormir
Versión 0.8.2
-------------
* Añadida funcionalidad de búsqueda
* Mejoras en la experiencia de importar OPML
* Corrección de errores
Versión 0.8.1
------------
* Añadido soporte para SimpleChapters
* Importar OPML

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Muudatuste nimekiri
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Versioon 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Parandasime helipleierit
* Täiendasime kasutajaliidest
* Veaparandused
Versioon 1.4.1
-------------
* Kiiruse täiendused
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Tõsta kuulatav saade esile
* Vidina täiendused
Versioon 1.4.0.12
----------------
* Kokkujooksmine Huawei seadmetel on parandatud (meedia nupud ei pruugi töötada)
Versioon 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Märgi saateid 'Lemmikuks'
* Saateid saab vahele jätta teavitustest
* Kui saade jäetakse vahele, siis seda ei kustutata
* Saate pilt lukustutekraanil
* Paindlik saadete kustutamine
* Keri pärast pausi tagasi
* Kasutusmugavuse täiendused
* Veaparandused
Versioon 1.3
-----------
* Uudisvoo saadete hulgitöötlemine (allalaadimine, järjekorda panemine, kustutamine)
* Piltide poolt kasutatavat ruumi vähendatakse
* Automaatne värskendamine kindlal ajal päevas
* Kohanda indikaatoreid ja uudisvoogude sorteerimist
* Võimalus uudisvooge salvestada
* Autmaatse allalaadimise parandamine
* Paljud parandused ka kasutusmugavuse täiendused
Versioon 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Jätka kuulamist pärast telefonikõnet
* Filter episodes in the Podcast feed
* Peida kirjed menüüs
* Customize times for fast forward and rewind
* Parandatud on mõningate OPML failide avamisega seotud probleemid
* Mitmed muud veaparandused ja kasutusmugavuse täiendused
Versioon 1.1
-----------
* iTunes podcastide tugi
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Välimuse täiendused
* Kasutusmugavuse täiendused
* Mitmed muud veaparandused
Versioon 1.0
-----------
* Järjekorda saab nüüd sorteerida
* Lisatud on võimalus kustutada osa pärast selle esitamist
* Parandatud on viga, mille tõttu näidati peatükke mitu korda
* Mitmed muud veaparandused ja täiendused
Versioon 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Automaatse uudisvoo uuendamise probleemide lahendamine
* Mitmed muud veaparandused ja täiendused
Versioon 0.9.9.5
---------------
* Lisatud on lehekülgedeks jagatud uudisvoogude tugi
* Kasutajaliidese täiendused
* Lisasime jaapani ja türgi tõlked
* Lahendasime veel pldilaadimise probleeme
* Mitmed muud veaparandused ja täiendused
Versioon 0.9.9.4
---------------
* Lisatud on võimalus hoida teavitusribal ja lukustusekraanil nupud alles ka siis, kui esitamine on peatatud
* Parandatud on viga, kus saadete pilte ei laadita korrektselt
* Akukasutusprobleemide lahendamine
Versioon 0.9.9.3
---------------
* Video esitamise probleemide lahendamine
* Pildi laadimise täiustamine
* Mitmed muud veaparandused ja täiendused
Versioon 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Erinevad veaparandused ja täiendused
Versioon 0.9.9.1
---------------
* Erinevad veaparandused ja täiendused
Versioon 0.9.9.0
---------------
* Uus kasutajaliides
* Ebaõnnestunud allalaadimised taastatakse pärast taaskäivitamist
* Podlove Alternate Feeds toe lisamine
* "pcast"-protokoli toe lisamine
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Erinevad veaparandused ja täiendused
Versioon 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Lisasime heebrea keele tõlke
* Erinevad veaparandused ja täiendused
Versioon 0.9.8.2
---------------
* Erinevad veaparandused ja täiendused
* Lisasime korea keele tõlke
Versioon 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Lisasime poola keele tõlke
* Erinevad veaparandused ja täiendused
Versioon 0.9.8.0
---------------
* Lisatud on ligipääs gpodder.net kataloogile
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Lisasime hollandi ja hindi tõlked
* Lahendatud on probleemid automaatsete taskuhäälingute uuendamisega
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Mitmed muud veaparandused ja kasutusmugavuse täiendused
Versioon 0.9.7.5
---------------
* Rakenduse käivitusaega on kiirendatud
* Mälukasutuse vähendamine
* Lisatud on võimalusi muuta esituskiirust
* Lisasime rootsi keele tõlke
* Erinevad veaparandused ja täiendused
Versioon 0.9.7.4
---------------
* Osade vahemälu suurust saab määrata nüüd piiramatuks
* Removing an episode in the queue via sliding can now be undone
* Lisatud on linkide tugi MP3 peatükkides
* Lisasime tšehhi, azerbaidžaani ja portugali tõlked
* Erinevad veaparandused ja täiendused
Versioon 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* kasutajaliidese täiendused
* Erinevad veaparandused
Versioon 0.9.7.2
---------------
* Automaatse allalaadimise saab nüüd keelata
* Lisasime itaalia keele tõlke
* Erinevad veaparandused
Versioon 0.9.7.1
---------------
* Lisasime nüüd uute osade automaatse allalaadimise
* Added option to specify the number of downloaded episodes to keep on the device
* Lisasime väliste failide esitamise toe
* Mitmed muud veaparandused ja täiendused
* Lisasime katalaani tõlke
Versioon 0.9.7
-------------
* Kasutajaliidese täiendused
* OPML files can now be imported by selecting them in a file browser
* Järjekorda saab nüüd muuta kirjete lohistamisega
* Added expandable notifications (only supported on Android 4.1 and above)
* Lisasime taani, prantuse, rumeenia ja ukraina tõlked (tänud kõigile tõlkijatele!)
* Mitmed muud veaparandused ja väiksemad täiendused
Versioon 0.9.6.4
---------------
* Lisasime hiina keele tõlke (Tänud tupunco!)
* Lisasime portugali (Brasiilia) tõlke (Täname mbaltar!)
* Erinevad veaparandused
Versioon 0.9.6.3
---------------
* Lisatud on võimalus muuta AntennaPodi andmete kaust
* Lisasime hispaania tõlke (Täname frandavid100!)
* Parandasime probleemid mitmete uudisvoogudega
Version 0.9.6.2
---------------
* Parandatud on mõningate OPML failide importimisega seotud probleemid
* Allalaadimise probleemide lahendamine
* AntennaPod tunneb nüüd ära muudatused saadete infos
* Muud veaparandused ja täiendused
Versioon 0.9.6.1
---------------
* Lisasime tumeda teema
* Erinevad veaparandused ja täiendused
Versioon 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Mälukasutuse vähendamine
* Added support for more feed types
* Erinevad veaparandused
Versioon 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Mitmed muud veaparandused ja täiendused
Versioon 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Muud veaparandused ja täiendused
Versioon 0.9.5.1
---------------
* Lisasime esitamise ajaloo
* Improved behavior of download report notifications
* Improved support for headset controls
* Veaparandused uudisvoo lugejas
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Versioon 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Automaatse kustutamise funktsioon
* Better Download error reports
* Erinevad veaparandused
Versioon 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Versioon 0.9.4.5
---------------
* Lisasime vene keele tõlke (Tänud older!)
* Lisasime saksa keele tõlke
* Erinevad veaparandused
Versioon 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Versioon 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Allalaadimise aruannete täiustatud käitumine
Versioon 0.9.4.2
---------------
* Parandasime vea OPML importijas
* Piltide puhul mälukasutuse vähendamine
* Parandasime allalaadimise probleeme mõningatel seadmetel
Versioon 0.9.4.1
---------------
* Changed behavior of download notifications
Versioon 0.9.4
-------------
* Kiiremad ja stabiilsemad allalaadimised
* Added lockscreen player controls for Android 4.x devices
* Erinevad veaparandused
Versioon 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Suurtele ekraanidele võrgustikuvaate lisamine
* Erinevad veaparandused
Versioon 0.9.3
-------------
* MiroGuide toe lisamine
* Veaparandused heli- ja videopleieris
* Lisa vood automaatselt järjekorda, kui nad on alla laaditud
Versioon 0.9.2
-------------
* Kasutajaliidese veaparandused
* GUID and ID attributes are now recognized by the Feedparser
* Stabiilsuse parndused mitme uudisvoo samaaegsel lisamisel
* Parandatud ono probleemid, mis ilmnesid teatud uudisvoogude lisamisel
Versioon 0.9.1.1
--------------------
* Changed Flattr credentials
* Uudisvoo info lehe paigutust on täiendatud
* AntennaPod on nüüd avatud koodiga! Lähtekood on saadaval aadressil https://github.com/danieloeh/AntennaPod
Versioon 0.9.1
-----------------
* SimpleChapters sees olevate linkide toe lisamine
* Bugfix: Current Chapter wasn't always displayed correctly
Versioon 0.9
--------------
* OPML eksport
* Flattr toe lisamine
* Sleep timer
Versioon 0.8.2
-------------
* lisasime otsingu
* Täiendatud OPML importimise kasutuskogemus
* Erinevad veaparandused
Versioon 0.8.1
------------
* SimpleChapters toe lisamine
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,12 +0,0 @@
* Nouvelles fonctionnalités :
* Support expérimental de Chromecast
* Vue d'ensemble des abonnements
* Support des proxy
* Statistiques
* Synchronisation manuelle à gpodder.net
* Corrections de bugs :
* Contrôles du lecteur audio
* Baisse du son
* Contrôle vidéo du fade-out
* Contrôles externes des médias
* Lecture de flux

View File

@ -1,363 +0,0 @@
Nouveautés
==========
Version 1.6.0
-------------
* Nouvelles fonctionnalités :
* Support expérimental de Chromecast
* Vue d'ensemble des abonnements
* Support des proxy
* Statistiques
* Synchronisation manuelle à gpodder.net
* Corrections de bugs :
* Contrôles du lecteur audio
* Baisse du son
* Contrôle vidéo du fade-out
* Contrôles externes des médias
* Lecture de flux
Version 1.5.0
-------------
* Exclure du téléchargement automatique certains épisodes à partir de mots clés
* Paramétrer les flux afin d'empêcher leur mise à jour automatique
* Amélioration du lecteur audio
* Amélioration de l'interface
Corrections de bugs
Version 1.4.1
-------------
* Amélioration des performances
* Les boutons physiques font des sauts avant et arrière au lieu de changer d'épisode
* Option pour que le bouton piste suivante change d'épisode
* Option pour envoyer directement un rapports de crash aux développeurs
* Mise en surbrillance de l'épisode en cours de lecture
*Améliorations du Widget
Version 1.4.0.12
----------------
* Correction d'un plantage sur les appareils Huawei (les boutons de lecture peuvent ne pas fonctionner)
Version 1.4
-----------
* PERMISSION BLUETOOTH: Nécessaire afin de pouvoir reprendre la lecture quand la connexion Bluetooth est rétablie avec l'appareil
* PERMISSION VIBRATION: Utilisé de manière optionnelle avec le réveil.
Vitesse de lecture native variable (option expérimentale)
* Système d'arrêt automatique amélioré
* Marquer les épisodes en tant que 'favoris'
* La barre de notification peut sauter des épisodes
* Garder les épisodes en les passant
Image de lépisode sur lécran de verrouillage
*Nettoyage flexible des épisodes
*Rembobiner après une pause
* Améliorations de l'interface utilisateur
Corrections de bugs
Version 1.3
-----------
* Actions en masse sur les épisodes (téléchargement, mettre en liste, supprimer)
* Réduction de l'espace disque utilisé par les images
* Rafraîchissement automatique à un moment de la journée
* Les indicateurs et le tri des fils RSS sont personnalisables
* Possibilité de partager les flux
* Amélioration du téléchargement automatique
* Corrections de multiples bogues et améliorations de l'interface
Version 1.2
-----------
* Option pour désactiver la capacité à déplacer les éléments dans la liste
* Reprendre la lecture après un appel téléphonique
* Filtrer les épisodes dans le flux
* Cacher des éléments dans le volet de navigation
* Personnaliser le délai pour l'avance rapide et retour arrière
* Problèmes résolus lors de l'ouverture de certains fichiers OPML
* Corrections de bogues divers et améliorations de l'interface
Version 1.1
-----------
* Intégration des podcast avec iTunes
* Faire glisser pour retirer les éléments de la liste
* Paramétrer le nombre de téléchargements simultanés
Corrections concernant gpodder.net sur certains vieux appareils
* Problèmes résolus concernant la date de certains flux
* Améliorations de l'affichage
* Améliorations de l'interface utilisateur
* Autres corrections de bogues
Version 1.0
-----------
* La liste de lecture peut maintenant être organisée
* Option ajoutée pour supprimer un épisode après sa lecture
* Résolution d'un bug qui était à l'origine de la duplication de chapitres
* Améliorations multiples et corrections de bogues
Version 0.9.9.6
---------------
* Résolution de problèmes liés aux plugins pour la lecture à vitesse variable
* Résolution de problèmes liés à la mise à jour automatique des flux
* Correction de bogues et améliorations
Version 0.9.9.5
---------------
* Intégration des flux paginés
* Interface utilisateur améliorée
* Ajout du japonais et du turc
* Résolution de problèmes de chargement d'images
* Correction de bogues et améliorations
Version 0.9.9.4
---------------
* Ajout de la possibilité de garder les notifications et les boutons de lecture sur l'écran de verrouillage quand la lecture est mise en pause
* Correction d'un bug qui empechait les images des épisodes de se charger correctement
* Correction des problèmes d'usage de la batterie
Version 0.9.9.3
---------------
* Correction des problèmes de lecture vidéo
* Amélioration du chargement d'images
* Correction de bogues et améliorations
Version 0.9.9.2
---------------
* Intégration d'un système de découverte de flux à partir de l'URL d'un site web
* Intégration du contrôle de lecture par les touches média "précédent"/"suivant"
* Système d'arrêt automatique amélioré
* Possibilité d'utiliser l'horodatage présent dans les notes d'épisode pour aller à une position spécifique dans la lecture
* Possibilité de configurer le paiement automatique par flattr
* Correction de bogues et améliorations
Version 0.9.9.1
---------------
* Correction de bogues et améliorations
Version 0.9.9.0
---------------
* Nouvelle interface utilisateur
* Les téléchargements échoués reprennent désormais là où il s'étaient arrêtés
* Intégration de Podlove Alternate Feeds
* Intégration du protocole "pcast"
* Intégration d'une fonction de sauvegarde et restauration. Cette fonctionnalité doit être activés dans les réglages d'Android pour fonctionner
* Correction de bogues et améliorations
Version 0.9.8.3
---------------
* Intégration d'une fonctionnalité de protection par mot de passe pour les flux et les épisodes
* Support de plus de types d'images pour les épisodes
* Ajout de l'Hébreu
* Correction de bogues et améliorations
Version 0.9.8.2
---------------
* Correction de bogues et améliorations
* Ajout du Coréen
Version 0.9.8.1
---------------
* Option ajoutée pour utiliser flattr sur un épisode automatiquement au delà de 80% de lecture
* Ajout du Polonais
* Correction de bogues et améliorations
Version 0.9.8.0
---------------
* Intégration de la bibliothèque gpodder.net
* Ajout de la synchronisation des podcasts via le service gpodder.net
* Le téléchargement automatique peut-être maintenant activé ou désactivé pour chaque podcast
* Ajout d'une option pour mettre en pause la lecture quand une autre application joue un son
* Ajout du Néerlandais et de l'Hindi
* Résolution du problème avec les mises à jour automatiques de podcasts
* Résolution du problème lié à la visibilité des boutons sur la page de présentation d'un podcast
* Résolution d'un problème qui amenait les podcasts à être re-téléchargés inutilement
* Corrections de bogues divers et améliorations de l'interface
Version 0.9.7.5
---------------
* Temps de démarrage de l'application réduit
* Usage de la mémoire réduit
* Option ajoutée pour modifier la vitesse de lecture
* Ajout du Suédois
* Correction de bogues et améliorations
Version 0.9.7.4
---------------
*Possibilité de choisir une taille de cache illimitée pour les podcasts
*La suppression d'un épisode de la liste de lecture par glissement peut maintenant être annulée
* Intégration des liens dans les chapitres MP3
*Les langues tchèques (République tchèque), azeri (Azerbaïdjan) et portugaise ont été rajoutées
* Correction de bogues et améliorations
Version 0.9.7.3
---------------
* Les appareils Bluetooth affichent maintenant les métadonnées pendant la lecture d'un flux (nécessite AVRCP 1.3 ou plus)
* Améliorations dans l'interface utilisateur
* Corrections de bogues
Version 0.9.7.2
---------------
* Les téléchargements automatiques peuvent maintenant être désactivés
* Ajout de l'Italien (Italie)
* Corrections de bogues
Version 0.9.7.1
---------------
* Téléchargement automatique des nouveaux épisodes ajouté
* Option pour choisir le nombre d'épisodes téléchargés à conserver ajoutée
* Possibilité de lecture de fichiers média externes ajoutée
* Améliorations multiples et correction de bogues
* Ajout du Catalan
Version 0.9.7
-------------
* Interface utilisateur améliorée
* Les fichiers OPML peuvent maintenant être importés via un gestionnaire de fichiers
* La liste de lecture peut maintenant être organisée par glisser-déposer
* Ajout de notifications extensibles (pour Android 4.1 et plus uniquement)
* Ajout du Danois, du Français, du Roumain (Roumanie), et de l'Ukrainien (Ukraine) (merci à tous les traducteurs !)
* Correction de bogues et améliorations mineures
Version 0.9.6.4
---------------
* Ajout du Chinois (merci tupunco !)
* Ajout du Portugais (Brésil) (merci mbaltar !)
* Corrections de bogues
Version 0.9.6.3
---------------
* Ajout de la possibilité de changer l'emplacement du dossier contenant les données de AntennaPod
* Ajout de l'Espagnol (merci frandavid100 !)
* Résolution de problèmes concernant plusieurs flux
Version 0.9.6.2
---------------
* Résolution de problèmes d'importation liés à certains fichiers OPML
* Résolution de problèmes de téléchargement
* AntennaPod reconnait maintenant les modifications dans les informations des épisodes
* Autre améliorations et correction de bogues
Version 0.9.6.1
---------------
* Thème sombre ajouté
* Correction de bogues et améliorations
Version 0.9.6
-------------
* Intégration de la fonctionnalité de chapitres VorbisComment
* AntennaPod montre désormais les éléments comme "en cours" quand la lecture a commencé
* Usage de la mémoire réduit
* Support pour plus de types de flux ajouté
* Corrections de bogues
Version 0.9.5.3
---------------
* Correction du crash lors du lancemnent de la lecture sur certains appareils
* Problèmes résolus avec certains flux
* Correction de bogues et améliorations
Version 0.9.5.2
---------------
* Le lecteur média n'utilise plus de bande passante quand il n'est pas utilisé
* Autre améliorations et correction de bogues
Version 0.9.5.1
---------------
* Ajout de l'historique des lectures
* Comportement amélioré des notifications de téléchargement
* Support amélioré pour le contrôle depuis le casque ou les écouteurs
* Correction de bogues dans l'analyseur de flux
* Le bouton "importation OPML" a été déplacé dans l'écran d'ajout de flux, et le bouton "exportation OPML" dans l'écran de réglages
Version 0.9.5
-------------
* Support expérimental des chapitres MP3
* Nouvelles option de menu pour la liste "nouveau" et pour la liste de lecture
* Fonctionnalité de suppression automatique
* Rapports d'erreur de téléchargement améliorés
* Corrections de bogues
Version 0.9.4.6
---------------
* Support pour les appareils à petit écran activé
* La désactivation du minuteur automatique devrait fonctionner à nouveau
Version 0.9.4.5
---------------
* Ajout du Russe (merci older !)
* Ajout de l'Allemand
* Corrections de bogues
Version 0.9.4.4
---------------
* Ajout des boutons de contrôle de lecture au bas de l'écran principal et de l'écran de liste de flux
* Lecture de média améliorée
Version 0.9.4.3
---------------
* Correction de plusieurs bogues dans l'analyseur de flux
* Rapports de téléchargement améliorés
Version 0.9.4.2
---------------
* Correction d'un bogue dans l'importateur OPML
* Usage de la mémoire par les images réduit
* Résolution de problèmes de téléchargement sur certains appareils
Version 0.9.4.1
---------------
* Modification du comportement des notifications de téléchargement
Version 0.9.4
-------------
* Téléchargements plus rapides et plus fiables
* Ajout d'un lecteur sur l'écran de verrouillage pour les appareils Android 4.x
* Corrections de bogues
Version 0.9.3.1
---------------
* Ajout de préférences pour cacher les éléments de flux qui n'ont pas d'épisodes
* Amélioration de la taille des images pour certaines tailles d'écran
* Ajout d'une nouvelle vue en grille pour les écrans larges
* Corrections de bogues
Version 0.9.3
-------------
* Intégration avec MiroGuide
* Correction de bogues dans le lecteur audio et vidéo
* Ajout automatique des flux dans la liste de lecture quand ils ont été téléchargés
Version 0.9.2
-------------
* Correction de bogues dans l'interface
* Les attributs GUID et ID sont maintenant reconnus dans le Feedparser
* Amélioration de la stabilité lors de l'ajout de plusieurs flux en même temps
* Correction de certains bogues lors de l'ajout de certains flux
Version 0.9.1.1
--------------------
* Modification des identifiants Flattr
* Amélioration de la mise en page de l'écran d'information des flux
* AntennaPod est maintenant open source ! Le code source est disponible à l'adresse https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Support pour les liens de SimpleChapters ajouté
* Correction de bogue : le chapitre en cours n'était pas toujours affiché correctement
Version 0.9
--------------
Exportation OPML
* Intégration avec Flattr
* Arrêt automatique
Version 0.8.2
-------------
* Ajout de l'outil de recherche
* Importation OPML améliorée
* Corrections de bogues
Version 0.8.1
------------
* Support pour les SimpleChapters ajouté
Importation OPML

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
प्रवेश बदलें
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* बेहतर यूजर इंटरफेस
* Added Japanese and Turkish translations
* Fixed more image loading problems
* अन्य bugfixes और सुधार
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* अन्य bugfixes और सुधार
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* कई bugfixes और सुधार
Version 0.9.9.1
---------------
* कई bugfixes और सुधार
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* कई bugfixes और सुधार
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* कई bugfixes और सुधार
Version 0.9.8.2
---------------
* कई bugfixes और सुधार
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* कई bugfixes और सुधार
संस्करण 0.9.8.0
---------------
* Gpodder.net निर्देशिका का उपयोग जोड़ा गया
* Gpodder.net सेवा के साथ पॉडकास्ट सदस्यता सिंक करने के लिए क्षमता जोड़ा
* स्वचालित डाउनलोड अब विशिष्ट पॉडकास्ट के लिए चालू या बंद किया जा सकता है
* प्लेबैक रोकने के लिए विकल्प को जोड़ा गया जब अन्य अनुप्रयोग ध्वनियाँ चालू है
* डच और हिन्दी अनुवाद जोड़ा गया
* स्वचालित पॉडकास्ट अद्यतन के साथ एक समस्या हल
* प्रकरण स्क्रीन में बटन 'दृश्यता के साथ एक समस्या हल
* एपिसोडों का अनावश्यक रूप से फिर से डाउनलोड हो जाने वाला समस्या हल
* कई अन्य bugfixes और प्रयोज्य सुधार
संस्करण 0.9.7.5
---------------
* एपलिकेशन स्टार्टअप समय कम हुआ
* कम स्मृति उपयोग
* प्लेबैक गति बदलने के लिए विकल्प जोड़ा
* स्वीडिश अनुवाद जोड़ा गया
* कई bugfixes और सुधार
संस्करण 0.9.7.4
---------------
* गुप्त एपिसोड आकार अब असीमित करने के लिए सेट किया जा सकता है
* स्लाइडिंग के माध्यम से कतार में एक एपिसोड को निकालना अब पूर्ववत नहीं किया जा सकता है
* एमपी 3 अध्यायों में लिंक के लिए समर्थन जोड़ा
* चेक (चेक गणराज्य), अज़रबैजानी और पुर्तगाली अनुवाद जोड़ा
* कई bugfixes और सुधार
संस्करण 0.9.7.3
---------------
* ब्लूटूथ डिवाइस अब प्लेबैक के दौरान मेटाडेटा प्रदर्शित करेगा (AVRCP 1.3 या उच्चतर की आवश्यकता है)
* उपयोगकर्ता इंटरफ़ेस सुधार
* कई bugfixes
संस्करण 0.9.7.2
---------------
* स्वचालित डाउनलोड अब निष्क्रिय किया जा सकता है
* इतालवी (इटली) अनुवाद जोड़ा
* कई bugfixes
संस्करण 0.9.7.1
---------------
* नए एपिसोड का स्वत: डाउनलोड जोड़ा गया
* डिवाइस पर रखने के लिए डाउनलोड प्रकरणों की संख्या निर्दिष्ट करने के लिए विकल्प जोड़ा गया है
* विदेशी मीडिया फ़ाइलों के प्लेबैक के लिए समर्थन जोड़ा गया
* कई सुधार और bugfixes
* कैटलन अनुवाद जोड़ा गया
संस्करण 0.9.7
-------------
* बेहतर यूजर इंटरफेस
* अब एक फ़ाइल ब्राउज़र में OPML फ़ाइलें चुनकर आयात किया जा सकता है
* कतार अब आयोजित किया जा सकता है खींचें और ड्रॉप करें के माध्यम से
* विस्तार योग्य सूचनाओं को जोड़ा गया (केवल एंड्रॉयड 4.1 और ऊपर पर समर्थित)
*डेनिश, फ्रेंच, रोमानियाई (रोमानिया) और यूक्रेनी (यूक्रेन) अनुवाद (सभी अनुवादकों के लिए धन्यवाद!) जोड़ी गईं
* कई bugfixes और मामूली सुधार
संस्करण 0.9.6.4
---------------
* चीनी अनुवाद जोड़ा गया (धन्यवाद tupunco!)
* जोड़ा पुर्तगाली (ब्राजील) अनुवाद (धन्यवाद mbaltar!)
* कई bugfixes
संस्करण 0.9.6.3
---------------
* AntennaPod के डेटा फ़ोल्डर का स्थान बदलने का क्षमता जोड़ा गया
* स्पेनिश अनुवाद जोड़ा गया (धन्यवाद frandavid100!)
* कई फ़ीड के समस्याओं का हल
संस्करण 0.9.6.2
---------------
* कुछ OPML फ़ाइलों के आयात समस्याएँ फिक्स्ड
* डाउनलोड समस्याएँ फिक्स्ड
* AntennaPod अब प्रकरण जानकारी के परिवर्तन को पहचानता है
* अन्य सुधार और bugfixes
संस्करण 0.9.6.1
---------------
* डार्क थीम को जोड़ा गया
* कई bugfixes और सुधार
संस्करण 0.9.6
-------------
* VorbisComment अध्यायों के लिए समर्थन जोड़ा
* AntennaPod अब 'प्रगति' आइटम के रूप में दिखाता है जब प्लेबैक शुरू होता है
* कम स्मृति उपयोग
* अधिक फ़ीड प्रकार के लिए समर्थन जोड़ा
* कई bugfixes
संस्करण 0.9.5.3
---------------
* कुछ उपकरणों पर प्लेबैक शुरू करने के समय आए एरर फिक्स्ड
* कुछ फ़ीड के साथ समस्याएँ फिक्स्ड
* अन्य bugfixes और सुधार
संस्करण 0.9.5.2
---------------
* मीडिया प्लेयर अब और नेटवर्क बैंडविड्थ उपयोग नहीं करता जब उपयोग में नहीं होता
* अन्य सुधार और bugfixes
संस्करण 0.9.5.1
---------------
* प्लेबैक इतिहास जोड़ा गया
* डाउनलोड रिपोर्ट सूचनाओं का बेहतर व्यवहार
* हेडसेट नियंत्रण के लिए बेहतर समर्थन
* फ़ीड पार्सर में Bugfixes
* 'OPML आयात' बटन को 'जोड़ फ़ीड' स्क्रीन में ले जाया गया और 'OPML निर्यात' बटन को सेटिंग स्क्रीन में
संस्करण 0.9.5
-------------
* एमपी 3 अध्यायों के लिए प्रायोगिक समर्थन
* 'नया' सूची और कतार के लिए नया मेनू विकल्प
* ऑटो डिलीट सुविधा
* बेहतर डाउनलोड त्रुटि रिपोर्ट
* कई Bugfixes
संस्करण 0.9.4.6
---------------
* छोटे परदे उपकरणों के लिए सक्रिय समर्थन
* स्लीप टाइमर को अक्षम करना अब फिर से काम करेगा
संस्करण 0.9.4.5
---------------
* रूसी अनुवाद जोड़ा गया (धन्यवाद older!)
* जर्मन अनुवाद जोड़ा गया
* कई bugfixes
संस्करण 0.9.4.4
---------------
* प्लेयर नियंत्रण मुख्य स्क्रीन और feedlist स्क्रीन के नीचे जोड़ा गया
* बेहतर मीडिया प्लेबैक
संस्करण 0.9.4.3
---------------
* फ़ीड पार्सर में कई बग्स फिक्स्ड
* डाउनलोड रिपोर्टों के बेहतर व्यवहार
संस्करण 0.9.4.2
---------------
* OPML आयातक में बग फिक्स्ड
* छवियों के कम स्मृति उपयोग
* कुछ उपकरणों पर डाउनलोड समस्याएँ फिक्स्ड
संस्करण 0.9.4.1
---------------
* डाउनलोड सूचनाओं का व्यवहार बदला
संस्करण 0.9.4
-------------
* तेज और अधिक विश्वसनीय डाउनलोड
* एंड्रॉयड 4.x उपकरणों के लिए lockscreen प्लेयर नियंत्रण जोड़ा गया
* कई bugfixes
संस्करण 0.9.3.1
---------------
* फीड आइटम जिस्में एपिसोड नहीं है उसे छुपाने के लिए वरीयता जोड़ा गया
* बेहतर छवि आकार कुछ स्क्रीन आकार के लिए
* बड़े परदे के लिए ग्रिड व्यू जोड़ा गया
* कई bugfixes
संस्करण 0.9.3
-------------
* MiroGuide एकीकरण
* ऑडियो और videoplayer में Bugfixes
* स्वतः कतार में फ़ीड जोड़ेगा जब वे डाउनलोड हो जाएँगे
संस्करण 0.9.2
-------------
* यूजर इंटरफेस में Bugfixes
* GUID को और आईडी गुण अब Feedparser द्वारा मान्यता प्राप्त हैं
* एक ही समय में कई फ़ीड जोड़ते समय स्थिरता सुधार
* कुछ फ़ीड जोड़ने के समय आए बग फिक्स्ड
संस्करण 0.9.1.1
--------------------
* Flattr साख बदली
* फ़ीड जानकारी स्क्रीन के बेहतर लेआउट
* AntennaPod अब खुला स्रोत है! स्रोत कोड https://github.com/danieloeh/AntennaPod पर उपलब्ध है
संस्करण 0.9.1
-----------------
* SimpleChapters में लिंक के लिए समर्थन जोड़ा
* Bugfix: वर्तमान अध्याय हमेशा सही ढंग से प्रदर्शित नहीं हुआ था
संस्करण 0.9
--------------
* OPML निर्यात
* Flattr एकीकरण
* स्लीप टाइमर
संस्करण 0.8.2
-------------
* खोज जोड़ा
* बेहतर OPML आयात अनुभव
* अधिक bugfixes
संस्करण 0.8.1
------------
* SimpleChapters के लिए समर्थन जोड़ा
* OPML आयात

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Registro dei cambiamenti
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Correzioni di bug
Versione 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Versione 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Migliorato il timer per lo spegnimento
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Miglioramenti dell'usabilità
* Correzioni di bug
Versione 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Ridotto lo spazio utilizzato dalle immagini
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Possibilità di condividere i feeds
* Migliorato il download automatico
* Many fixes and usability improvements
Versione 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Riprendi la riproduzione dopo una chiamata
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Correzione di bug e migliorata l'usablità
Versione 1.1
-----------
* integrazione con i podcast di iTunes
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Miglioramenti dell'usabilità
* Diverse altre correzioni di bug
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Versione 0.9.9.6
---------------
* Risolti dei problemi relativi ai plugin della velocità di riproduzione variabile
* Corretti dei problemi relativi all'aggiornamento dei feed
* Molte altre correzioni di bug e miglioramenti
Versione 0.9.9.5
---------------
* Aggiunto il supporto ai feed numerati
* Migliorata l'interfaccia utente
* Aggiunte le traduzioni in giapponese e turco
* Risolti altri problemi relativi al caricamento delle immagini
* Altre correzioni di bug e miglioramenti
Versione 0.9.9.4
---------------
* Aggiunte le opzioni per mantenere le notifiche e i controlli per il blocco dello schermo quando la riproduzione è in pausa
* Risolto un bug dove le immagini degli episodi non venivano caricate correttamente
* Corretti dei problemi relativi all'utilizzo della batteria
Versione 0.9.9.3
---------------
* Risolti dei problemi relativi alla riproduzione dei video
* Migliorato il caricamento delle immagini
* Altre correzioni di bug e miglioramenti
Versione 0.9.9.2
---------------
* Aggiunto il supporto alla scoperta di feed se viene inserito l'URL di un sito web
* Added support for 'next'/'previous' media keys
* Migliorato il timer per lo spegnimento
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Molte correzioni di bug e miglioramenti
Versione 0.9.9.1
---------------
* Molte correzioni di bug e miglioramenti
Versione 0.9.9.0
---------------
* Nuova interfaccia utente
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Aggiunto il supporto al protocollo "pcast"
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Molte correzioni di bug e miglioramenti
Versione 0.9.8.3
---------------
* Aggiunto il supporto ai feed e agli episodi protetti da password
* Aggiunto il supporto a più tipo di immagini di episodio
* Aggiunta la traduzione in ebraico
* Molte correzioni di bug e miglioramenti
Versione 0.9.8.2
---------------
* Molte correzioni di bug e miglioramenti
* Aggiunta la traduzione in coreano
Versione 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Aggiunta la traduzione in polacco
* Molte correzioni di bug e miglioramenti
Versione 0.9.8.0
---------------
* Aggiunto l'accesso alla directory gpodder.net
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Aggiunte le traduzioni in olandese e hindi
* Risolto un problema con gli aggiornamenti automatici dei podcast
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Molte altre correzioni di bug e miglioramenti di usabilità
Versione 0.9.7.5
---------------
* Ridotto il tempo di avvio dell'applicazione
* Ridotto l'utilizzo della memoria
* Aggiunta l'opzione per cambiare la velocità di riproduzione
* Aggiunta la traduzione in svedese
* Molte correzioni di bug e miglioramenti
Versione 0.9.7.4
---------------
* Ora la dimensione della cache degli episodi può essere impostata come illimitata
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Aggiunte le traduzioni in ceco (Repubblica Ceca), azerbaigiano e portoghese
* Molte correzioni di bug e miglioramenti
Versione 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* Miglioramenti dell'interfaccia utente
* Molte correzioni di bug
Versione 0.9.7.2
---------------
* Automatic download can now be disabled
* Aggiunta la traduzione in italiano (Italia)
* Molte correzioni di bug
Versione 0.9.7.1
---------------
* Aggiunto il download automatico di nuovi episodi
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Molti miglioramenti e correzioni di bug
* Aggiunta la traduzione in catalano
Versione 0.9.7
-------------
* Migliorata l'interfaccia utente
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Versione 0.9.6.4
---------------
* Aggiunta la traduzione in cinese (Grazie tupunco!)
* Aggiunta la traduzione in portoghese (Brasile) (Grazie mbaltar!)
* Molte correzioni di bug
Versione 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Aggiunta la traduzione in spagnolo (Grazie frandavid100!)
* Risolti dei problemi con molti feed
Versione 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Risolti dei problemi relativi ai download
* AntennaPod now recognizes changes of episode information
* Altri miglioramenti e correzioni di bug
Versione 0.9.6.1
---------------
* Aggiunto un tema scuro
* Molte correzioni di bug e miglioramenti
Versione 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Ridotto l'utilizzo della memoria
* Aggiunto il supporto a più tipi di feed
* Molte correzioni di bug
Versione 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Risolti dei problemi con alcuni feed
* Altre correzioni di bug e miglioramenti
Versione 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Altri miglioramenti e correzioni di bug
Versione 0.9.5.1
---------------
* Aggiunta la cronologia delle riproduzioni
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Versione 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Funzione di eliminazione automatica
* Better Download error reports
* Molte correzioni di bug
Versione 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Versione 0.9.4.5
---------------
* Aggiunta la traduzione in russo (Grazie older!)
* Aggiunta la traduzione in tedesco
* Molte correzioni di bug
Versione 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Migliorata la riproduzione
Versione 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Versione 0.9.4.2
---------------
* Risolto il bug nell'importazione di OPML
* Ridotto l'utilizzo della memoria delle immagini
* Risolti dei problemi relativi ai download su alcuni dispositivi
Versione 0.9.4.1
---------------
* Changed behavior of download notifications
Versione 0.9.4
-------------
* Download più veloci e più affidabili
* Added lockscreen player controls for Android 4.x devices
* Molte correzioni di bug
Versione 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Aggiunta una vista a griglia per gli schermi grandi
* Molte correzioni di bug
Versione 0.9.3
-------------
* Integrazione di MiroGuide
* Correzione di bug nel lettore audio e video
* Aggiungi automaticamente i feed alla coda quando vengono scaricati
Versione 0.9.2
-------------
* Correzione di bug nell'interfaccia utente
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Versione 0.9.1.1
--------------------
* Cambiate le credenziali di Flattr
* Migliorato il layout della schermata delle informazioni sul feed
* AntennaPod ora è open source! Il codice sorgente è disponibile a https://github.com/danieloeh/AntennaPod
Versione 0.9.1
-----------------
* Aggiunto il supporto ai link in SimpleChapters
* Correzione di un bug: il capitolo corrente non veniva sempre mostrato in maniera corretta
Versione 0.9
--------------
* Esportazione OPML
* Integrazione di Flattr
* Timer per lo spegnimento
Versione 0.8.2
-------------
* Aggiunta la ricerca
* Migliorata l'esperienza dell'importazione OPML
* Altre correzioni di bug
Versione 0.8.1
------------
* Aggiunto il supporto a SimpleChapters
* Importazione OPML

View File

@ -1,363 +0,0 @@
Registro dei cambiamenti
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Versione 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Player audio migliorato
* Interfaccia Utente migliorata
* Risoluzione bug
Versione 1.4.1
-------------
* Miglioramento delle prestazioni
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Opzione per mandare i report dei crash direttamente agli sviluppatori
* Evidenzia l'episodio in riproduzione
* Miglioramenti del Widget
Versione 1.4.0.12
----------------
* Risolto crash con i dispositivi Huawei (pulsanti multimediali potrebbero non funzionare)
Versione 1.4
-----------
* PERMESSI BLUETOOTH: Necessari per riprendere la riproduzione quando un dispositivo Bluetooth si riconnetta al tuo telefono
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Migliorato il contatore per lo spegnimento
* Segna gli episodio come 'preferiti'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Riavvolgi dopo la pausa
*Miglioramenti dell'utilizzo
* Risoluzione bug
Versione 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Ridotto lo spazio usato dalle immagini
* Refresh automatico a una certa ora del giorno
* Customizable indicators and sorting for feeds
* Possibilità di condividere i feed
* Migliorato il download automatico
* Diversi aggiustamenti e miglioramenti dell'utilizzo
Versione 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Riprendi la riproduzione dopo una telefonata
* Filtra gli episodi nel feed dei podcast
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Risolti dei problemi relativi all'apertura di alcuni file OPML
* Diverse correzioni di bug e miglioramenti dell'utilizzo
Versione 1.1
-----------
* Integrazione dei podcast di iTunes
* Scorri per eliminare degli oggetti dalla coda
* Imposta il numero di download paralleli
* Correzione per gpodder.net sui dispositivi più datati
* Corretti dei problemi relativi alla data di alcuni feed
* Miglioramenti della visualizzazione
*Miglioramenti dell'utilizzo
* Diverse altre correzioni di bug
Versione 1.0
-----------
* La coda ora può essere ordinata
* Aggiunta l'opzione di eliminare l'episodio dopo la riproduzione
* Corretto un bug che faceva in modo che i capitoli venissero visualizzati diverse volte
* Diversi altri miglioramenti e correzione di bug
Versione 0.9.9.6
---------------
* Corretti dei problemi relativi ai plugin della velocità di riproduzione variabile
* Corretti dei problemi relativi all'aggiornamento automatico dei feed
* Molte altre correzioni di bug e miglioramenti
Versione 0.9.9.5
---------------
* Aggiunto il supporto ai feed numerati
* Migliorata l'interfaccia utente
* Aggiunte delle traduzioni in giapponese e in turco
* Corretti altri problemi relativi al caricamento di immagini
* Altri bugfix e miglioramenti
Versione 0.9.9.4
---------------
* Aggiunta l'opzione per mantenere le notifiche e i controlli per il blocco dello schermo quando la riproduzione è in pausa
* Corretto un bug dove le immagini degli episodi non erano caricate correttamente
* Corretti dei problemi relativi all'utilizzo della batteria
Versione 0.9.9.3
---------------
* Corretti dei problemi relativi alla riproduzione dei video
* Migliorato il caricamento delle immagini
* Altri bugfix e miglioramenti
Versione 0.9.9.2
---------------
* Aggiunto il supporto alla scoperta dei feed se viene inserito l'URL di un sito web
* Aggiunto il supporto ai tasti di navigazione multimediale 'successivo'/'precedente'
* Migliorato il contatore per lo spegnimento
* Le marche temporali nelle note degli spettacoli possono essere ora utilizzate per passare a una posizione specifica
* L'utilizzo automatico di Flattr ora è configurabile
* Diversi bugfix e miglioramenti
Versione 0.9.9.1
---------------
* Diversi bugfix e miglioramenti
Versione 0.9.9.0
---------------
* Nuova interfaccia utente
* I download falliti vengono ora ripresi dal punto di interruzione quando vengono fatti ripartire
* Aggiunto il supporto ai feed alternativi di Podlove
* Aggiunto il supporto al protocollo "pcast"
* Aggiunte le funzionalità di backup e di ripristino. Queste funzionalità devono essere abilitate nelle impostazioni di Android per poter funzionare
* Diversi bugfix e miglioramenti
Versione 0.9.8.3
---------------
* Aggiunto il supporto ai feed e agli episodi protetti da password
* Aggiunto il supporto a più tipi di immagini di episodi
* Aggiunta una traduzione in ebraico
* Diversi bugfix e miglioramenti
Versione 0.9.8.2
---------------
* Diversi bugfix e miglioramenti
* Aggiunta una traduzione in coreano
Versione 0.9.8.1
---------------
* Aggiunta l'opzione per caricare automaticamente un episodio su Flattr dopo che è stato riprodotto all'80 percento
* Aggiunta una traduzione in polacco
* Diversi bugfix e miglioramenti
Versione 0.9.8.0
---------------
* Aggiunto l'accesso alla directory di gpodder.net
* Aggiunta la possibilità di sincronizzare le sottoscrizioni dei podcast con il servizio gpodder.net
* Il download automatico ora può essere attivato o disattivato per dei podcast specifici
* Aggiunta l'opzione per mettere in pausa la riproduzione quando un'altra app sta riproducendo dei suoni
* Aggiunte delle traduzioni in olandese e in hindi
* Risolto un problema con gli aggiornamenti automatici dei podcast
* Risolto un problema con la visibilità dei pulsanti nella schermata dell'episodio
* Risolto un problema dove gli episodi verrebbero scaricati di nuovo senza motivo
* Molte altre correzioni di bug e miglioramenti dell'utilizzo
Version 0.9.7.5
---------------
* Riduzione tempi di avvio dell'applicazione
* Ridotto l'utilizzo di memoria
* Aggiunta l'opzione per modificare la velocità di riproduzione
* Aggiunta la traduzione in Svedese
* Diversi bugfix e miglioramenti
Version 0.9.7.4
---------------
* La dimensione della cache degli episodi può essere impostata a illimitata
* La rimozione di un episodio in coda tramite scorrimento può ora essere annullata
* Aggiunto il supporto per i link ai capitoli negli MP3
* Aggiunta la traduzione in Ceco (Repubblica Ceca), Azero (Azerbaijan) e Portoghese
* Diversi bugfix e miglioramenti
Versione 0.9.7.3
---------------
* Visualizzazione metadati durante la riproduzione su dispositivi bluetooth (richiede AVRCP 1.3 o superiore)
* Miglioramenti nell'interfaccia utente
* Diversi bugfix
Versione 0.9.7.2
---------------
* La funzione di download automatico può essere ora disabilitata
* Aggiunta la traduzione in Italiano (Italia)
* Diversi bugfix
Versione 0.9.7.1
---------------
* Aggiunta la funzione di download automatico dei nuovi episodi
* Aggiunta opzione per specificare il numero di episodi scaricati da mantenere sul device
* Aggiunto supporto per il playback di file multimediali esterni
* Molti miglioramenti e bugfix
* Aggiunta la traduzione in Catalano
Versione 0.9.7
-------------
* Migliorata l'interfaccia utente
* file OPML possono ora essere importati selezionandoli tramite un file browser
* La coda può essere riordinata tramite drag & drop
* Aggiunte notifiche espandibili (supportate solo su Android 4.1 e successivi)
* Aggiunte traduzioni in Danese, Francese, Rumeno (Romania) e Ucraino (Ucraina) (grazie a tutti i traduttori!)
* Parecchi bugfix e miglioramenti minori
Versione 0.9.6.4
---------------
* Aggiunta la traduzione in Cinese (Grazie a tupunco!)
* Aggiunta la traduzione in Portoghese (Brasile) (Grazie a mbaltar!)
* Diversi bugfix
Versione 0.9.6.3
---------------
* Aggiunta la possibilità di cambiare la posizione della directory dei dati di AntennaPod
* Aggiunta la traduzione in Spagnolo (grazie frandavid100!)
* Risolti i problemi con diversi feed
Versione 0.9.6.2
---------------
* Corretti i problemi di importazione da qualche OPML file
* Risolti i problemi di download
* AntennaPod adesso riconosce i cambiamenti alle informazioni degli episodi
* Altri miglioramenti e bugfix
Versione 0.9.6.1
---------------
* Aggiunto il tema "Dark"
* Diversi bugfix e miglioramenti
Versione 0.9.6
-------------
* Aggiunto il supporto ai capitoli VorbisCommet
* AntennaPod adesso mostra gli oggetti come "in riproduzione" quando il playback è iniziato
* Ridotto l'utilizzo di memoria
* Aggiunto il supporto per più tipi di feed
* Diversi bugfix
Versione 0.9.5.3
---------------
* Risolto il problema di crash quando si prova ad iniziare il playback su alcuni device
* Risolti i problemi con qualche feed
* Altri bugfix e miglioramenti
Versione 0.9.5.2
---------------
* Il Media player adesso non usa più banda se non è in uso
* Altri miglioramenti e bugfix
Versione 0.9.5.1
---------------
* Aggiunto lo storico dei playback
* Migliorato il comportamento per le notifiche sul riepilogo dei download
* Migliorato il supporto per i controlli da cuffie
* Bugfix nel parser dei feed
* Spostato il tasto "importazione OPML" nella schermata "aggiungi feed" e il tasto "esportazione OPML" nella schermata delle impostazioni
Versione 0.9.5
-------------
* Supporto sperimentale per i capitoli MP3
* Nuove opzioni nel menu per la lista "nuovi" e la coda
* Funzione di auto cancellazione
* Migliorati i rapporti di download in errore
* Diversi bugfix
Versione 0.9.4.6
---------------
* Abilitato il supporto per device con schermo ridotto
* La disabilitazione del timer di spegnimento ora funziona nuovamente
Versione 0.9.4.5
---------------
* Aggiunta la traduzione in Russo (grazie older!)
* Aggiunta la traduzione in Tedesco
* Diversi bugfix
Versione 0.9.4.4
---------------
* Aggiunti i controlli del player nella parte inferiore della schermata principale e nella schermata dei feed
* Migliorata la riproduzione dei media
Versione 0.9.4.3
---------------
* Corretti diversi bug nel parser dei feed
* Miglirato il comportamento dei rapporti sui download
Versione 0.9.4.2
---------------
* Corretto un bug nella funzione di importazione OPML
* Ridotto l'utilizzo di memoria per le immagini
* Corretti i problemi di download su alcuni device
Versione 0.9.4.1
---------------
* Cambiato il comportamento delle notifiche di download
Versione 0.9.4
-------------
* Download più veloci e più affidabili
* Aggiunto i controlli del player nel lockscreen per i device Android 4.x
* Diversi bugfix
Versione 0.9.3.1
---------------
* Aggiunta l'impostazione per nascondere i feed che non hanno episodi
* Migliorata la dimensione delle immagini per alcuni schermi
* Aggiunta la vista a griglia per schermi ampi
* Diversi bugfix
Versione 0.9.3
-------------
* Integrazione con MiroGuide
* Bugfix in audio e video player
* Aggiungi feed automaticamente nella coda quando sono stati scaricati
Versione 0.9.2
-------------
* Bugfix nella interfaccia utente
* Gli attributi GUID e ID sono ora riconosciuti dal Feedparser
* Miglioramenti di stabilità quando si aggiungono diversi feed nello stesso tempo
* Corretti bug che si riscontravano quando venivano aggiunti certi feed
Versione 0.9.1.1
--------------------
* Cambiate le credenziali flattr
* Migliorato il layout dello schermo delle informazioni dei feed
* AntennaPod è ora open source! Il codice sorgente è disponibile su https://github.com/danieloeh/AntennaPod
Versione 0.9.1
-----------------
* Aggiunto il supporto per i link in SimpleChapters
* Bugfix: il capitolo corrente non era sempre mostrato correttamente
Versione 0.9
--------------
* esportazione OPML
* Integrazione Flattr
* Timer di spegnimento
Versione 0.8.2
-------------
* Aggiunta la ricerca
* Migliorata l'esperienza di importazione per file OPML
* Altri bugfix
Versione 0.8.1
------------
* Aggiunto il supporto a SimpleChapters
* Importazione OPML

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,12 +0,0 @@
* 新機能:
* 実験的な Chromecast サポート
* 購読概要
* プロキシサポート
* 統計情報
* 手動 gpodder.net 同期
* 修正:
* オーディオプレイヤー コントロール
* オーディオ ダッキング
* ビデオ コントロール フェードアウト
* 外部メディアコントロール
* フィードの解析

View File

@ -1,363 +0,0 @@
変更ログ
==========
バージョン 1.6.0
-------------
* 新機能:
* 実験的な Chromecast サポート
* 購読概要
* プロキシサポート
* 統計情報
* 手動 gpodder.net 同期
* 修正:
* オーディオプレイヤー コントロール
* オーディオ ダッキング
* ビデオ コントロール フェードアウト
* 外部メディアコントロール
* フィードの解析
バージョン 1.5.0
-------------
* キーワードで自動ダウンロードからエピソードを除外
* フィードが自動的に更新されることを防止する設定
* オーディオプレイヤーを改善しました
* UI を改善しました
* バグ修正
バージョン 1.4.1
-------------
* パフォーマンスの改善
* ハードウェアボタンでスキップの代わりに早送りと巻き戻しできます
* 早送りボタンでスキップするオプション
* 開発者に直接クラッシュレポートを送信するオプション
* 現在再生しているエピソードをハイライト表示
* ウィジェットの改善
バージョン 1.4.0.12
----------------
* Huawei デバイスでのクラッシュを修正 (メディアボタンが動作しないことがあります)
バージョン 1.4
-----------
* BLUETOOTH アクセス許可: お使いの携帯電話に Bluetooth デバイスが再接続する際、再生を再開するために必要です
* バイブレート アクセス許可: スリープタイマーでオプションとして使用
* ネイティブの可変速再生 (実験的なオプション)
* スリープタイマーを改善しました
* 'お気に入り' としてエピソードをマーク
* エピソードをスキップできる通知
* エピソードをスキップする時に残す
* ロック画面のエピソード画像
* エピソードを柔軟にクリーンアップ
* 一時停止の後で巻き戻し
* ユーザビリティの改善
* バグ修正
バージョン 1.3
-----------
* エピソードのフィードでの一括操作 (ダウンロード、キュー、削除)
* 画像で使用する容量を削減しました
* 特定の時間に自動更新
* カスタマイズ可能なインジケーターとフィードの並び替え
* フィードを共有する機能
* 自動ダウンロードを改善しました
* 様々な修正とユーザビリティの改善
バージョン 1.2
-----------
* キューでスワイプとドラッグを無効にするオプション
* 着信後に再生を再開
* ポッドキャストフィードでエピソードをフィルター
* ナビゲーションドロワーのアイテムを非表示
* 早送りと巻き戻しの時間をカスタマイズ
* いくつかのOPMLファイルを開く際の問題を修正しました
* 様々なバグ修正とユーザビリティの改善
バージョン 1.1
-----------
* iTunes ポッドキャストの統合
* スワイプしてキューからアイテムを削除
* パラレルダウンロードの数を設定
* 古いデバイスで gpodder.net を修正しました
* いくつかのフィードで日付の問題が修正されました
* 表示の改善
* ユーザビリティの改善
* いくつかのバグ修正
バージョン 1.0
-----------
* キューの並び替えができるようになりました
* 再生後にエピソードを削除するオプションが追加されました
* チャプターが複数回表示されるバグを修正しました
* その他いくつかの改善とバグを修正しました
バージョン 0.9.9.6
---------------
* 再生速度の変更に関する問題を修正
* 自動フィード更新の問題を修正
* いくつかのバグ修正と改善
バージョン 0.9.9.5
---------------
* ページングフィードのサポートが追加されました
* ユーザー·インターフェースの改善
* 日本語とトルコ語の翻訳が追加されました
* 追加の画像の読み込みの問題を修正
* その他のバグ修正と改善
バージョン 0.9.9.4
---------------
再生が一時停止された時に、通知およびロック画面のコントロールを保持するオプションを追加しました
* エピソードの画像が正しくロードされなかったバグを修正
* バッテリの使用に関する問題を修正
バージョン 0.9.9.3
---------------
* ビデオ再生の問題を修正
* 画像の読み込みを改善しました
* その他のバグ修正と改善
バージョン 0.9.9.2
---------------
* WebサイトのURLが入力された場合、フィード発見用のサポートが追加されました
* '次へ' / '前へ' メディアキーのサポートが追加されました
* スリープタイマーを改善しました
* ショーノートのタイムスタンプを、特定の位置にジャンプするために使用することができるようになりました
* 自動 Flattr が設定できるようになりました
* いくつかのバグ修正と改善
バージョン 0.9.9.1
---------------
* いくつかのバグ修正と改善
バージョン 0.9.9.0
---------------
* 新しいユーザーインターフェース
* 再起動したときに、失敗したダウンロードが再開されるようになりました
* Podlove 代替フィードのサポートが追加されました
* "pcast" プロトコルのサポートが追加されました
* バックアップ&復元機能を追加しました。 この機能を動作させるためには、Android の設定で有効にする必要があります
* いくつかのバグ修正と改善
バージョン 0.9.8.3
---------------
* パスワードで保護されたフィードやエピソードのサポートが追加されました
* より多くの種類のエピソード画像のサポートが追加されました
* ヘブライ語の翻訳が追加されました
* いくつかのバグ修正と改善
バージョン 0.9.8.2
---------------
* いくつかのバグ修正と改善
* 韓国語の翻訳が追加されました
バージョン 0.9.8.1
---------------
* エピソードが 80% 再生された後で、自動的にエピソードを Flattr するオプションを追加
* ポーランド語の翻訳が追加されました
* いくつかのバグ修正と改善
バージョン 0.9.8.0
---------------
* gpodder.net ディレクトリーへのアクセスが追加されました
* gpodder.net サービスとポッドキャストのサブスクリプションを同期する機能が追加されました
* 特定のポッドキャスト用に自動ダウンロードをオンまたはオフにすることができるようになりました
* 別のアプリがサウンドを再生している時に、再生を一時停止するオプションが追加されました
* オランダ語とヒンディー語の翻訳が追加されました
* 自動ポッドキャストの更新の問題を解決しました
* エピソード画面でのボタンの視認性の問題を解決しました
* エピソードが不必要に再ダウンロードされる問題を解決しました
* いくつかのその他のバグ修正とユーザビリティの向上
バージョン 0.9.7.5
---------------
* アプリケーションの起動時間の削減
* メモリ使用量の削減
* 再生速度を変更するオプションが追加されました
* スウェーデン語の翻訳が追加されました
* いくつかのバグ修正と改善
バージョン 0.9.7.4
---------------
* エピソード キャッシュ サイズを無制限に設定することができるようになりました
* 削除したキュー内のエピソードを、スライドして元に戻すことができるようになりました
* MP3 チャプター内のリンクのサポートが追加されました
* チェコ(チェコ共和国)、アゼルバイジャン語、およびポルトガル語の翻訳が追加されました
* いくつかのバグ修正と改善
バージョン 0.9.7.3
---------------
* Bluetooth デバイスが、現在再生中のメタデータを表示するようになりました (AVRCP1.3以上が必要です)
* ユーザーインターフェースの改善
* 幾つかのバグが修正されました
バージョン 0.9.7.2
---------------
自動ダウンロードは無効できるようになりました
* イタリア語 (イタリア) の翻訳が追加されました
* 幾つかのバグが修正されました
バージョン 0.9.7.1
---------------
* 新エピソードの自動ダウンロード機能を新規追加しました
* デバイス上に保存する、ダウンロードしたエピソードの数を指定するオプションが追加されました
* 外部メディアファイルの再生のサポートが追加されました
* 幾つかのバグフィックスと改善されました
* カタルーニャ語に翻訳されました
バージョン 0.9.7
-------------
* ユーザー·インターフェースの改善
* ファイルブラウザでOPMLファイルを選択してインポートすることができるようになりました
* キューはドラグ・アンド・ドロップで並び替えるようになりました
* 拡張可能な通知を追加しました (Android 4.1 以上でのみサポート)
* デンマーク語、フランス語、ルーマニア語 (ルーマニア)、およびウクライナ語 (ウクライナ) の翻訳が追加されました (すべての翻訳者に感謝します!)
* いくつかのバグ修正とマイナーな改善
バージョン 0.9.6.4
---------------
* 中国語に翻訳されしたありがとう、tupunco
* ブラジルポルトガル語に翻訳されしたありがとう、mbaltar
* 幾つかのバグが修正されました
バージョン 0.9.6.3
---------------
* AntennaPod のデータフォルダの場所を変更できる機能が追加されました
* スペイン語に翻訳されましたありがとう、frandavid100
* いくつかのフィードで問題が解決されました
バージョン 0.9.6.2
---------------
* いくつかのOPMLファイルでインポートの問題が修正されました
* ダウンロードの問題が修正されました
* AntennaPod がエピソード情報の変更を認識するようになりました
* 他の改善や修正
バージョン 0.9.6.1
---------------
* 「ダーク」テーマが追加されました
* いくつかのバグ修正と改善
バージョン 0.9.6
-------------
* VorbisComment チャプターのサポートが追加されました
* 再生が開始されたとき、AntennaPodは「処理中」などの項目を表示するようになりました
* メモリ使用量の削減
* 追加のフィードタイプのサポートが追加されました
* 幾つかのバグが修正されました
バージョン 0.9.5.3
---------------
* いくつかのデバイスで再生を開始しようとしている時のクラッシュが修正されました
* いくつかのフィードの問題が修正されました
* その他のバグ修正と改善
バージョン 0.9.5.2
---------------
* 使用していない場合に、メディアプレーヤーはもうネットワークの帯域幅を使用しなくなりました
* 他の改善や修正
バージョン 0.9.5.1
---------------
* 再生履歴が追加されました
* ダウンロードレポート通知の挙動を改善
* ヘッドセットのコントロールのサポートを改善
* フィードパーサにおけるバグ修正
* 「OPMLのインポート」ボタンを「フィードを追加」画面に移動し、「OPMLのエクスポート」ボタンを設定画面に移動しました
バージョン 0.9.5
-------------
* MP3 チャプターの実験的なサポート
* 「新しい」リストおよびキュー用の、新しいメニューオプション
* 自動削除機能
* ダウンロードエラーレポートの改良
* いくつかのバグ修正
バージョン 0.9.4.6
---------------
* 小さい画面のデバイス用のサポートを有効にしました
* スリープタイマーの無効が再び動作するようになりました
バージョン 0.9.4.5
---------------
* ロシア語に翻訳されました(ありがとう older
* ドイツ語に翻訳されました
* 幾つかのバグが修正されました
バージョン 0.9.4.4
---------------
* メイン画面の下部とフィードリスト画面にプレイヤー コントロールを追加しました
* メディアの再生の改善
バージョン 0.9.4.3
---------------
* フィードパーサーのいくつかのバグを修正
* ダウンロードレポートの挙動を改善
バージョン 0.9.4.2
---------------
* OPMLインポートツールのバグを修正しました
* 画像のメモリ使用量を削減しました
* いくつかのデバイス上でダウンロードの問題を修正しました
バージョン 0.9.4.1
---------------
* ダウンロード通知の動作を変更しました
バージョン 0.9.4
-------------
* より速く、より信頼性の高いダウンロード
* Android 4.x デバイス用に、ロック画面プレイヤー コントロールを追加しました
* 幾つかのバグが修正されました
バージョン 0.9.3.1
---------------
* エピソードを持っていないフィード項目を非表示にする設定を追加しました
* いくつかの画面サイズ用に画像サイズを改善
* 大きな画面用にグリッドビューを追加しました
* 幾つかのバグが修正されました
バージョン 0.9.3
-------------
* MiroGuide の統合
* オーディオとビデオプレイヤーのバグ修正
* フィードがダウンロードされたときに自動的にキューに追加します
バージョン 0.9.2
-------------
* ユーザーインターフェイスのバグ修正
* GUID と ID 属性がフィードパーサーによって認識されるようになりました
* 同時に複数のフィードを追加する時の安定性を改善
* 特定のフィードを追加する際に発生したバグを修正
バージョン 0.9.1.1
--------------------
* Flattr の証明書を変更しました
* フィード情報画面のレイアウトを改善
* AntennaPod がオープンソースになりました! ソースコードはここで入手できます https://github.com/danieloeh/AntennaPod
バージョン 0.9.1
-----------------
* SimpleChapters 内のリンクのサポートが追加されました
* バグ修正: 現在のチャプターは常に正しく表示されませんでした
バージョン 0.9
--------------
* OPML エクスポート
* Flattr の統合
* スリープタイマー
バージョン 0.8.2
-------------
* 検索を追加しました
* OPML インポート エクスペリエンスの改善
* 追加のバグ修正
バージョン 0.8.1
------------
* SimpleChapters のサポートを追加しました
* OPML インポート

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
변경 로그
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
큐에서 스와핑과 드래깅을 비활성화하는 옵션
전화통화 후 다시 재생
팟캐스트 피드에서 에피소드 필터
* Hide items in the Nav drawer
빨리 감기 및 되감기 시간 사용자 정의
일부 OPML 파일 열 때 생기는 문제를 해결
각종 버그 수정 및 사용성 개선
Version 1.1
-----------
iTunes 팟 캐스트 통합
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Endringslogg
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Feilrettinger
Versjon 1.4.1
-------------
Ytelsesforbedringer
* Hardware-knapper bukes nå til hurtigfrem- og tilbakespoling istedenfor hopping
* Valg for å la fremspolingsknappen hoppe
* Valg for å sende kræsjrapporter direkte til utviklere
* Markering av avspillende episode
* Widget-forbedringer
Versjon 1.4.0.12
----------------
* Fiks for feil med Huawei-enheter (medieknappene kan hende ikke fungerer)
Versjon 1.4
-----------
* BLUETOOTH-TILGANG: Kreves for å kunne gjenoppta avspilling når en Bluetooth-enhet kobles til telefonen igjen
* VIBRERINGS-TILGANG: Brukes valgfritt med søvntimeren
* Innebygget variabel avspillingshastighet (eksperimentelt via innstillinger)
* Forbedret søvntimer
* Marker episoder som «favoritter»
* Varsel kan hoppe over episoder
* Behold episoder når de hoppes over
* Episodegrafikk på låseskjerm
* Fleksibel episodeopprydding
* Tilbakespoling etter pause
* Forbedret brukbarhet
* Feilrettinger
Versjon 1.3
-----------
Blokkhandlinger på episoder (last ned, køsett, slett)
* Redusert plassbruk for bilder
* Automatisk oppdatering av strømmer på spesifikke tidspunkt på dagen
* Egendefinerbare indikatorer og sortering for strømmer
* Mulighet for å dele strømmer
* Forbedret automatisk nedlasting
* Mange fikser og bruksforbedringer
Versjon 1.2
-----------
* Mulighet for å skru av sveiping og drag i køen
* Gjenoppta avspilling etter telefonsamtale
* Filtrer episoder i strømmen
* Skjul elementer i navigasjonsskuffen
* Skreddersy tider for spoling fremover og bakover
* Fikset feil med åpning av noen OPML-filer
* Flere feilrettinger og bruksforbedringer
Versjon 1.1
-----------
* iTunes podcast-integrasjon
* Sveip for å fjerne elementer fra køen
* Velg antall parallelle nedlastinger
* Fiks for gpodder.net på eldre enheter
* Fikset datoproblemer for noen strømmer
* Visningsforbedringer
* Forbedret brukbarhet
* Diverse andre feilrettinger
Versjon 1.0
-----------
* Køen kan nå sorteres
* La til mulighet for å slette episoder etter endt avspilling
* Fikset en feil som gjorde at kapitler ble vist flere ganger
* Flere andre forbedringer og feilrettinger
Versjon 0.9.9.6
---------------
* Fikset problemer relatert til programtillegg for variabel avspillingshastighet
* Fikset feil på automatisk oppdatering av strømmer
* Flere andre feilrettinger og forbedringer
Versjon 0.9.9.5
---------------
* La til støtte for sidede strømmer
* Forbedret brukergrensesnitt
* La til japansk og tyrkisk språk
* Fikset flere problemer med bildeinnlasting
* Andre feilrettinger og forbedringer
Versjon 0.9.9.4
---------------
* La til valg for å beholde varsels- og låseskjermkontroller når avspilling er satt på pause
* Fikset en feil hvor episodebilder ble lastet inn feil
* Fikset problemer med batteribruk
Versjon 0.9.9.3
---------------
* Fikset problemer med videoavspilling
* Forbedret bildeinnlasting
* Andre feilrettinger og forbedringer
Versjon 0.9.9.2
---------------
* Lagt til støtte for strømoppdagelse dersom en nettsides URL skrives inn
* Lagt til støtte for «neste»/«forrige»-medieknapper
* Forbedret søvntimer
* Tidsstempling i notater kan nå brukes for å hoppe til et spesifikt tidspunkt
* Automatisk Flattring er nå konfigurerbart
* Flere feilrettinger og forbedringer
Versjon 0.9.1.1
---------------
* Flere feilrettinger og forbedringer
Versjon 0.9.9.0
---------------
* Nytt brukergrensesnitt
* Nedlastinger som feiler vil nå gjenopptas når appen restartes
* Lagt til støtte for Podlove Alternate Feeds
* Lagt til støtte for «pcast»-protokoll
* Lagt til funksjonalitet for sikkerhetskopiering og gjenoppretting. Denne funksjonen må skrus på i Android-innstillingene for å fungere
* Flere feilrettinger og forbedringer
Versjon 0.9.8.3
---------------
* Lagt til støtte for passordbeskyttede strømmer og episoder
* Lagt til støtte for flere typer episodebilder
* Lagt til hebraisk oversettelse
* Flere feilrettinger og forbedringer
Versjon 0.9.8.2
---------------
* Flere feilrettinger og forbedringer
* Lagt til koreansk oversettelse
Versjon 0.9.8.1
---------------
* Lagt til mulighet for å Flattre en spisode automatisk etter at 80% er blitt avspilt
* Lagt til polsk oversettelse
* Flere feilrettinger og forbedringer
Versjon 0.9.8.0
---------------
* La til tilgang til gpodder.net-katalogen
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Versjon 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Flere feilrettinger og forbedringer
Versjon 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Flere feilrettinger og forbedringer
Versjon 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Versjon 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Versjon 0.9.7.1
---------------
* La til automatisk nedlastning av nye episoder
* La til alternativ om å spesifisere nummer for nedlastede episoder som skal holdes på enheten
* Added support for playback of external media files
* Mange forbedringer og fiksing av feil
* Added Catalan translation
Versjon 0.9.7
-------------
* Forbedret brukergrensesnitt
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* La til dansk, fransk, romansk (Romania) og ukrainsk (Ukraina) oversettelse (tusen takk til alle oversettere!)
* Several bugfixes and minor improvements
Versjon 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Versjon 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Versjon 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Versjon 0.9.6.1
---------------
* Added dark theme
* Flere feilrettinger og forbedringer
Versjon 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Versjon 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Andre feilrettinger og forbedringer
Versjon 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Versjon 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Versjon 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Versjon 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Versjon 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Versjon 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Versjon 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Versjon 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Versjon 0.9.4.1
---------------
* Changed behavior of download notifications
Versjon 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Versjon 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Versjon 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Versjon 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Versjon 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Versjon 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Versjon 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Versjon 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Versjon 0.8.1
------------
* Added support for SimpleChapters
* OPML-import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Changelog
==========
Versie 1.6.0
-------------
* Nieuwe functies:
* Experimentele Chromecast-ondersteuning
* Feeds overzicht
* Proxy-ondersteuning
* Statistieken
* Handmatige synchronisatie gpodder.net
* Foutoplossingen:
* Bediening audioplayer
* Ducking (verminderd volume bij oproepen)
* Fade-out van bedieningsknoppen video
* Externe bedieningsknoppen
* Parsen van feeds
Versie 1.5.0
-------------
* Afleveringen uitsluiten bij automatisch downloaden op basis van zoekwoorden
* Sluit specifieke feeds uit van automatische updates
* Verbeterde mediaspeler
* Verbeterde interface
* Bugfixes
Versie 1.4.1
-------------
* Verbeterde prestaties
* Fysieke knoppen voor vooruit- en terugspeoelen ipv de aflevering overslaan
* Optie 'Volgende' knop voor overslaan
* Optie om crashrapport direct naar de ontwikkelaars te sturen
* Duidelijke markering van huidige aflevering
* Verbeterde widget
Versie 1.4.0.12
----------------
* Oplossing voor crashes op Huawei toestellen (afspeelbediening werkt mogelijk niet)
Versie 1.4
-----------
* BLUETOOTH TOESTEMMING: Vereist om afspelen te kunnen hervatten wanneer een Bluetooth-apparaat opnieuw verbind met uw telefoon
* TRILLINGEN TOESTEMMING: Optioneel gebruik bij de slaap timer
* Variabele speelsnelheid via 'native' Android mediaspeler (experimenteel, zie instellingen)
* Verbeterde slaap timer
* Afleveringen tevoegen als 'favoriet'
* Afleveringen overslaan vanaf het notificatiecentrum
* Afleveringen niet verwijderen bij overslaan
* Afbeelding van de aflevering tonen op het vergendelingsscherm
* Slimme 'auto-cleanup' van afleveringen
* Kort terugspoelen na pauzeren
* Verbeterd gebruiksgemak
* Bugfixes
Versie 1.3
-----------
* Bulk-aanpassingen van afleveringen (downloaden, in wachtrij zetten, verwijderen)
* Minder geheugengebruik voor afbeeldingen
* Automatisch vernieuwen op bepaald tijdstip
* Nieuwe tellers en nieuwe mogelijkheden om feeds in het menu te sorteren
* Delen van feeds URLs
* Automatisch downloaden verbeterd
* Veel bugfixes en verbeterde gebruiksvriendelijkheid
Versie 1.2
-----------
* Deactiveer vegen en slepen in de wachtrij eventueel
* Afspelen hervatten na telefoon gesprek
* Afleveringen filteren in podcast feed
* Onderdelen verbergen in menu
* Personaliseer tijden voor vooruit- en achteruitspoelen
* Opgelostte problemen bij het open van enkele OPML-bestanden
* Verscheidene problemen opgelost en gebruikersvriendelijkheid verbeterd
Versie 1.1
-----------
* iTunes podcast integratie
* Veeg om afleveringen te verwijderen uit de wachtrij
* Stel het aantal tegelijktijdige downloads in
* Oplossing voor gpodder.net op oudere apparaten
* Oplossing voor datum problemen in sommige feeds
* Weergave verbeteringen
* Verbeterd gebruiksgemak
* Verscheidene andere oplossingen
Versie 1.0
-----------
* De wachtrij kan nu gesorteerd worden
* Mogelijkheid toegevoegd om aflevering te verwijderen na afspelen
* Oplossing voor probleem waarbij hoofdstukken meerdere malen getoon werden
* Verscheidene andere verbeteringen en probleem oplossingen
Versie 0.9.9.6
---------------
* Oplossing gerelateerd aan variabele afspeel snelheid plugins
* Oplossing voor automatische feed update problemen
* Diverse andere bugfixes en usability verbeteringen
Versie 0.9.9.5
---------------
* Ondersteuning voor feeds bladeren toegevoegd
* Verbeterde gebruikersinterface
* Japanse en Turkse vertalingen toegevoegd
* Meer afbeeldingen laden problemen opgelost
* Andere bugfixes en verbeteringen
Versie 0.9.9.4
---------------
* Optie toegevoegd om notificatie en vergrendelingsscherm bedieningsknoppen te behouden tijdens pauzering
* Probleem opgelost waarbij afleveringafbeeldingen niet goed geladen werden
* Batterij gebruik probleem opgelost
Versie 0.9.9.3
---------------
* Video afspeel problemen opgelost
* Laden van afbeeldingen verbeterd
* Andere bugfixes en verbeteringen
Versie 0.9.9.2
---------------
* Ondersteuning toegevoegd voor het vinden van feed als er een website URL ingevoerd is
* Ondersteunin voor 'next' en 'previous' media toetsen
* Verbeterde slaap timer
* Tijdsaanduiding in shownotes kan nu gebruikt worden om naar een specifieke positie te springen
* Automatisch gebruik van Flattring is nu instelbaar
* Diverse bugfixes en verbeteringen
Versie 0.9.9.1
---------------
* Diverse bugfixes en verbeteringen
Versie 0.9.9.0
---------------
* Nieuw gebruikersinterface
* Mislukte downloads worden nu hervat na herstarten
* Ondersteuning voor Podlove Alternate Feeds
* Ondersteuning voor "pcast" protocol
* Backup & restore functie toegevoegd. Deze functie moet aangezet worden in de Android instellingen om te functioneren
* Diverse bugfixes en verbeteringen
Version 0.9.8.3
---------------
* Ondersteuning toegevoegd voor wachtwoord-beveiligde feeds en afleveringen
* Ondersteuning toegevoegd voor meer soorten episode beelden
* Hebreeuwse vertaling toegevoegd
* Diverse bugfixes en verbeteringen
Version 0.9.8.2
---------------
* Diverse bugfixes en verbeteringen
* Koreaanse vertaling toegevoegd
Version 0.9.8.1
---------------
* Optie toegevoegde om een aflevering automatisch te Flattren nadat 80 procent van de episode gespeeld is
* Poolse vertaling toegevoegd
* Diverse bugfixes en verbeteringen
Versie 0.9.8.0
---------------
* Toegang toegevoegd tot de gpodder.net gids
* Mogelijkheid toegevoegd om podcast abonnementen met de gpodder.net dienst te synchroniseren
* Automatisch downloaden kan nu voor specifieke podcasts ingeschakeld of uitgeschakeld worden
* Optie toegevoegd om het afspelen te pauzeren wanneer een andere app geluiden speelt
* Nederlandse en Hindi vertalingen toegevoegd
* Probleem met automatische podcast updates opgelost
* Probleem met de zichtbaarheid van de knoppen in de episode scherm opgelost
* Probleem opgelost waarbij afleveringen onnodig opnieuw gedownload zouden worden
* Diverse andere bugfixes en usability verbeteringen
Versie 0.9.7.5
---------------
* Opstarttijd van de app verminderd
* Minder geheugengebruik
* Optie toegevoegd om de afspeelsnelheid te veranderen
* Zweedse vertaling toegevoegd
* Diverse bugfixes en verbeteringen
Versie 0.9.7.4
---------------
* De groote van de episode cache kan nu op onbeperkt worden ingesteld
* Het verwijderen via sliding van een episode in de wachtrij kan nu ongedaan gemaakt worden
* Ondersteuning toegevoegd voor links in MP3 hoofdstukken
* Tsjechische (Tsjechië), Azerbeidzjaanse en Portugese vertalingen toegevoegd
* Diverse bugfixes en verbeteringen
Versie 0.9.7.3
---------------
* Bluetooth-apparaten geven nu metagegevens weer tijdens het afspelen (AVRCP 1.3 of hoger vereist)
* Verbeteringen in de user interface
* Diverse bugfixes
Versie 0.9.7.2
---------------
* Automatisch downloaden kan nu worden uitgeschakeld
* Italiaanse (Italië) vertaling toegevoegd
* Diverse bugfixes
Versie 0.9.7.1
---------------
* Automatisch downloaden van nieuwe afleveringen toegevoegd
* Optie toegevoegd om in te kunnen stellen hoeveel gedownloade afleveringen op het apparaat behouden moeten worden
* Ondersteuning toegevoegd voor het afspelen van externe mediabestanden
* Diverse verbeteringen en bugfixes
* Catalaanse vertaling toegevoegd
Versie 0.9.7
-------------
* Verbeterde gebruikersinterface
* OPML-bestanden kunnen nu geïmporteerd worden door ze in een file browser te selecteren
* De wachtrij kan nu via drag & drop georganiseerd worden
* Uitbreidbaar meldingen toegevoegd (alleen op Android 4.1 en hoger ondersteund)
* Deens, Frans, Roemeens (Roemenië) en Oekraïense (Oekraïne) vertalingen toegevoegd (met dank aan alle vertalers!)
* Diverse bugfixes en kleine verbeteringen
Versie 0.9.6.4
---------------
* Chinese vertaling toegevoegd (Bedankt tupunco!)
* Portugeese (Brazilië) vertaling toegevoegd (Bedankt mbaltar!)
* Diverse bugfixes
Versie 0.9.6.3
---------------
* Mogelijkheid toegevoegd om de locatie van de data map van AntennaPod te veranderen
* Spaanse vertaling toegevoegd (Bedankt frandavid100!)
* Problemen opgeloste met meerdere feeds
Versie 0.9.6.2
---------------
* Import problemen met sommige OPML-bestanden opgelost
* Download problemen opgelost
* AntennaPod herkent nu veranderingen in episode informatie
* Andere verbeteringen en bugfixes
Versie 0.9.6.1
---------------
* Donkere theme toegevoegd
* Diverse bugfixes en verbeteringen
Versie 0.9.6
-------------
* Ondersteuning voor VorbisComment hoofdstukken toegevoegd
* AntennaPod toont nu items als 'in progress' wanneer het afspelen is gestart
* Minder geheugengebruik
* Ondersteuning toegevoegd voor meer feed soorten
* Diverse bugfixes
Versie 0.9.5.3
---------------
* Crash op sommige apparaten bij het proberen te starten van het afspelen opgelost
* Problemen met sommige feeds opgelost
* Andere bugfixes en verbeteringen
Versie 0.9.5.2
---------------
* Media player gebruikt nu geen netwerkbandbreedte meer indien niet in gebruik
* Andere verbeteringen en bugfixes
Versie 0.9.5.1
---------------
* Afspeelgeschiedenis toegevoegd
* Gedrag van download meldingen verbeterd
* Verbeterde ondersteuning voor headset controles
* Bugfixes in de feed parser
* Knoppen 'OPML import' naar het 'Feed' scherm en 'OPML export' naar de instellingenscherm verplaatst
Versie 0.9.5
-------------
* Experimentele ondersteuning voor MP3 hoofdstukken
* Nieuwe menu-opties voor de 'nieuwe' lijst en de wachtrij
* Auto-delete functie
* Betere downloadfout rapportages
* Diverse bugfixes
Versie 0.9.4.6
---------------
* Ondersteuning voor apparaten met kleine schermen geactiveerd
* Het uitschakelen van de slaaptimer moet nu weer werken
Versie 0.9.4.5
---------------
* Russische vertaling toegevoegd (Bedankt older!)
* Duitse vertaling toegevoegd
* Diverse bugfixes
Versie 0.9.4.4
---------------
* Speler controles toegevoegd aan de onderkant van het hoofdscherm en de feedlijst schermen
* Afspelen van media verbeterd
Versie 0.9.4.3
---------------
* Enkele bugs in de feed parser opgelost
* Verbeterd gedrag van downloaden rapporten
Versie 0.9.4.2
---------------
* Bug in de OPML-importeur opgelost
* Minder geheugengebruik van beelden
* Download problemen op sommige apparaten opgelost
Versie 0.9.4.1
---------------
* Gedrag van downloaden meldingen gewijzigd
Versie 0.9.4
-------------
* Snellere en betrouwbaardere downloads
* Lockscreen player controls voor Android 4.x-apparaten toegevoegd
* Diverse bugfixes
Versie 0.9.3.1
---------------
* Optie toegevoegd om feeds die geen episode hebben te verbergen
* Verbeterde beeldformaat voor sommige schermformaten
* Grid weergave voor grote schermen toegevoegd
* Diverse bugfixes
Versie 0.9.3
-------------
* integratie met de MiroGuide
* Bugfixes in de audio- en videospeler
* Feeds automatisch aan de wachtrij toevoegen wanneer ze zijn gedownload
Versie 0.9.2
-------------
* Bugfixes in de gebruikersinterface
* GUID en ID attributen worden nu door de feedparser erkend
* Stabiliteit verbeteringen bij het toevoegen van meerdere feeds tegelijk
* Bugs die opgetreden bij het toevoegen van bepaalde feeds opgelost
Versie 0.9.1.1
--------------------
* Flattr credentials veranderd
* Verbeterde lay-out van de Feed informatie scherm
* AntennaPod is nu open source! De broncode is beschikbaar op https://github.com/danieloeh/AntennaPod
Versie 0.9.1
-----------------
* Ondersteuning toegevoegd voor koppelingen in SimpleChapters
* Bugfix: Huidige hoofdstuk werd niet altijd correct weergegeven
Versie 0.9
--------------
* OPML export
* Flattr integratie
* Slaaptimer
Versie 0.8.2
-------------
* Zoeken toegevoegd
* Verbeterde OPML import ervaring
* Meer bugfixes
Versie 0.8.1
------------
* Ondersteuning toegevoegd voor SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Dziennik zmian
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
Ulepszony wyłącznik czasowy
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Wersja 1.3
-----------
* Zbiorcze działania na odcinkach z kanału (pobieranie, dodawanie do kolejki, usuwanie)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Możliwość dzielenia się kanałem
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Wersja 0.9.9.6
---------------
* Naprawiono problemy związane z wtyczkami zmiennych szybkości odtwarzania
* Naprawiono problemy z automatycznym odświeżaniem listy odcinków
* Kilka innych poprawek i usprawnień
Wersja 0.9.9.5
---------------
* Dodano wsparcie dla stronicowanych kanałów
* Ulepszono interfejs użytkownika
* Dodano tłumaczenia: Japońskie i Tureckie.
* Poprawiono dodatkowe problemy z ładowaniem obrazków
* Inne poprawki i ulepszenia
Wersja 0.9.9.4
---------------
Dodano opcję nieukrywania powiadomienia i przycisków na ekranie blokady podczas wstrzymania odtwarzania
Naprawiono błąd powodujący błędne wczytywanie grafik odcinków
Naprawiono problemy z nadmiernym użyciem baterii
Wersja 0.9.9.3
---------------
Naprawiono problemy z odtwarzaniem wideo
Ulepszone wczytywanie obrazów
* Inne poprawki i ulepszenia
Wersja 0.9.9.2
---------------
Dodano wykrywanie podcastów, gdy zostanie podany adres strony
Dodano obsługę przycisków następny/poprzedni
Ulepszony wyłącznik czasowy
Znaczniki czasowe w notatkach mogą być używane do przeskoku do odpowiedniej pozycji
Automatyczna obsługa Flattr może być teraz konfigurowana
* Różne poprawki i ulepszenia
Wersja 0.9.9.1
---------------
* Różne poprawki i ulepszenia
Wersja 0.9.9.0
---------------
* Nowy interfejs użytkownika
* Nieudane pobierania są teraz wznawiane podczas restartu
* Dodano obsługę Podlove Alternate Feeds
* Dodano obsługę protokołu "pcast"
* Dodano możliwość tworzenia i przywracania kopii zapasowej. Aby ta funkcja mogła działać, należy ją włączyć w ustawieniach systemu.
* Różne poprawki i ulepszenia
Wersja 0.9.8.3
---------------
* Dodano wsparcie dla kanałów i odcinków chronionych hasłem
* Dodano wsparcie dla większej ilości typów obrazów poszczególnych odcinków
* Dodano hebrajskie tłumaczenie
* Różne poprawki i ulepszenia
Wersja 0.9.8.2
---------------
* Różne poprawki i ulepszenia
* Dodano koreańskie tłumaczenie
Wersja 0.9.8.1
---------------
* Dodano opcję automatycznego flattr-owania odcinka po odsłuchaniu 80%
* Dodano polskie tłumaczenie
* Różne poprawki i ulepszenia
Wersja 0.9.8.0
---------------
* Dodano dostęp do katalogu gpodder.net
* Dodano możliwość synchronizacji subskrypcji podcastu z serwisu gpodder.net
* Automatyczne pobieranie można teraz włączać lub wyłączać dla poszczególnych podcastów
* Dodano opcję wstrzymywania odtwarzania, gdy inna aplikacja odtwarza dźwięk
* Dodano tłumaczenie na hindi i holenderski
* Rozwiązano problem z automatycznych aktualizacji podcastów
* Rozwiązano problem z widocznością przycisków na ekranie odcinka
* Rozwiązano problem, gdzie odcinki były pobierane ponownie niepotrzebnie
* Kilka innych poprawek i ulepszeń użyteczności
Wersja 0.9.7.5
---------------
*Przyspieszono uruchamianie aplikacji
* Zmniejszone zużycie pamięci
* Dodano możliwość zmiany szybkości odtwarzania
* Dodano tłumaczenie na szwedzki
* Różne poprawki i ulepszenia
Wersja 0.9.7.4
---------------
* Rozmiar pamięci odcinków może być nieograniczony
* Usuwanie epizod w kolejce poprzez przesuwanie można teraz cofnąć
* Dodano wsparcie dla łączy w rozdziałach MP3
* Dodano tłumaczenia na Czeski (Republika Czeska), Azerbejdżański i Portugalski
* Różne poprawki i ulepszenia
Wersja 0.9.7.3
---------------
* Urządzenia Bluetooth wyświetlają teraz metadane podczas odtwarzania (wymaga AVRCP 1.3 lub nowsza)
* Ulepszenia interfejsu użytkownika
* Kilka poprawki
Wersja 0.9.7.2
---------------
* Automatyczne pobieranie może teraz być wyłączone
* Dodano tłumaczenie włoskie (Włochy)
* Kilka poprawki
Wersja 0.9.7.1
---------------
* Dodano automatyczne pobieranie nowych odcinków
* Dodano opcję do określenia liczby pobranych odcinków, które mają być zachowane na urządzeniu
* Dodano wsparcie dla odtwarzania plików multimedialnych z zewnętrznych
* Kilka usprawnień i poprawek błędów
* Dodano tłumaczenie na Kataloński
Wersja 0.9.7
-------------
* Ulepszono interfejs użytkownika
* Pliki OPML można importować, wybierając je w przeglądarce plików
* Kolejka może być teraz organizowana za pomocą metody przeciągnij i upuść
* Dodano rozciągalne notyfikacje (obsługiwane tylko w Android 4.1 i wyżej)
* Dodano tłumaczenie na duński, francuski, rumuński (Rumunia) i ukraiński (Ukraina) (podziękowania dla wszystkich tłumaczy!)
* Kilka poprawek błędów i drobnych usprawnień
Wersja 0.9.6.4
---------------
* Dodano tłumaczenie na chiński (Dzięki tupunco!)
* Dodano portugalski (brazylijski) (Dzięki mbaltar!)
* Kilka poprawki
Wersja 0.9.6.3
---------------
* Dodano możliwość zmiany lokalizacji w folderu danych AntennaPod
* Dodano tłumaczenie na hiszpański (Dzięki frandavid100!)
* Rozwiązać problemy z kilkoma kanałami
Wersja 0.9.6.2
---------------
* Naprawiono problemy importu z niektórych plików OPML
* Naprawiono problemy pobrania
* AntennaPod teraz rozpoznaje zmiany informacji odcinka
* Inne ulepszenia i poprawki
Wersja 0.9.6.1
---------------
* Dodano ciemny motyw
* Różne poprawki i ulepszenia
Wersja 0.9.6
-------------
* Dodano wsparcie dla rozdziałów VorbisComment
* AntennaPod teraz pokazuje przedmioty jako "w toku", gdy odtwarzanie rozpoczęte
* Zmniejszone zużycie pamięci
* Dodano wsparcie dla większej ilości typów wątków
* Kilka poprawki
Wersja 0.9.5.3
---------------
* Naprawiono błąd, wyłączający aplikacje na niektórych urządzeniach
* Naprawiono problem z niektórych kanałami
* Inne poprawki i ulepszenia
Wersja 0.9.5.2
---------------
* Odtwarzacz teraz nie używa internetu komórki jałowo
* Inne ulepszenia i poprawki
Wersja 0.9.5.1
---------------
* Dodano historię odtwarzania
* Poprawiono zachowanie powiadomień o pobieraniu
* Ulepszona obsługa kontrolek słuchawek
* Poprawiono błąd w analizatorze wątków
* Przycisk "import OPML" Przeniesiony do ekranu "dodaj wątek" i przycisk "eksport OPML" w ekranie ustawień
Wersja 0.9.5
-------------
* Eksperymentalne wsparcie dla rozdziałów MP3
* Nowe opcje menu dla "nowych" list i kolejki
* Auto-usuwanie
* Lepsze raporty o błędach pobierania
* Kilka poprawki
Wersja 0.9.4.6
---------------
* Włączone wsparcie dla urządzeń o małych ekranach
* Wyłączenie wyłącznika czasowego powinna teraz działać ponownie
Wersja 0.9.4.5
---------------
* Dodano tłumaczenie rosyjskie (Dzięki older!)
* Dodano tłumaczenie niemieckie
* Kilka poprawki
Wersja 0.9.4.4
---------------
* Dodano elementy sterujące odtwarzacza na dole ekranu głównego i ekrany feedlist
* Ulepszono odtwarzanie mediów
Wersja 0.9.4.3
---------------
* Poprawiono kilka błędów w analizatorze wątków
* Lepsze raporty o błędach pobierania
Wersja 0.9.4.2
---------------
* Naprawiono błąd importera OPML
* Zmniejszone zużycie pamięci prze obrazy
* Naprawiono problemy pobierania, na niektórych urządzeniach
Wersja 0.9.4.1
---------------
* Zmieniono zachowanie powiadomień o pobraniach
Wersja 0.9.4
-------------
* Szybsze i bardziej niezawodne pobierania
* Dodano elementy sterujące odtwarzacza lockscreena dla urządzeń Android 4.x
* Kilka poprawki
Wersja 0.9.3.1
---------------
* Dodano do preferencji możliwość ukrycia wątków bez odcinków
* Poprawiono rozmiar obrazu dla niektórych niektórych rozmiarów ekranu
* Dodano widoku siatki dla dużych ekranów
* Kilka poprawki
Wersja 0.9.3
-------------
* MiroGuide zintegrowany
* Poprawiono błąd audio i wideo odtwarzacza
* Automatycznie dodawaj wątki do kolejki, gdy zostały pobrane
Wersja 0.9.2
-------------
* Poprawiono błędy interfejsu użytkownika
* Atrybuty GUID i ID są teraz rozpoznawane przez analizator
* Poprawa stabilności podczas dodawania kilku wątków jednocześnie
* Poprawiono błędy, które wystąpiły podczas dodawania niektórych wątków
Wersja 0.9.1.1
--------------------
* Zmieniono poświadczenia Flattra
* Poprawiono układ ekranu informacyjnego wątku
* AntennaPod jest teraz na otwartej licencji! Kod źródłowy jest dostępny w https://github.com/danieloeh/AntennaPod
Wersja 0.9.1
--------------------
* Dodano obsługę linków w SimpleChapters
* Bugfix: Obecny rozdział nie był wyświetlany poprawnie, nie zawsze
Wersja 0.9
--------------
* OPML eksport
* Zintegrowany flattr
* Timer snu
Wersja 0.8.2
-------------
* Dodano wyszukiwanie
* Ulepszono import OPML
* Więcej poprawek
Wersja 0.8.1
------------
* Dodano wsparcie dla rozdziałów SimpleChapters
* OPML import

View File

@ -1,12 +0,0 @@
* Novas funcionalidades
* Suporte Chromecast (experimental)
* Visão geral de subscrições
* Suporte a proxy
* Estatísticas
* Sincronização manual com gpodder.net
* Correções:
* Controlos de reprodução áudio
* 'Ducking' de áudio
* Controlos de desvanecimento de vídeo
* Controlos multimédia externos
* Processamento de fontes

View File

@ -1,12 +0,0 @@
* Novas funcionalidades
* Suporte Chromecast (experimental)
* Visão geral de subscrições
* Suporte a proxy
* Estatísticas
* Sincronização manual com gpodder.net
* Correções:
* Controlos de reprodução áudio
* 'Ducking' de áudio
* Controlos de desvanecimento de vídeo
* Controlos multimédia externos
* Processamento de fontes

View File

@ -1,363 +0,0 @@
Registo de alterações
==========
Versão 1.6.0
-------------
* Novas funcionalidades
* Suporte Chromecast (experimental)
* Visão geral de subscrições
* Suporte a proxy
* Estatísticas
* Sincronização manual com gpodder.net
* Correções:
* Controlos de reprodução áudio
* 'Ducking' de áudio
* Controlos de desvanecimento de vídeo
* Controlos multimédia externos
* Processamento de fontes
Versão 1.5.0
-------------
* Exclusão de episódios da descarga automática usando palavras-chave
* Configurar fontes para que não se atualizem atomaticamente
* Melhorias no reprodutor áudio
* Melhorias à interface
* Diversas correções
Versão 1.4.1
-------------
* Melhorias de desempenho
* Os botões do dispositivo avançam/recuam no episódio em vez de avançar para o episódio seguinte
* Opção para utilizar o botão do dispositivo para avançar de episódio
* Opção para enviar os relatórios de erro para os programadores
* Destaque automático do episódio em reprodução
* Melhorias ao widget
Versão 1.4.0.12
----------------
* Correções para dispositivos Huawei (botões multimédia não funcionavam)
Versão 1.4
-----------
* Permissão Bluetooth: para poder continuar a reprodução ao ligar um dispositivo Bluetooth com o seu dispositivo
* Permissão de vibração: para utilizar a vibração em simultâneo com o temporizador
* Velocidade variável de reprodução nativa (ainda experimental)
* Melhorias no temporizador
* Possibilidade de marcar episódios como favoritos
* Possibilidade de ignorar episódios nas notificações
* Possibilidade de manter episódios ao ignorar
* Possibilidade de utilizar a imagem do episódio no ecrã de bloqueio
* Limpeza flexível de episódios
* Possibilidade de recuar após a pausa
* Melhorias de utilização
* Diversas correções
Versão 1.3
-----------
* Ações em lote nos episódios (descarga, colocar na fila, apagar)
* Redução do tamanho utilizado pelas imagens
* Atualização automática de fontes num dado período
* Indicadores e ordenação personalizada de fontes
* Possibilidade de partilhar fontes
* Melhorias na descarga automática
* Diversas melhorias de usabilidade e correções
Versão 1.2
-----------
* Possibilidade de desativar a opção deslizar e arrastar na fila de reprodução
* Opção para continuar a reprodução ao terminar uma chamada
* Possibilidade de filtrar episódios nas fontes
* Possibilidade de ocultar os itens da gaveta
* Possibilidade de personalizar o tempo a avançar/recuar
* Correção de alguns erros ao importar ficheiros OPML
* Diversas melhorias de usabilidade e correções de erros
Versão 1.1
-----------
* Adicionada integração com o iTunes
* Deslize para remover os episódios da fila de reprodução
* Possibilidade de definir o número de descargas simultâneas
* Correções para gpodder.net em alguns dispositivos
* Corrigidos problemas de datas em algumas fontes
* Melhorias de exibição
* Melhorias de utilização
* Diversas correções
Versão 1.0
-----------
* Possibilidade de organizar a fila
* Adicionada opção para apagar os episódios após a reprodução
* Corrigido um erro que alguns capítulos eram mostrados várias vezes
* Diversas correções e melhorias
Versão 0.9.9.6
---------------
* Correção de erros relacionados com velocidade variável de reprodução
* Correção de erros relacionados com a atualização automática de fontes
* Diversas correções e melhorias
Versão 0.9.9.5
---------------
* Adicionado suporte a fontes paginadas
* Melhorias na interface
* Adicionadas as traduções em japonês e turco
* Mais correções ao nível de carregamento de imagens
* Diversas correções e melhorias
Versão 0.9.9.4
---------------
* Adicionada uma opção para manter a notificação e os controlos do ecrã de bloqueio ao pausar a reprodução
* Correções ao nível de carregamento de imagens
* Correções relacionadas com poupança de energia
Versão 0.9.9.3
---------------
* Correções na reprodução de vídeos
* Melhorias no carregamento de imagens
* Diversas correções e melhorias
Versão 0.9.9.2
---------------
* Adicionado o suporte a descoberta de fontes ao introduzir o URL do sítio web
* Adicionado o suporte às teclas multimédia Seguinte/Anterior
* Melhorias no temporizador
* Possibilidade de utilizar marcas de tempo nas notas do podcast e ir para uma posição temporal
* Possibilidade de configurar o flattr automático
* Diversas correções e melhorias
Versão 0.9.9.1
---------------
* Diversas correções e melhorias
Versão 0.9.9.0
---------------
* Nova interface
* As descargas falhadas são retomadas ao reiniciar
* Adicionado o suporte às fontes alternativas Podlove
* Adicionado o suporte ao protocolo pcast
* Adicionadas funcionalidades de backup e restauro. Esta opção tem que ser ativada nas definições do Android para funcionar
* Diversas correções e melhorias
Versão 0.9.8.3
---------------
* Adicionado o suporte a fontes e episódios protegidos por palavra-passe
* Adicionado o suporte a mais tipos de imagens de episódios
* Adição da tradução em hebraico
* Diversas correções e melhorias
Versão 0.9.8.2
---------------
* Diversas correções e melhorias
* Adição da tradução em coreano
Versão 0.9.8.1
---------------
* Adicionada a opção para flattr automático de episódios se 80 porcento do mesmo tenha sido reproduzido
* Adição da tradução em polaco
* Diversas correções e melhorias
Versão 0.9.8.0
---------------
* Adição do acesso ao diretório gpodder.net
* Adicionada a possibilidade de sincronizar as subscrições com o gpodder.net
* Adicionada a possibilidade de ativar ou desativar a descarga automática para podcasts específicos
* Adicionada a possibilidade de colocar em pausa a reprodução se outra aplicação quiser reproduzir sons
* Adição da tradução em holandês e hindi
* Correção de erros com a transferência automática de podcasts
* Corrigido um erro com a visualização de botões no ecrã dos episódios
* Corrigido um erro em que os episódios eram novamente descarregados sem haver essa necessidade
* Diversas correções e melhorias
Versão 0.9.7.5
---------------
* Diminuição do tempo de arranque
* Melhorias na utilização de memória
* Adicionada uma opção para mudar a velocidade de reprodução
* Adição da tradução em sueco
* Diversas correções e melhorias
Versão 0.9.7.4
---------------
* A cache dos episódios pode ser definida para ilimitada
* A remoção de um episódio da fila através de arrasto pode ser anulada
* Adicionado o suporte a ligações nos capítulos MP3
* Adição das traduções em checo (República Checa), azerbaijanês e português (Portugal)
* Diversas correções e melhorias
Versão 0.9.7.3
---------------
* Os dispositivos Bluetooth mostram agora o detalhes do item em reprodução (requer AVRCP 1.3 ou superior)
* Melhorias na interface
* Diversas correções
Versão 0.9.7.2
---------------
* Possibilidade de desativar as descargas automáticas
* Adição da tradução em italiano (Itália)
* Diversas correções
Versão 0.9.7.1
---------------
* Adicionada a possibilidade de descarregar automaticamente os episódios
* Adicionada uma opção para especificar o número de episódios descarregados a manter no dispositivo
* Adicionado o suporte à reprodução de ficheiros externos
* Diversas correções e melhorias
* Adição da tradução em catalão
Versão 0.9.7
-------------
* Melhorias na interface
* Adicionada a possibilidade de importar ficheiros OPML através do gestor de ficheiros
* Adicionada a possibilidade de organizar a fila de reprodução com o processo arrastar e largar
* Adicionada a possibilidade de expandir as notificações (só para versões Android 4.1 ou mais recentes)
* Adição das traduções em dinamarquês, francês, romeno (Roménia) e ucraniano (Ucrânia) (muito obrigado aos tradutores!)
* Diversas correções e melhorias
Versão 0.9.6.4
---------------
* Adição da tradução em mandarim (obrigado tupunco!)
* Adição da tradução em português (Brasil) (obrigado mbaltar!)
* Diversas correções
Versão 0.9.6.3
---------------
* Adicionada a possibilidade de alterar a localização do diretório de dados da aplicação
* Adição da tradução em espanhol (obrigado frandavid100!)
* Diversas correções relacionadas com fontes
Versão 0.9.6.2
---------------
* Corrigidos alguns erros de importação de ficheiros OPML
* Corrigidos erros nas descargas
* O AntennaPod já reconhece as alterações às informações dos episódios
* Diversas correções e melhorias
Versão 0.9.6.1
---------------
* Adição de um tema escuro
* Diversas correções e melhorias
Versão 0.9.6
-------------
* Adicionado o suporte aos capítulos VorbisComment
* Agora, o AntennaPod mostra os itens como "em reprodução" ao iniciar a reprodução
* Melhorias na utilização de memória
* Adicionado o suporte a mais tipo de fontes
* Diversas correções
Versão 0.9.5.3
---------------
* Corrigido um erro de reprodução em alguns dispositivos
* Corrigidos alguns erros com fontes
* Diversas correções e melhorias
Versão 0.9.5.2
---------------
* O reprodutor já não utiliza a largura de banda se não estiver a ser utilizado
* Diversas correções e melhorias
Versão 0.9.5.1
---------------
* Adicionado o histórico de reprodução
* Melhorias nas notificações de descargas
* Melhorias nos controlo dos auriculares
* Correção no processador de fontes
* Botão "Importação OPML" movido para o ecrã "Adicionar fonte e botão "Exportação OPML" para o ecrã de definições
Versão 0.9.5
-------------
*Adicionado suporte experimental a capítulos MP3
* Novo menu de opções para a lista de novos ficheiros e para a fila
* Adicionado a opção de eliminação automática
* Melhoria nos relatórios de descargas
* Diversas correções
Versão 0.9.4.6
---------------
* Adicionado suporte para dispositivos com pequenos ecrãs
* Correções ao nível do temporizador
Versão 0.9.4.5
---------------
* Adição da tradução em russo (obrigado older!)
* Adição da tradução em alemão
* Diversas correções
Versão 0.9.4.4
---------------
* Adição de controlos do reprodutor no fundo do ecrã principal e no ecrã da lista de fontes
* Melhorias na reprodução multimédia
Versão 0.9.4.3
---------------
* Melhorias no processador de fontes
* Melhorias nos relatórios de descargas
Versão 0.9.4.2
---------------
* Correção de erros no importador OPML
* Melhoria na utilização de memória para imagens
* Corrigidos erros de descargas em alguns dispositivos
Versão 0.9.4.1
---------------
* Melhorias nas notificações das descargas
Versão 0.9.4
-------------
* Descargas mais rápidas e mais fiáveis
* Adição de controlos do reprodutor para dispositivos com o Android 4.x
* Diversas correções
Versão 0.9.3.1
---------------
* Adição de uma opção para ocultar das fontes os itens sem episódios
* Melhoria na exibição de imagens em dispositivos com pequenos ecrãs
* Adição de visualização em grelha para ecrãs grandes
* Diversas correções
Versão 0.9.3
-------------
* Integração com o guia Miro
* Correções no reprodutor multimédia
* Os episódios são adicionados à fila assim que forem descarregados
Versão 0.9.2
-------------
* Correções na interface
* Adicionado o reconhecimento dos atributos ID e GUID pelo processador de fontes
* Melhorias na adição de diversas fontes em simultâneo
* Corrigidos alguns erros que ocorriam em algumas fontes
Versão 0.9.1.1
--------------------
* Alterações na autenticação Flattr
* Melhorias no ecrã de informações das fontes
* O AntennaPod é agora um programa livre! O código fonte está disponível em https://github.com/danieloeh/AntennaPod
Versão 0.9.1
-----------------
* Adicionado o suporte a ligações em SimpleChapters
* Correção do erro em que o capítulo atual não era mostrado automaticamente
Versão 0.9
--------------
* Exportação OPML
* Integração Flattr
* Adição de um temporizador
Versão 0.8.2
-------------
* Adição da função de pesquisa
* Melhorias na importação OPML
* Diversas correções
Versão 0.8.1
------------
* Adição do suporte a SimpleChapters
* Importação OPML

View File

@ -1,363 +0,0 @@
Últimas modificações
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Versão 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Versão 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Versão 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Versão 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Versão 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Versão 0.9.9.5
---------------
* Added support for paged feeds
* Melhorias na interface de usuário
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Diversas correções e melhorias
Versão 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Versão 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Diversas correções e melhorias
Versão 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Diversas melhorias e correções
Versão 0.9.9.1
---------------
* Diversas melhorias e correções
Versão 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Diversas melhorias e correções
Versão 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Diversas melhorias e correções
Versão 0.9.8.2
---------------
* Diversas melhorias e correções
* Added Korean translation
Versão 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Diversas melhorias e correções
Versão 0.9.8.0
---------------
* Adicionado acesso ao diretório gpodder.net
* Adicionada capacidade de sincronizar assinaturas de podcasts com o serviço gpodder.net
* Download automático agora pode ser habilitado ou desabilitado em podcasts específicos
* Adicionada opção para pausar reprodução quando outro aplicativo está reproduzindo sons
* Adicionadas traduções para Holandês e Hindi
* Resolvidos problemas com atualizações automáticas de podcast
* Resolvido problema com a visibilidade de botões na tela de episódios
* Resolvido problema pelo qual episódios eram baixados novamente desnecessariamente
* Diversos outras correções de bugs e melhorias de usabilidade
Versão 0.9.7.5
---------------
* Tempo de inicialização da aplicação reduzido
* A utilização de memória foi reduzida
* Adicionada opção para alterar velocidade de reprodução
* Adicionada tradução para Sueco
* Diversas melhorias e correções
Versão 0.9.7.4
---------------
* O cache de um episódio agora pode ter um tamanho ilimitado
* É possível desfazer a ação de deslizar para remover um episódio da fila de playback
* Adicionado suporte à Links em capítulos MP3
* Adicionadas traduções para Checo(República Checa), Azerbaijani e Português
* Diversas melhorias e correções
Versão 0.9.7.3
---------------
* Dispositivos bluetooth agora mostram metadados durante a reprodução (requer AVRCP 1.3 ou superior)
* Melhorias na interface com usuário
* Diversas correções
Versão 0.9.7.2
---------------
* Download automático agora pode ser desabilitado
* Adicionada tradução para italiano
* Diversas correções
Versão 0.9.7.1
---------------
* Adicionado download automático de novos episódios
* Adicionada opção para especificar o número de episódios a serem mantidos no dispositivo
* Adicionado suporte para arquivos externos de mídia
* Diversas melhorias e correções de bugs
* Adicionada tradução para catalão
Versão 0.9.7
-------------
* Melhorias na interface de usuário
* Arquivos OPML podem agora ser importados selecionando-os em um gerenciador de arquivos
* A fila pode agora ser organizada arrastando seus elementos
* Adicionadas notificações expansíveis (apenas para Android versão 4.1 ou mais nova)
* Adicionadas traduções para dinamarquês, francês, romeno e ucraniano (obrigado a todos os tradutores!)
* Diversas correções e pequenas melhorias
Versão 0.9.6.4
---------------
* Adicionada tradução chinesa (Obrigado tupunco!)
* Adicionada tradução para português (Brasil) (Obrigado mbaltar!)
* Diversas correções
Versão 0.9.6.3
---------------
* Adicionada possibilidade de modificar a localização de diretório do AntennaPod
* Adicionada tradução para espanhol (Obrigado frandavid100!)
* Resolvidos problemas com diversos feeds
Versão 0.9.6.2
---------------
* Consertados problemas com importação de arquivos OPML
* Consertados problemas com download
* AntennaPod agora reconhece mudanças nas informações dos episódios
* Outras melhorias e correções
Versão 0.9.6.1
---------------
* Adionado tema escuro
* Diversas melhorias e correções
Versão 0.9.6
-------------
* Adicionado suporte para capítulos VorbisComment
* AntennaPod agora exibe os itens como 'em progresso' quando a reprodução começou
* A utilização de memória foi reduzida
* Adicionado suporte a mais tipos de feeds
* Diversas correções
Versão 0.9.5.3
---------------
* Consertado problema de reprodução em alguns dispositivos
* Resolvidos problemas com alguns feeds
* Diversas correções e melhorias
Versão 0.9.5.2
---------------
* Melhoria na utilização de banda de rede no player
* Outras melhorias e correções
Versão 0.9.5.1
---------------
* Adicionado histórico de reprodução
* Melhorado comportamento das notificações de download
* Melhorado suporte para controles de fone de ouvido
* Melhorias no analisador de feeds
* Botão 'Importar OPML' movido para a tela de 'adicionar feed" e botão 'Exportar OPML' movido para a tela de preferências
Versão 0.9.5
-------------
* Suporte experimental a capítulos MP3
* Novas opções de menu para a 'nova' lista e para a fila
* Funcionalidade de remoção automática
* Melhor exibição de erros em downloads
* Diversas correções
Versão 0.9.4.6
---------------
* Adicionado suporte a dispositivos com telas pequenas
* Resolvido problema ao desabilitar o temporizador
Versão 0.9.4.5
---------------
* Adicionada tradução para russo (Obrigado older!)
* Adicionada tradução para alemão
* Diversas correções
Versão 0.9.4.4
---------------
* Adionados controles de reprodução na parte de baixo da tela inicial e de lista de feeds
* Melhorada reprodução de mídia
Versão 0.9.4.3
---------------
* Diversas melhorias no analisador de feeds
* Melhorado comportamento das notificações de download
Versão 0.9.4.2
---------------
* Resolvido problema na importação de arquivos OPML
* Reduzida utilização de memória de imagens
* Consertados problemas com download em alguns dispositivos
Versão 0.9.4.1
---------------
* Modificado comportamento das notificações de download
Versão 0.9.4
-------------
* Downloads mais rápidos e confiáveis
* Adicionados controles de reprodução na lockscreen para dispositivos Android 4.x
* Diversas correções
Versão 0.9.3.1
---------------
* Adicionada preferência para esconder itens de feed que não possuem episódios
* Melhora no tamanho de imagens para alguns tamanhos de tela
* Adicionada visualização em grade para telas maiores
* Diversas correções
Versão 0.9.3
-------------
* Intergração com MiroGuide
* Correções de bugs na reprodução de áudio e vídeo
* Automaticamente adiciona feeds para a fila de reprodução depois de serem baixados
Versão 0.9.2
-------------
* Correções na interface de usuário
* Atributos GUID e ID são agora reconhecidos pelo analisador de feeds
* Melhorias na estabilidade durante a adição de diversos feeds ao mesmo tempo
* Consertados problemas na adição de certos feeds
Versão 0.9.1.1
--------------------
* Modificadas credenciais do Flattr
* Melhorado layout da tela de informação de feeds
* Agora o AntennaPod tem o código aberto! O código-fonte está disponível em https://github.com/danieloeh/AntennaPod
Versão 0.9.1
-----------------
* Adicionado suporte para links no SimpleChapters
* Consertado problema na exibição do capítulo atual
Versão 0.9
--------------
* Exportação para OPML
* Integração com Flattr
* Desligamento automático
Versão 0.8.2
-------------
* Adicionada busca
* Melhora no processo de importação de arquivos OPML
* Mais correções de bug
Versão 0.8.1
------------
* Adicionado suporte para SimpleChapters
* Importação de arquivos OPML

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Interfață utilizator îmbunătățită
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Versiunea 0.9.7.5
---------------
* Reduced application startup time
* Reducere memorie utilizată
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Versiunea 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Versiunea 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Versiunea 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Versiunea 0.9.7.1
---------------
* Adăugare descărcare automată a episoadelor noi
* Added option to specify the number of downloaded episodes to keep on the device
* Adăugare suport pentru redarea fișierelor media externe
* Several improvements and bugfixes
* Adăugare traducere în catalană
Versiunea 0.9.7
-------------
* Interfață utilizator îmbunătățită
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Versiunea 0.9.6.4
---------------
* Adăugare traducere în chineză (Mersi tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Versiunea 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Adăugare traducere în spaniolă (Mersi frandavid100!)
* Solved problems with several feeds
Versiunea 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Rezolvare probleme la descărcare
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Versiunea 0.9.6.1
---------------
* Adăugare temă închisă la culoare
* Several bugfixes and improvements
Versiunea 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reducere memorie utilizată
* Added support for more feed types
* Several bugfixes
Versiunea 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Versiunea 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Versiunea 0.9.5.1
---------------
* Adăugare istoric ascultare
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Versiunea 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Versiunea 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Versiunea 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Adăugare traducere în germană
* Several bugfixes
Versiunea 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Redare media îmbunătățită
Versiunea 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Versiunea 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Versiunea 0.9.4.1
---------------
* Changed behavior of download notifications
Versiunea 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Versiunea 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Versiunea 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Versiunea 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Versiunea 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Versiunea 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Versiunea 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Versiunea 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Versiunea 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Список изменений
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Версия 1.4.1
-------------
* Улучшение производительности
* Физические кнопки теперь осуществляют перемотку вперед и назад вместо пропуска
* Возможность настройки пропуска для кнопки перемотки вперед
* Возможность отправки отчетов о сбоях напрямую разработчикам
* Выделение проигрываемого выпуска
* Улучшения виджета
Версия 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Версия 1.4
-----------
* ДОСТУП К BLUETOOTH: Используется для продолжения воспроизведения, когда Bluetooth-устройство переподключается к вашему телефону
* ДОСТУП К ВИБРАЦИИ: Используется дополнительно с таймером сна
* Переменная скорость воспроизведения (экспериментально доступна в опциях)
* Улучшен таймер сна
* Пометить эпизоды как 'избранные'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Улучшения для удобства использования
* Bug fixes
Версия 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Уменьшено место, используемое изображениями
* Автоматическое обновление в указанное время
* Возможность изменения отображения и сортировки для каналов
* Возможность поделиться ссылкой на канал
Улучшена автоматическая загрузка
* Множество исправлений и улучшений интерфейса
Версия 1.2
-----------
* Возможность отключения перемещения выпусков в очереди
* Продолжение воспроизведение после завершения звонка
* Фильтр выпусков в канале
* Hide items in the Nav drawer
* Возможность изменения интервалов времения для перемотки
* Исправлена проблема с открытием некоторых файлов OPML
* Различные исправления и улучшения интерфейса
Версия 1.1
-----------
* Поддержка подкастов iTunes
* Смахните выпуск в сторону, чтобы удалить его из очереди
* Настройка количества одновременных загрузок
* Исправление для gpodder.net на старых устройствах
* Исправлены проблемы с датами в некоторых каналах
* Улучшения внешнего вида
* Улучшения для удобства использования
* Несколько других исправлений
Версия 1.0
-----------
* Очередь теперь можно сортировать
* Добавлен параметр для удаления выпуска после воспроизведения
* Исправлена ошибка, из-за которой главы отображались несколько раз
* Несколько других улучшений и исправлений
Версия 0.9.9.6
---------------
* Исправлены проблемы с плагинами переменной скорости воспроизведения
* Исправлены проблемы с автоматическим обновлением каналов
* Несколько других исправлений и улучшений
Версия 0.9.9.5
---------------
Добавлена поддержка постраничных каналов
* Улучшения интерфейса
Добалены японская и турецкая локализации
Исправлено несколько ошибко загрузки изображений
* Другие исправления и улучшения
Версия 0.9.9.4
---------------
* Добавлена возможность сохранения уведомлений и элементов управления на экране блокировки при приостановке воспроизведения
* Исправлена ошибка неправильной загрузки изображений для выпусков
* Исправлена проблема с использованием батареи
Версия 0.9.9.3
---------------
* Исправлены проблемы с проигрыванием видео
* Улучшена загрузка изображений
* Другие исправления и улучшения
Версия 0.9.9.2
---------------
* Добавлена поддержка получения сведений о подписке если был введен адрес сайта
* Добавлена поддержка кнопок «следующий» и «предыдущий»
* Улучшен таймер сна
* Указатели времени в примечаниях к выпуску могу быть использованы для перехода к этому времени
* Теперь можно настраивать автоматическое использование Flattr
* Некоторые исправления и улучшения
Версия 0.9.9.1
---------------
* Некоторые исправления и улучшения
Версия 0.9.9.0
---------------
* Новый интерфейс пользователя
* Неудавшиеся загрузки возобновляются после перезапуска
* Добавлена поддержка альтернативных каналов Podlove
* Добавлена поддержка протокола pcast
* Добавлена функциональность резервного копирования и восстановления параметров. Для использования необходимо включить данную возможность в Android
* Некоторые исправления и улучшения
Версия 0.9.8.3
---------------
*Добавлена поддержка защищенных паролем каналов и выпусков
* Добавлена поддержка большего количества типов изображений для выпусков
Добавлен иврит
* Некоторые исправления и улучшения
Версия 0.9.8.2
---------------
* Некоторые исправления и улучшения
* Добавлен корейский язык
Версия 0.9.8.1
---------------
* Добавлена возможность автоматически поддерживать выпуски через Flattr после прослушивания 80% выпуска
* Добавлен польский язык
* Некоторые исправления и улучшения
Версия 0.9.8.0
---------------
* Добавлена возможность доступа к gpodder.net
* Добавлена возможность синхронизировать подписки с сервисом gpodder.net
* Автоматическая загрузка теперь может быть выключена для отдельных подкастов
* Добавлена возможность останавливать воспроизведение, когда другое приложение проигрывает звуки
Добавлены переводы на нидералдский язык и хинди
* Исправлено автоматическое обновление подкастов
* Исправлена видимость кнопок на экране выпусков
* Исправлен баг, когда загруженный выпуск загружался снова
* Некоторые исправления и улучшения интерфейса
Версия 0.9.7.5
---------------
* Уменьшено время запуска приложения
* Уменьшено использование памяти
* Добавлена возможность изменять скорость воспроизведения
* Добавлен шведский язык
* Некоторые исправления и улучшения
Версия 0.9.7.4
---------------
* Размер кэша выпусков теперь может быть бесконечным
* Удаление выпуска из очереди слайдом может быть отменено
* Добавлена поддержка ссылок в оглавлениях MP3
* Добавлены чешский, азербайджанский и португальский языки
* Некоторые исправления и улучшения
Версия 0.9.7.3
---------------
* Bluetooth-устройства теперь отображают информацию во время воспроизведения (требуется поддержка AVRCP 1.3 и выше)
* Улучшения интерфейса
* Некоторые исправления
Версия 0.9.7.2
---------------
* Автоматическую загрузку теперь можно выключать
* Добавлен итальянский язык
* Некоторые исправления
Версия 0.9.7.1
---------------
* Добавлена автоматическая загрузка новых выпусков
* Добавлена возможность выбора количества выпусков в кэше
* Добавлена поддержка воспроизведения внешних медиа файлов
* Некоторые улучшения и исправления
* Добавлен каталанский язык
Версия 0.9.7
-------------
* Улучшения интерфейса
* Теперь в файловом браузере можно выбирать OPML-файлы, которые надо импортировать
* Очередь тепрь можно упорядочить с помощью перетаскивания
* Добавлены расширенные уведомления (поддерживаются только Android 4.1 и выше)
* Добавлены датский, французский, румынский и украинский языки (спсибо всем переводчикам!)
* Некоторые исправления и мелкие улучшения
Версия 0.9.6.4
---------------
* Добавлен китайский язык (Спасибо tupunco!)
* Добавлены португальский (Бразилия) язык (Спасибо mbaltar!)
* Некоторые исправления
Версия 0.9.6.3
---------------
* Добавлена возможность сменить расположение папки с данными
* Добавлен испаский язык (Спасибо frandavid100!)
* Решены проблемы с некоторыми каналами
Версия 0.9.6.2
---------------
* Исправлены проблемы с импортом некоторых OPML файлов
* Исправлены проблемы загрузки
* Теперь AntenaPod распознает изменения в описании выпуска
* Другие улучшения и исправления
Версия 0.9.6.1
---------------
* Добавлена тёмная тема
* Некоторые исправления и улучшения
Версия 0.9.6
-------------
* Добавлена поддержка оглавлений VorbisComment
* Теперь воспроизводимые выпуски отмечаются как "в процессе"
* Уменьшено использование памяти
* Добавлена поддержка для большего типов каналов
* Некоторые исправления
Версия 0.9.5.3
---------------
* Исправлен вылет при воспроизведении на некоторых устройствах
* Исправлены проблемы с некоторыми каналами
* Другие исправления и улучшения
Версия 0.9.5.2
---------------
* Медиа-плеер теперь не использует интернет-соединение, при простое
* Другие улучшения и исправления
Версия 0.9.5.1
---------------
* Добавлена история воспроизведения
Улучшено поведение сообщения об ошибке загрузки
* Улучшена поддержка управления гарнитурой
* Исправления в парсере каналов
* Кнока "Импорт OPML" теперь находится на экране "Добавить канал", а кнопка "Экспорт OPML" - в настройках
Версия 0.9.5
-------------
* Экспериментальная поддержка оглавления MP3
* Новое меню для новых списков и очереди
* Функция авто-удаления
* Более лучшее сообщение об ошибке загрузки
* Некоторые исправления
Версия 0.9.4.6
---------------
* Включена поддержка устройств с маленьким экраном
* Выключение таймера сна теперь снова должно работать
Версия 0.9.4.5
---------------
* Добавлен русский язык (Спасибо )
* Добавлен немецкий язык
* Некоторые исправления
Версия 0.9.4.4
---------------
* Добавлено управление воспроизведением в нижней части главного экрана и экрана каналов
* Улучшено воспроизведение медиа
Версия 0.9.4.3
---------------
* Исправление некоторых ошибок парсера каналов
* Улучшено поведение уведомлений загрузки
Версия 0.9.4.2
---------------
* Исправлена ошибка импорта OPML
* Уменьшено использование памяти изображениями
* Исправлены проблемы загрузки на некоторых устройствах
Версия 0.9.4.1
---------------
* Изменено поведение уведомлений о загрузке
Версия 0.9.4
-------------
* Быстрые и более стабильные загрузки
* Добавлено управление проигрывателем на экране блокировке для устройств Android 4.X
* Некоторые исправления
Версия 0.9.3.1
---------------
* Добавлена опция для скрытия элементов, которые не содержат выпусков
* Улучшен размер изображений для некотрых размеров экранов
* Добавлен вид сеткой для больших экранов
* Некоторые исправления
Версия 0.9.3
-------------
* Добвлена интеграция с MiroGuide
* Исправления в аудио- и видеоплеере
* Автоматическое добавление каналов в очередь, если они загружены
Версия 0.9.2
-------------
* Испраления в интерфейсе
Атрибуты GUID и ID теперь распознаются Feedparser'ом
* Повышена стабильность при добавлении нескольких каналов одновременно
* Исправлены ошибки, происходящие при добавлении определённых каналов
Версия 0.9.1.1
--------------------
* Изменены разрешения Flattr
* Улучшена разметка экрана с информацией о канале
* Исходный код AntennaPod теперь открыт! Исходный код доступен на https://github.com/danieloeh/AntennaPod
Версия 0.9.1
-----------------
* Добавлена поддержка ссылок в формате SimpleChapters
* Исправлено: текущая глава не всегда отображалась корректно
Версия 0.9
--------------
* Экспорт OPML
* Интеграция с Flattr
* Таймер сна
Версия 0.8.2
-------------
* Добавлен поиск
* Улучшен интерфейс импорта OPML
* Много исправлений
Версия 0.8.1
------------
* Добавлена поддержка для SimpleChapters
* Импорт OPML

View File

@ -1,12 +0,0 @@
* Nya funktioner:
* Experimentellt stöd för Chromecast
* Prenumerationsöversikt
* Proxystöd
* Statistik
* Manuell gpodder.net synkronisering
* Fixar:
* Ljuduppspelningskontroller
* Ljudduckning
* Fade-out på videokontroller
* Externa mediakontroller
* Flödestolkning

View File

@ -1,363 +0,0 @@
Ändringslogg
==========
Version 1.6.0
-------------
* Nya funktioner:
* Experimentellt stöd för Chromecast
* Prenumerationsöversikt
* Proxystöd
* Statistik
* Manuell gpodder.net synkronisering
* Fixar:
* Ljuduppspelningskontroller
* Ljudduckning
* Fade-out på videokontroller
* Externa mediakontroller
* Flödestolkning
Version 1.5.0
-------------
* Exkludera episoder från automatisk nedladdning baserat på nyckelord
* Flöden kan ställas in att inte uppdateras automatiskt
* Förbättrad ljudspelare
* Förbättrat gränssnitt
* Buggfixar
Version 1.4.1
-------------
Prestandaförbättringar
* Hårdvaruknappar spolar nu fram och tillbaka istället för hoppar mellan episoder
* Möjlighet att låta hårdvaruknapp hoppa till nästa episod
* Möjlighet att sända krashrapporter direkt till utvecklarna
* Den episod som spelas framhävs bättre
* Widgetförbättringar
Version 1.4.0.12
----------------
* Fixade krash på Huawei enheter (mediaknappar kanske inte fungerar)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Behövs för att kunna fortsätta uppspelningen när en blåtandsenhet kopplas tillbaka till telefonen
* VIBRATE PERMISSION: Används valfritt till sömntimern
* Inbyggd variabel uppspelningshastighet (experimentell via inställningar)
* Förbättrade sovtimern
* Markera episoder som 'favorit'
* Aviseringen kan hoppa över episoder
* Behåll episoder när de hoppas över
* Episodens bild på låsskärmen
* Flexibel upprensning av episoder
* Spola tillbaka efter pause
* Förbättrad användarvänlighet
* Buggfixar
Version 1.3
-----------
* Åtgärder för flera episoder samtidigt (ladda ner, köa, ta bort)
* Minskade mängden lagringsutrymme använt av bilder
* Uppdatera automatiskt vid viss tidpunkt på dagen
* Anpassningsbara indikerare och sortering för flöden
* Möjlighet att dela flöden
* Förbättrade automatisk nedladdning
* Flera buggfixar och användbarhetsförbättringar
Version 1.2
-----------
* Val för att avaktivera svepning och dragning i kön
* Återuppta uppspelning efter telefonsamtal
* Filtrera episoder i podcastflödet
* Dölj saker i navigeringslådan
* Ändra tidshopp för spolning framåt och bakåt
* Löst problem med öppning av vissa OPML-filer
* Diverse buggfixar och förbättringar av användarvänligheten
Version 1.1
-----------
* iTunes podcast integration
* Svep för att ta bort saker ur kön
* Bestäm antalet parallella nedladdningar
* Fix för gpodder.net på äldre enheter
* Fixade datumproblem för vissa flöden
* Utseendesförbättringar
* Förbättrad användarvänlighet
* Flera andra buggfixar
Version 1.0
-----------
* Kön kan nu sorteras
* Lagt till möjlighet att ta bort episoder efter uppspelning
* Fixat en bugg som orsakade att kapitel visades flera gånger
* Flera andra buggfixar och förbättringar
Version 0.9.9.6
---------------
* Fixade problem med plugins för variabel uppspelningshastighet
* Fixade problem med automatiska flödesuppdateringar
* Flera andra buggfixar och förbättringar
Version 0.9.9.5
---------------
* Lagt till stöd för flöden uppdelade i flera sidor
* Bättre användargränssnitt
* Lagt till Japanska och Turkiska översättningar
* Fixade fler problem med laddning av bilder
* Andra buggfixare och förbättringar
Version 0.9.9.4
---------------
* Lagt till val för att behålla notifieringar och kontroller på låsskärmen när uppspelningen pausas
* Fixade en bugg där episoders bilder inte laddades korrekt
* Fixade problem med batterianvändning
Version 0.9.9.3
---------------
* Fixade problem med uppspelning av video
* Förbättrade laddning av bilder
* Andra buggfixare och förbättringar
Version 0.9.9.2
---------------
* Lagt till stöd för upptäckning av flöden om en webbsidas URL skrivs in
* Lagt till stöd för mediaknapparna 'nästa'/'föregående'
* Förbättrade sovtimern
* Tidsstämplar i shownotes kan nu användas för att hoppa till en specifik position
* Automatisk Flattring är nu konfigurerbart
* Flera buggfixar och förbättringar
Version 0.9.9.1
---------------
* Flera buggfixar och förbättringar
Version 0.9.9.0
---------------
* Nytt användargränssnitt
* Misslyckade nedladdningar fortsätter nu vid omstart
* Lagt till stöd för Podlove Alternate Feeds
* Lagt till stöd för "pcast"-protokollet
* Lagt till backup- och återställnings-funktioner. Denna funktion måste aktiveras i Androids inställningar för att fungera.
* Flera buggfixar och förbättringar
Version 0.9.8.3
---------------
* Lagt till stöd för lösenordsskyddade flöden och avsnitt
* Lagt till stöd för fler typer av avsnittsbilder
* Lagt till Hebreisk översättning
* Flera buggfixar och förbättringar
Version 0.9.8.2
---------------
* Flera buggfixar och förbättringar
* Lagt till Koreansk översättning
Version 0.9.8.1
---------------
* Lagt till möjlighet att flattra ett avsnitt automatiskt efter 80 procent av avsnittet har spelats.
* Lagt till Polsk översättning
* Flera buggfixar och förbättringar
Version 0.9.8.0
---------------
* Lagt till tillgång till gpodder.net biblioteket
* Lagt till möjlighet att synkronisera podcast prenumerationer med tjänsten gpodder.net
* Automatisk nedladdning kan nu sättas på eller av för specifika flöden
* Lagt till val att pausa uppspelning när en annan app spelar ljud
* Lagt till Nederlänska och Hindi översättningar
* Löste ett problem med automatiska flödesuppdateringar
* Löste ett problem med knapparnas synlighet på episodskärmen
* Löste ett problem där episoder laddades ned igen i onödan
* Flera andra buggfixar och användbarhetsförbättringar
Version 0.9.7.5
---------------
* Snabbare uppstart
* Minskad minnesanvändning
* Lagt till val av uppspelningshastighet
* Lagt till svensk översättning
* Flera buggfixar och förbättringar
Version 0.9.7.4
---------------
* Storleken på episodcachen kan nu sättas till oändlig
* Går nu att ångra svepning för borttagning av en episod i kön
* Lagt till stöd för länkar i MP3 kapitel
* Lagt till tjeckisk, azerbadjansk och portugisisk översättning
* Flera buggfixar och förbättringar
Version 0.9.7.3
---------------
* Bluetooth enheter kan nu visa metadata under uppspelning (kräver AVRCP 1.3 eller högre)
* Förbättrningar av användargränssnitt
* Flera buggfixar
Version 0.9.7.2
---------------
* Automatisk nedladdning kan nu stängas av
* Lagt till italiensk översättning
* Flera buggfixar
Version 0.9.7.1
---------------
* Lagt till automatisk hämtning av nya episoder
* Lagt till möjligheten att ange antalet nedladdade episoder att behålla på enheten
* Lagt till stöd för uppspelning av externa mediafiler
* Förbättringar och buggfixar
* Lagt till översättning till Catalan
Version 0.9.7
-------------
* Bättre användargränssnitt
* OPML-filer kan nu importeras genom att markera dem i en filhanterare
* Kön kan nu ordnas via drag & drop
* Lagt till expanderbara anmälningar (stöds endast av Android 4.1+)
* Lagt till Danska, Franska, Rumänska (Rumänien) och ukrainska (Ukraina) översättningar (tack till alla översättare!)
* Flera buggfixar och små förbättringar
Version 0.9.6.4
---------------
* Lagt till kinesisk översättning (tack tupunco!)
* Lagt till Portugisisk (Brasilien) översättning (tack mbaltar!)
* Flera buggfixar
Version 0.9.6.3
---------------
* Lagt till möjligheten att ändra placeringen av AntennaPod data mapp
* Lagt till spansk översättning (tack frandavid100!)
* Löst problem med flera feeds
Version 0.9.6.2
---------------
* Löst import problem med vissa OPML-filer
* Löst nedladdnings problem
* AntennaPod upptäcker nu förändringar av episodinformation
* Övriga förbättringar och buggfixar
Version 0.9.6.1
---------------
* Lagt till mörkt tema
* Flera buggfixar och förbättringar
Version 0.9.6
-------------
* Lagt till stöd för Vorbis Comment kapitel
* AntennaPod visar nu föremål som "pågående" när uppspelningen har startat
* Minskad minnesanvändning
* Lagt till stöd för fler feed sorter
* Flera buggfixar
Version 0.9.5.3
---------------
* Fixade krash vid start av uppspelning på vissa enheter
* Fixade problem med vissa flöden
* Andra buggfixare och förbättringar
Version 0.9.5.2
---------------
* Mediaspelaren använder nu inte bandbredd om den inte används
* Övriga förbättringar och buggfixar
Version 0.9.5.1
---------------
* Lagt till uppspelningshistorik
* Förbättrat hur nedladdningsrapporter beter sig
* Förbättrat stöd för headsetkontroller
* Buggfixar i flödestolken
* Flyttade 'OPML import' knappen till 'lägg till flöde' skärmen och 'OPML export' knappen till inställningsskärmen
Version 0.9.5
-------------
* Experimentellt stöd för MP3 kapitel
* Nya menyinställningar för 'nya' listan och kön
* Auto-borttagningsfunktion
* Bättre rapporter för nedladdningsfel
* Flera buggfixar
Version 0.9.4.6
---------------
* Lagt till stöd för enheter med liten skärm
* Stänga av sovtimern bör nu fungera igen
Version 0.9.4.5
---------------
* Lagt til rysk översättning (tack older!)
* Lagt till tysk översättning
* Flera buggfixar
Version 0.9.4.4
---------------
* Lagt till spelarkontroller i huvudskärmens nederkant och i flödeslistorna
* Förbättrade mediauppspelning
Version 0.9.4.3
---------------
* Fixade flera buggar i flödestolken
* Förbättrat hur nedladdningsrapporter beter sig
Version 0.9.4.2
---------------
* Fixade bugg i OPML importeraren
* Minskade minnesanvändningen för bilder
* Fixade nedladdningsproblem på vissa enheter
Version 0.9.4.1
---------------
* Ändrat beteende för nedladdningsnotifieringar
Version 0.9.4
-------------
* Snabbare och mer tillförlitliga nedladdningar
* Lagt till låsskärmskontroller för enheter med Android 4.x
* Flera buggfixar
Version 0.9.3.1
---------------
* Lagt till inställning för att dölja flöden som inte har episoder
* Förbättrade bildstorleken för vissa skärmstorlekar
* Lagt till rutnätsvy för stora skärmar
* Flera buggfixar
Version 0.9.3
-------------
* MiroGuide integration
* Buggfixar i ljud- och videospelaren
* Lägg automatiskt till flöden i kön när de laddats ned
Version 0.9.2
-------------
* Buggfixar i användargränssnittet
* GUID och ID attribut känns nu igen av flödestolken
* Stabilitetsförbättringar när flera flöden läggs till samtidigt
* Fixade buggar som uppstod när man lade till vissa flöden
Version 0.9.1.1
--------------------
* Ändrade autentisieringsuppgifter för Flattr
* Förbättrade layouten på skärmen med flödesinformation
* AntennaPod är ny öppen källkod! Källkoden kan laddas ner på https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Lagt till stöd för länkar i SimpleChapters
* Buggfix: Det nuvarande kapitlet visades inte alltid korrekt
Version 0.9
--------------
* OPML exportering
* Flattr integrering
* Sovtimer
Version 0.8.2
-------------
* Lagt till sök
* Förbättrade OPML importeringen
* Fler buggfixar
Version 0.8.1
------------
* Lagt till stöd för SimpleChapters
* OPML importering

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Yenilikler
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Hatalar düzeltildi
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Doğal değişken çalma hızı (deneysel seçeneklerde)
* Zamanlayıcı geliştirildi
* Bölümleri 'favori' olarak işaretleme
* Notification can skip episodes
* Keep episodes when skipping them
* Kilitli ekranda bölüm resmi
* Esnek bölüm temizliği
* Rewind after pause
* Kullanılabilirlik geliştirmeleri
* Hatalar düzeltildi
Sürüm 1.3
-----------
* Besleme bölümleri için toplu işlemler (indirme, kuyruğa alma, silme)
* Resimlerin kapladığı alan düşürüldü
* Günün belirli bir zamanında otomatik yenileme
* Beslemeler için özelleştirilebilir göstergeler ve sıralama
* Beslemeleri paylaşma imkanı
* Gelirştirilmiş otomatik indirme özelliği
* Birçok hata düzeltmesi ve kullanışlılık geliştirmesi yapıldı
Sürüm 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Telefon konuşmasından sonra çalmaya devam etme özelliği
* Cep yayını beslemesinde bölümleri filtreleme özelliği
* Uygulama çekmecesinde öğeleri gizleyebilme
* İleri ve geri sarma sürelerini ayarlayabilme
* Bazı OPML dosyalarını açarken oluşan hatalar çözüldü
* Birçok hata düzeltmesi ve kullanışlılık geliştirmesi yapıldı
Sürüm 1.1
-----------
* iTunes cepyayını desteği
* Kuyruktan kaydırarak öğe silme
* Paralel indirmelerin sayısını görebilme
* Eski cihazlarda gpodder.net için düzeltme
* Bazı beslemeler için tarih sorunu düzeltmesi
* Gösterim geliştirmeleri
* Kullanılabilirlik geliştirmeleri
* Birçok diğer hata düzeltmesi
Sürüm 1.0
-----------
* Artık kuyrukta sıralama yapılabilir
* Çalma bittikten sonra bölümün silinmesi seçeneği eklendi
* Bölümlerin birden fazla gösterilmesiyle ilgili bir hat düzeltildi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.6
---------------
* Değişken çalma hızı eklentileriyle ilgili hatalar düzeltildi
* Otomatik besleme güncellemeleri hataları düzeltildi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.5
---------------
* Sayfalanmış beslemeler desteği eklendi
* Kullanıcı arayüzü geliştirildi
* Japonca ve Türkçe çeviri eklendi
* Daha fazla resim yükleme hataları düzeltildi
* Diğer hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.4
---------------
* Çalma duraklatıldığında bildirim ve ekran kilidi ayarlarını saklama seçeneği eklendi
* Bölüm resimlerinin düzgün yüklenmemesi düzeltildi
* Pil kullanım sorunları düzeltildi
Sürüm 0.9.9.3
---------------
* Vidyo çalma hataları düzeltildi
* Resim yüklemesi geliştirildi
* Diğer hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.2
---------------
* Bir web sayfası URL'si girildiğinde besleme keşfetme desteği
* 'ileri'/'geri' medya tuşları desteği eklendi
* Zamanlayıcı geliştirildi
* Notlardaki zaman damgaları artık o zamana atlamak için kullanılabilir
* Otomatik Flattr'lama artık yapılandırılabilir
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.1
---------------
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.9.0
---------------
* Yeni kullanıcı arayüzü
* Başarısız indirmeler yeniden başltıldığında kaldığı yerden devam ediyor
* Podlove Alternatif beslemeler desteği eklendi
* "pcast"-protocol desteği eklendi
* Yedekleme ve geri yükleme özelliği eklendi. Bu özelliğin çalışması için Android ayarlarından etkinleştirilmesi gerekir
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.8.3
---------------
* Şifre korumalı besleme ve bölüm desteği eklendi
* Daha fazla bölüm resmi tipi destekleniyor
* İbranice çeviri eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.8.2
---------------
* Bir çok hata düzeltmeleri ve geliştirmeler
* Korece çeviri eklendi
Sürüm 0.9.8.1
---------------
* Bir bölümün yüzde 80'i izlendiğinde otomatik olarak flattr'lama seçeneği eklendi
* Lehçe dil desteği eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.8.0
---------------
* gpodder.net dizinine erişim eklendi
* gpodder.net servisi ile cepyayını üyeliklerini senkronize etme kaabiliyeti eklendi
* Özel cepyayınlarını için otomatik indirme artık açılıp kapatılabilir
* Başka bir uygulama ses çaldığı zaman yürütmenin duraklatılabilmesi seçeneği eklendi
* Almanca ve Hintçe dil desteği ekledi
* Otomatik cepyayını güncellemede oluşan bir hata düzeltildi
* Bölüm ekranındaki butonların görünürlüğüyle ilgili bir hata düzeltildi
* Bölümlerin gereksiz olarak tekrar indirilmesiyle ilgili bir hata düzeltildi
* Birçok hata düzeltmesi ve kullanışlılık geliştirmesi yapıldı
Sürüm 0.9.7.5
---------------
* Uygulamanın açılış süresi kısaltıldı
* Hafıza kullanımı düşürüldü
* Çalma hızını değiştirme özelliği eklendi
* İsveççe çeviri eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.7.4
---------------
* Bölüm önbellek boyutu artık sınırsız olarak ayarlanabilir
* Kuyruktan kaydırlarak silinen bir bölüm artık geri alınabilir
* MP3 kısımları için Bağlantı desteği eklendi
* Çekce, Azerbaycan Türkçesi ve Portekizce dil desteği eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.7.3
---------------
* Artık bluetooth cihazları medya yürütürken metada gösterebilecek (AVRCP 1.3 veya daha üstü gerekir)
* Kullanıcı arayüzü geliştirmeleri
* Birçok hata düzeltmesi
Sürüm 0.9.7.2
---------------
* Otomatik indirme artık devre dışı bırakılabilir
* İtalyanca dil desteği eklendi
* Birçok hata düzeltmesi
Sürüm 0.9.7.1
---------------
* Yeni bölümlerin otomatik indirilmesi desteği eklendi
* Cihaza kaç tane bölümün indirilebileceği seçeneği eklendi
* Harici medya dosyalarının çalınabilmesi desteği eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
* Katalan çeviri eklendi
Sürüm 0.9.7
-------------
* Kullanıcı arayüzü geliştirildi
* Artık OPML dosyaları dosya yöneticisinden seçilerek içe aktarılabilir
* Artık kuyruk sürükle & bırak tekniğiyle düzenlenebilir
* Genişleyebilir bildirimler eklendi (sadece Android 4.1 ve üzerisi için desteklenir)
* Danca, Fransızca, Romence (Romanya) ve Ukraynaca (Ukrayna) çeviriler eklendi (tüm çevirmenlere teşekkürler!)
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.6.4
---------------
* Çince çeviri eklendi (Teşekkürler tupunco!)
* Portekizce (Brezilya) çeviri eklendi (Teşekkürler mbaltar!)
* Birçok hata düzeltmesi
Sürüm 0.9.6.3
---------------
* AntennaPod data klasörünün yerini değiştirme özelliği eklendi
* İspanyolca çeviri eklendi (Teşekkürler frandavid100!)
* Birçok beslemeyle ilgili sorunlar çözüldü
Sürüm 0.9.6.2
---------------
* Bazı OPML dosyalarının içe aktarılma sorunu çözüldü
* İndirme hataları düzeltildi
* AntannePod artık bölüm bilgilerindeki değişlikleri fark edebiliyor
* Diğer geliştirmeler ve hata düzeltmeleri
Sürüm 0.9.6.1
---------------
* Karanlık tema eklendi
* Bir çok hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.6
-------------
* VorbisComment kısımları desteği eklendi
* Çalma başlatıldığında artık öğeler 'çalınıyor' şeklinde gösteriliyor
* Hafıza kullanımı düşürüldü
* Daha fazla besleme tipi desteği eklendi
* Birçok hata düzeltmesi
Sürüm 0.9.5.3
---------------
* Bazı çihazlarda yürütme başlayınca yaşanan çökmeler düzeltildi
* Bazı beslemelerle ilgili sorunlar çözüldü
* Diğer hata düzeltmeleri ve geliştirmeler
Sürüm 0.9.5.2
---------------
* Artık medya oynatıcısı kullanımda değilse veri harcamıyor
* Diğer geliştirmeler ve hata düzeltmeleri
Sürüm 0.9.5.1
---------------
* Yürütme geçmişi eklendi
* İndirme raporları bildirimlerinin çalışma şekli geliştirildi
* Kulaklık kontrolleri desteğinin geliştirilmesi
* Besleme parser hataları düzeltildi
* 'OPML içe aktar' butonu 'besleme ekle' ekranına ve 'OPML dışa aktar' butonu seçenekler ekranına taşındı
Sürüm 0.9.5
-------------
* MP3 kısımları için deneysel destek
* 'Yeni' listesi ve kuyruk için yeni menü seçenekleri
* Otomatik silme özelliği
* Daha iyi İndirme hata raporlaması
* Birçok hata düzeltmesi
Sürüm 0.9.4.6
---------------
* Küçük ekranlı cihaz desteği devrede
* Zamanlayıcıyı devre dışı bırakma artık çalışıyor
Sürüm 0.9.4.5
---------------
* Rusça çeviri eklendi (Teşekkürler older!)
* Almanca çeviri eklendi
* Birçok hata düzeltmesi
Sürüm 0.9.4.4
---------------
* Ana ekranın altına ve besleme listesi ekranlarına oynatıcı kontrolleri eklendi
* Medya oynatıcısı geliştirildi
Sürüm 0.9.4.3
---------------
* Birçok besleme parser hatası düzeltildi
* İndirme raporları geliştirildi
Sürüm 0.9.4.2
---------------
* OPML içe aktarıcı hatası düzeltildi
* Resimlerin hafıza kullanımı düşürüldü
* Bazı cihazlardaki indirme hataları düzeltildi
Sürüm 0.9.4.1
---------------
* İndirme bildirimlerinin çalışma şekli değiştirildi
Sürüm 0.9.4
-------------
* Daha hızlı ve kararlı indirme işlemi
* Android 4.x cihazlar için kilit ekranında oynatıcı kontrolleri eklendi
* Birçok hata düzeltmesi
Sürüm 0.9.3.1
---------------
* Bölüm içermeyen beslemeleri gizlemek için seçenekler eklendi
* Bazı ekran boyutları için resim boyutu geliştirmeleri yapıldı
* Geniş ekranlar için grid view eklendi
* Birçok hata düzeltmesi
Sürüm 0.9.3
-------------
* MiroGuide entegrasyonu
* Ses ve vidyo çalıcısında hata düzeltmeleri
* İndirilen beslemeleri otomatik olarak kuyruğa ekleme
Sürüm 0.9.2
-------------
* Kullanıcı arayüzünde hata düzeltmeleri
* GUID ve ID özellikleri artık Feedparser tarafından tanınıyor
* Aynı anda birçok besleme eklenmesi durumunda kararlılık düzeltmeleri yapıldı
* Bazı beslemeleri eklerken oluşan hatalar düzeltildi
Sürüm 0.9.1.1
--------------------
* Flattr referansları değiştirildi
* Besleme bilgisi ekranı geliştirildi
* AntennaPod artık açık kaynaklı! Kaynak koduna buradan ulaşabilirsiniz https://github.com/danieloeh/AntennaPod
Sürüm 0.9.1
-----------------
* SimpleChapters içindeki bağlantı desteği eklendi
* Düzeltme: Geçerli Kısım her zaman düzgün görüntülenemiyordu.
Sürüm 0.9
--------------
* OPML dışa aktarımı
* Flattr entegrasyonu
* Zamanlayıcı
Sürüm 0.8.2
-------------
* Arama eklendi
* OPML içe aktarma deneyimi geliştirildi
* Birçok hata düzeltmesi
Sürüm 0.8.1
------------
* SimpleChapters desteği eklendi
* OPML içe aktarma

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,363 +0,0 @@
Зміни
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Версія 1.5.0
-------------
* Вилучення епізодів з автоматичного завантаження за ключовими словами
* Налагодження каналів що дозволяє запобігти автоматичному поновленню
* Покращення в аудіоплейері
* Покращення інтерфейса користувача
* Виправлення помилок
Версія 1.4.1
-------------
* Поліпшення продуктивності
* Апаратні кнопки для прямої та зворотньої перемотки тепер працюють замість перехода до наступного епізода
* Можливість перехода до наступного епізода за натисканням кнопки перемотки
* Можливість надсилати звіти про помилки розробникам
* Підсвітлення епізода що зараз програється
* Поліпшення віджета
Версія 1.4.0.12
----------------
* Виправлення збоїв на пристроях Huawei (медіа кнопки можуть не робити)
Версія 1.4
-----------
* Дозвіл на використання bluetooth: Потрібен для поновлення програвання в разі повторного підключення пристроя Bluetooth
* Дозвіл на використання вібрації: Потрібен для таймера сна
* Можливість змінювати швидкість програвання без потреби встановлення додатків (включається в експериментальних налаштуваннях)
* Покращенний таймер сну
* Можливість зберігання улюблених епізодів
* Пропуск епізодів через нотіфікації
* Можливість зберігати пропущені при програванні епізоди
* Картинка епізода фоном екрана (lockscreen)
* Гнучке чищення епізодів
* Відмотка після паузи
* Покращено зручність і простоту в користуванні
* Виправлення помилок
Версія 1.3
-----------
* Можливість виконувати групові дії над епізодами (завантаження, постановка в чергу, видалення)
* Зменшено кількість пам'яті що використовується для зображень
* Автоматична перевірка оновлень в зазначений час щодня
* Можливість налаштування індикаторів та сортування для каналів
* Можливість ділитись каналами
* Покращено автоматичне завантаження
* Багато виправлень помилок та покращень
Версія 1.2
-----------
* Можливість вимкнути протяжку (swiping) та перетягання в черзі
* Відновлення відтворення після телефонного дзвінка
* Фільтрування епізодів за каналом подкаста
* Можливість приховати елементи навігації
* Настройка часу для перемотки вперед і назад
* Виправлення помилок з читанням деяких файлів OPML
* Різноманітні виправлення помилок та покращення інтерфейса
Версія 1.1
-----------
* інтеграція з подкастами iTunes
* Видалення з черги за допомогою протяжки (swipe)
* Можливість встановити число паралельних завантажень
* Виправлення для gpodder.net на старих пристроях
* Виправлено проблему з датой на деяких каналах
* Покращення відображення
* Покращено зручність і простоту в користуванні
* Кілька інших виправлень помилок
Версія 1.0
-----------
* Чергу можно впорядковувати
* Додано налаштування що дає можливість видаляти епізод після відтворення
* Виправлено помилку коли розділи показувались кілька разів
* Кілька інших покращень та виправлень помилок
Версія 0.9.9.6
---------------
* Виправлено помилки пов’язані з плагінами відтворення зі змінною швидкістю
* Виправлено помилки автоматичного поновлення каналів
* Кілька інших виправлень помилок та покращень
Версія 0.9.9.5
---------------
* Додано підтримку каналів із сторінками (paged feeds)
* Покращення зовнішнього вида
* Додано переклади Японською та Турецькою
* Виправлено проблеми завантаження зображень
* Інші виправлення помилок та покращення
Версія 0.9.9.4
---------------
* Добавлена опція показувати назву та елементи керування коли встановлена пауза при програванні
* Ісправлена проблема завантаження малюнків в епізодах
* Виправлене використання батареї
Версія 0.9.9.3
---------------
* Виправлене програвання відео
* Покращенно завантаження малюнків
* Інші виправлення помилок та покращення
Версія 0.9.9.2
---------------
* Додана підтримка пошуку feed (лент) коли введенна адреса сайту URL
* Додана підтримка медіа клавіш 'наступний'/'попередній'
* Покращенний таймер сну
* Час в нотатках до епізоду зараз може буде використанний для переходу до цього часу програвання епізоду
* Зараз можно налаштувати автоматичне використання Flattr
* Кілька виправлень помилок та покращень
Версія 0.9.9.1
---------------
* Кілька виправлень помилок та покращень
Версія 0.9.9.0
---------------
* Новий інтерфейс користувача
* Після перестарту додатка неуспішні завантаження будуть продовжені
* Додана підтримка Podlove Alternate Feeds
* Додана підтримка протокола "pcast"
* Додана функція резервного копіювання та відновлення. Цю функцію потрібно включити в налаштуваннях
* Кілька виправлень помилок та покращень
Версія 0.9.8.3
---------------
* Додана підтримка захищенних паролем епізодів та лент (feed)
* Додана підтримка для більшій кількості типов зображень
* Доданий переклад на івріт
* Кілька виправлень помилок та покращень
Версія 0.9.8.2
---------------
* Кілька виправлень помилок та покращень
* Додано переклад корейською
Версія 0.9.8.1
---------------
* Додана підтримка автоматичного передавання в flattr після 80 відсотків епізоду було прослухано
* Додано переклад польською
* Кілька виправлень помилок та покращень
Версія 0.9.8.0
---------------
* Доданий доступ до каталогу подкастів gpodder.net
* Додана можливість сінхронізувати підписку на подкасти з сервісом gpodder.net
* Автоматичне завантаження зараз може буде вимкнене для певних подкастів
* Додана можливість робити паузу у програвання коли інший додаток програває звук
* Додано переклад Датською та Хінді
* Вирішена проблема з автоматичним завантаження подкастів
* Вирішена проблема з відображенням кнопок на екрані епізоду
* Виправлена проблема, коли епізоди можуть бути перезавантажени без необхідності
* Декілька інших виправлених помилок та покращень у використанні
Версія 0.9.7.5
---------------
* Покращен час завантаження додатку
* Зменшено використання пам'яті
* Додана можливість змінювати швидкіть програвання
* Додано переклад шведською
* Кілька виправлень помилок та покращень
Версія 0.9.7.4
---------------
* Розмір кеша для епізодів зараз може буде встановленний без обмеження
* Видалення епізоду з черги за допомогою sliding тепер може бути відміненно
* Додана підтримка посилань (Links) в mp3 главах
* Додан переклад на Чешьску, Азербайджанську та португальску
* Кілька виправлень помилок та покращень
Версія 0.9.7.3
---------------
* Bluetooth пристрої тепер можуть відображати метадані під час програвання (вимагає AVRCP 1.3 або новіше)
* Покращення інтерфейсу користувача
* Кілька виправлень помилок
Версія 0.9.7.2
---------------
* Автоматичне завантаження тепер може бути відключене
* Доданий італійський переклад
* Кілька виправлень помилок
Версія 0.9.7.1
---------------
* Додано автоматичне завантаження епізодів
* Додана опція визначити скільки епізодів зберігати на пристрої
* Додана підтримка програвання зовнішніх медіафайлів
* Кілька покращень та виправлень помилок
* Додано переклад каталанською
Версія 0.9.7
-------------
* Покращення зовнішнього вида
* OPML файли зараз можуть бути імпортовані за допомогою переглядача файлів
* Черга може бути організована за допомогою drag & drop
* Додани expandable notifications (підтримуються у версії Android 4.1 або новіше)
* Додано переклади данською, французькою, румунською та українською (дякую перекладачам!)
* Кілька виправлень помилок та невеликих покращень
Версія 0.9.6.4
---------------
* Додано переклад китайською (дякуючи tupunco!)
* Додано переклад Португальскою (Бразилия) (Дякую mbaltar!)
* Кілька виправлень помилок
Версія 0.9.6.3
---------------
* Додана можливість змінювати розташування папки даних AntennaPod
* Додано переклад іспанською
* Вирішені проблеми з деякими каналами подкастів
Версія 0.9.6.2
---------------
* Виправлені проблеми імпорту деяких OPML файлів
* Виправлено проблеми з закачкою
* AntennaPod зараз розпізнає зміни у інформації об епізоді
* Інші покращення та виправлення помилок
Версія 0.9.6.1
---------------
* Доданий темний вигляд
* Кілька виправлень помилок та покращень
Версія 0.9.6
-------------
* Додана підтримка у главах коментарів Vorbis (VorbisComment)
* AntennaPod зараз показує "in progress" коли прослуховування вже починалось
* Зменшено використання пам'яті
* Додано підтримку додаткових типов подкастів
* Кілька виправлень помилок
Версія 0.9.5.3
---------------
* Виправлено падіння при початку програвання на деяких пристроях
* Вирішені проблеми з деякими каналами подкастів
* Інші виправлення помилок та покращення
Версія 0.9.5.2
---------------
* Якщо media player не використовується, то він більше не буде використовувати мережу
* Інші покращення та виправлення помилок
Версія 0.9.5.1
---------------
* Додано історію прослуховування
* Покращена поведінка повідомлень про завантаження
* Покращена підтримка керування з навушників
* Виправлені помилки в обробці каналів подкастів
* Кнопка OPML импорт зараз на екрані додати канал, а кнопка opml експорт в налаштуваннях
Версія 0.9.5
-------------
* Експерементальна підтримка mp3 глав
* Новы опції для нового списку та черги
* Функція автовидалення
* Покращення повідомлень про помилки завантажень
* Кілька виправлень помилок
Версія 0.9.4.6
---------------
* Додано підтримку пристроїв з невеликими екранами
* Повинна знову працювати заборона таймеру сну
Версія 0.9.4.5
---------------
* Додано переклад російською (дякуючи older!)
* Додано переклад німецькою
* Кілька виправлень помилок
Версія 0.9.4.4
---------------
* Додано керування програванням внизу головного екрану та списку каналів подкастів
* Покращення в програванні подкастів
Версія 0.9.4.3
---------------
* Виправлені деякі помилки в обробці каналів подкастів
* Покращення поведінки інформування про завантаження
Версія 0.9.4.2
---------------
* Виправлені помилки при імпорті OPML
* Зменшено кількість пам'яті що використовується для зображень
* Виправлені проблеми завантаження на деяких пристроях
Версія 0.9.4.1
---------------
* Змінене відображення завантаження
Версія 0.9.4
-------------
* Більш швидке та надійне завантаження
* Додано керування програванням на екран блокування для пристроїв з Android 4.X
* Кілька виправлень помилок
Версія 0.9.3.1
---------------
* Додане налаштування приховувати канали без епізодів
* Виправлений розмір зображень для деяких розмірів екранів
* Додане відображення сіткою (grid) для великих екранів
* Кілька виправлень помилок
Версія 0.9.3
-------------
* Інтеграція з MiroGuide
* Виправлені помилки в аудіо- та відео плейері
* Автоматично додавати канали до черги коли вони були завантажені
Версія 0.9.2
-------------
* Виправлені помилки в зовнішньому вигляді
* атрибути GUID та ID тепер розпізнаються у каналах
* Покращенна стабільність коли додається декілько каналів одночасно
* Виправлені помилки при додаванні каналів певних типів
Версія 0.9.1.1
--------------------
* Змінені Flattr обліковий запис
* Покращений вигляд екрану з інформацією о каналах
* AntennaPod тепер з відкритим кодом! Код доступний за адресою https://github.com/danieloeh/AntennaPod
Версія 0.9.1
-----------------
* Додана підтримка посилань в простих главах
* Виправлено відображення поточної глави
Версія 0.9
--------------
* Експорт в OPML
* Інтеграція з Flattr
* Таймер сну
Версія 0.8.2
-------------
* Додано пошук
* Покращено процес імпорта з OPML
* Виправлення помилок
Версія 0.8.1
------------
* Додана підтримка простих глав
* OPML імпорт

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,363 +0,0 @@
Change Log
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
* Improved sleep timer
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
* Usability improvements
* Bug fixes
Version 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* Reduced space used by images
* Automatic refresh at a certain time of day
* Customizable indicators and sorting for feeds
* Ability to share feeds
* Improved auto download
* Many fixes and usability improvements
Version 1.2
-----------
* Optionally disable swiping and dragging in the queue
* Resume playback after phone call
* Filter episodes in the Podcast feed
* Hide items in the Nav drawer
* Customize times for fast forward and rewind
* Resolved issues with opening some OPML files
* Various bug fixes and usability improvements
Version 1.1
-----------
* iTunes podcast integration
* Swipe to remove items from the queue
* Set the number of parallel downloads
* Fix for gpodder.net on old devices
* Fixed date problems for some feeds
* Display improvements
* Usability improvements
* Several other bugfixes
Version 1.0
-----------
* The queue can now be sorted
* Added option to delete episode after playback
* Fixed a bug that caused chapters to be displayed multiple times
* Several other improvements and bugfixes
Version 0.9.9.6
---------------
* Fixed problems related to variable playback speed plugins
* Fixed automatic feed update problems
* Several other bugfixes and improvements
Version 0.9.9.5
---------------
* Added support for paged feeds
* Improved user interface
* Added Japanese and Turkish translations
* Fixed more image loading problems
* Other bugfixes and improvements
Version 0.9.9.4
---------------
* Added option to keep notification and lockscreen controls when playback is paused
* Fixed a bug where episode images were not loaded correctly
* Fixed battery usage problems
Version 0.9.9.3
---------------
* Fixed video playback problems
* Improved image loading
* Other bugfixes and improvements
Version 0.9.9.2
---------------
* Added support for feed discovery if a website URL is entered
* Added support for 'next'/'previous' media keys
* Improved sleep timer
* Timestamps in shownotes can now be used to jump to a specific position
* Automatic Flattring is now configurable
* Several bugfixes and improvements
Version 0.9.9.1
---------------
* Several bugfixes and improvements
Version 0.9.9.0
---------------
* New user interface
* Failed downloads are now resumed when restarted
* Added support for Podlove Alternate Feeds
* Added support for "pcast"-protocol
* Added backup & restore functionality. This feature has to be enabled in the Android settings in order to work
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
Version 0.9.7.5
---------------
* Reduced application startup time
* Reduced memory usage
* Added option to change the playback speed
* Added Swedish translation
* Several bugfixes and improvements
Version 0.9.7.4
---------------
* Episode cache size can now be set to unlimited
* Removing an episode in the queue via sliding can now be undone
* Added support for Links in MP3 chapters
* Added Czech(Czech Republic), Azerbaijani and Portuguese translations
* Several bugfixes and improvements
Version 0.9.7.3
---------------
* Bluetooth devices now display metadata during playback (requires AVRCP 1.3 or higher)
* User interface improvements
* Several bugfixes
Version 0.9.7.2
---------------
* Automatic download can now be disabled
* Added Italian (Italy) translation
* Several bugfixes
Version 0.9.7.1
---------------
* Added automatic download of new episodes
* Added option to specify the number of downloaded episodes to keep on the device
* Added support for playback of external media files
* Several improvements and bugfixes
* Added Catalan translation
Version 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
Version 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
Version 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* Reduced memory usage
* Added support for more feed types
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
Version 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
Version 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
Version 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
Version 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
Version 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
* Fixed download problems on some devices
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* Added grid view for large screens
* Several bugfixes
Version 0.9.3
-------------
* MiroGuide integration
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
Version 0.9.2
-------------
* Bugfixes in the user interface
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
Version 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
Version 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,11 +0,0 @@
* New features:
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing

View File

@ -1,364 +0,0 @@
更新日志
==========
Version 1.6.0
-------------
* New features:
* Experimental Chromecast support
* Subscription overview
* Proxy support
* Statistics
* Manual gpodder.net sync
* Fixes:
* Audioplayer controls
* Audio ducking
* Video control fade-out
* External media controls
* Feed parsing
Version 1.5.0
-------------
* Exclude episodes from auto download by keyword
* Configure feeds to prevent them from refreshing automatically
* Improved audio player
* Improved UI
* Bug fixes
Version 1.4.1
-------------
* Performance improvements
* Hardware buttons now ff and rewind instead of skipping
* Option to have forward button skip
* Option to send crash reports directly to developers
* Highlight currently playing episode
* Widget improvements
Version 1.4.0.12
----------------
* Fix for crash on Huawei devices (media buttons may not work)
Version 1.4
-----------
* BLUETOOTH PERMISSION: Needed to be able to resume playback when a Bluetooth device reconnects with your phone
* VIBRATE PERMISSION: Used optionally with the sleep timer
* Native variable speed playback (experimental via options)
改进了休眠计时器
* Mark episodes as 'favorite'
* Notification can skip episodes
* Keep episodes when skipping them
* Episode art on lock screen
* Flexible episode cleanup
* Rewind after pause
改进的可用性
* Bug fixes
版本 1.3
-----------
* Bulk actions on feed episodes (download, queue, delete)
* 减少图像空间占用
* 在一天中的某个时刻自动刷新
* 自定义订阅的显示方式和排序
* 能够分享订阅
* 改进自动下载
* 大量修复和可用性改进
版本 1.2
-----------
* 可以选择在队列中禁用滑动和拖拽
* 挂断电话后恢复播放
* 过滤播客订阅中的曲目
* 隐藏导航抽屉中的项目
* 自定义快进和回退的时间
* 解决打开某些 OPML 文件时发生的问题
* 修复多种 bug 及可用性改进
版本 1.1
-----------
整合 iTunes 播客
滑动移除出播放列表
设置同时下载的数目
修复旧机型上对 gpodder.net 的支持
修复某些源上的日期问题
改进的显示效果
改进的可用性
数个其他改进
版本 1.0
-----------
现在可以排序播放列表了
增加了一个播放完成后自动删除播客的选项
修复了一个导致重复显示播放章节的问题
几个其他的改进和问题修复
版本 0.9.9.6
---------------
修复了关于播放速度插件的问题
修复了 atmo feed 更新的问题
数个其他改进和问题修复
版本 0.9.9.5
---------------
增加支持了按页显示的源
* Improved user interface
增加了日语和土耳其语翻译
修复了几个图像加载问题
* Other bugfixes and improvements
版本 0.9.9.4
---------------
增加了一个在暂停时保持通知和锁屏界面的控制的选项
修复了一个播客图像不能正确载入的问题
修复了电池用量问题
版本 0.9.9.3
---------------
修复了数个视频播放问题
改进了图像载入
* Other bugfixes and improvements
版本0.9.9.2
---------------
增加了自动发现 URL 中源的功能
增加了对媒体中「下一个 \ 上一个」的支持
改进了休眠计时器
现在可以用时间戳将播放跳跃到指定时间了
现在可以设置自动赞助了
* Several bugfixes and improvements
版本 0.9.9.1
---------------
* Several bugfixes and improvements
版本 0.9.9.0
---------------
* 全新的用户界面
* 重新启动后恢复上次下载错误的任务
* 增加对 Podlove Alternate Feeds 的支持
* 增加对 pcast 协议的支持
* 增加了备份和删除功能。本功能需要在系统设置中启用来进行使用
* Several bugfixes and improvements
Version 0.9.8.3
---------------
* Added support for password-protected feeds and episodes
* Added support for more types of episode images
* Added Hebrew translation
* Several bugfixes and improvements
Version 0.9.8.2
---------------
* Several bugfixes and improvements
* Added Korean translation
Version 0.9.8.1
---------------
* Added option to flattr an episode automatically after 80 percent of the episode have been played
* Added Polish translation
* Several bugfixes and improvements
Version 0.9.8.0
---------------
* Added access to the gpodder.net directory
* Added ability to sync podcast subscriptions with the gpodder.net service
* Automatic download can now be turned on or off for specific podcasts
* Added option to pause playback when another app is playing sounds
* Added Dutch and Hindi translation
* Resolved a problem with automatic podcast updates
* Resolved a problem with the buttons' visibility in the episode screen
* Resolved a problem where episodes would be re-downloaded unnecessarily
* Several other bugfixes and usability improvements
版本 0.9.7.5
---------------
* 减少应用起点时间
* 减少内存使用
* 添加更改播放速度选项
* 添加瑞典语翻译
* Several bugfixes and improvements
版本 0.9.7.4
---------------
* 曲目缓存大小可被设置成无限大
* 删除的播放列表中的曲目可通过滑动撤销
* Added support for Links in MP3 chapters
* 添加捷克语(捷克共和国), 阿塞拜疆语和葡萄牙语翻译
* Several bugfixes and improvements
版本 0.9.7.3
---------------
* 蓝牙设备播放期间显示元数据(需要 AVRCP 1.3 或更高版本)
* 用户界面改进
* Several bugfixes
版本 0.9.7.2
---------------
* 自动下载可被禁用
增加了意大利语翻译
* Several bugfixes
版本 0.9.7.1
---------------
* 添加自动下载新曲目
* 添加
增加对外接存储的媒体文件播放支持
改进并且修正了一些bug
增加加泰罗尼亚语翻译
版本 0.9.7
-------------
* Improved user interface
* OPML files can now be imported by selecting them in a file browser
* The queue can now be organized via drag & drop
* Added expandable notifications (only supported on Android 4.1 and above)
* Added Danish, French, Romanian (Romania) and Ukrainian (Ukraine) translation (thanks to all translators!)
* Several bugfixes and minor improvements
版本 0.9.6.4
---------------
* Added Chinese translation (Thanks tupunco!)
* Added Portuguese (Brazil) translation (Thanks mbaltar!)
* Several bugfixes
版本 0.9.6.3
---------------
* Added the ability change the location of AntennaPod's data folder
* Added Spanish translation (Thanks frandavid100!)
* Solved problems with several feeds
Version 0.9.6.2
---------------
* Fixed import problems with some OPML files
* Fixed download problems
* AntennaPod now recognizes changes of episode information
* Other improvements and bugfixes
Version 0.9.6.1
---------------
* Added dark theme
* Several bugfixes and improvements
Version 0.9.6
-------------
* Added support for VorbisComment chapters
* AntennaPod now shows items as 'in progress' when playback has started
* 减少内存使用
* 增加更多订阅类型的支持
* Several bugfixes
Version 0.9.5.3
---------------
* Fixed crash when trying to start playback on some devices
* Fixed problems with some feeds
* Other bugfixes and improvements
Version 0.9.5.2
---------------
* Media player now doesn't use network bandwidth anymore if not in use
* Other improvements and bugfixes
Version 0.9.5.1
---------------
* Added playback history
* Improved behavior of download report notifications
* Improved support for headset controls
* Bugfixes in the feed parser
* Moved 'OPML import' button into the 'add feed' screen and the 'OPML export' button into the settings screen
版本 0.9.5
-------------
* Experimental support for MP3 chapters
* New menu options for the 'new' list and the queue
* Auto-delete feature
* Better Download error reports
* Several Bugfixes
版本 0.9.4.6
---------------
* Enabled support for small-screen devices
* Disabling the sleep timer should now work again
版本 0.9.4.5
---------------
* Added Russian translation (Thanks older!)
* Added German translation
* Several bugfixes
版本 0.9.4.4
---------------
* Added player controls at the bottom of the main screen and the feedlist screens
* Improved media playback
版本 0.9.4.3
---------------
* Fixed several bugs in the feed parser
* Improved behavior of download reports
Version 0.9.4.2
---------------
* Fixed bug in the OPML importer
* Reduced memory usage of images
解决一些设备上的下载问题
Version 0.9.4.1
---------------
* Changed behavior of download notifications
Version 0.9.4
-------------
* Faster and more reliable downloads
* Added lockscreen player controls for Android 4.x devices
* Several bugfixes
Version 0.9.3.1
---------------
* Added preference to hide feed items which don't have an episode
* Improved image size for some some screen sizes
* 为大屏幕增加了网格视图
* Several bugfixes
Version 0.9.3
-------------
* 整合 Miro 指南 (MiroGuide)
* Bugfixes in the audio- and videoplayer
* Automatically add feeds to the queue when they have been downloaded
版本 0.9.2
-------------
* 修复一些用户界面的 BUG
* GUID and ID attributes are now recognized by the Feedparser
* Stability improvements when adding several feeds at the same time
* Fixed bugs that occured when adding certain feeds
Version 0.9.1.1
--------------------
* Changed Flattr credentials
* Improved layout of Feed information screen
* AntennaPod is now open source! The source code is available at https://github.com/danieloeh/AntennaPod
Version 0.9.1
-----------------
* Added support for links in SimpleChapters
* Bugfix: Current Chapter wasn't always displayed correctly
Version 0.9
--------------
* OPML export
* Flattr integration
* Sleep timer
版本 0.8.2
-------------
* Added search
* Improved OPML import experience
* More bugfixes
版本 0.8.1
------------
* Added support for SimpleChapters
* OPML import

View File

@ -1,4 +1,5 @@
<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
<external-path name="external_files" path="."/>
<external-path name="external_storage" path="."/>
<root-path name="external_files" path="/storage/" />
</paths>

View File

@ -130,4 +130,12 @@ public class DateUtilsTest extends AndroidTestCase {
Date actual = DateUtils.parse("Thu, 8 Oct 2014 09:00:00 GMT"); // actually a Wednesday
assertEquals(expected, actual);
}
public void testParseDateWithBadAbbreviation() {
GregorianCalendar exp1 = new GregorianCalendar(2014, 8, 8, 0, 0, 0);
exp1.setTimeZone(TimeZone.getTimeZone("GMT"));
Date expected = new Date(exp1.getTimeInMillis());
Date actual = DateUtils.parse("Mon, 8 Sept 2014 00:00:00 GMT"); // should be Sep
assertEquals(expected, actual);
}
}

View File

@ -27,11 +27,13 @@ public abstract class Chapter extends FeedComponent {
}
public static Chapter fromCursor(Cursor cursor, FeedItem item) {
int indexId = cursor.getColumnIndex(PodDBAdapter.KEY_ID);
int indexTitle = cursor.getColumnIndex(PodDBAdapter.KEY_TITLE);
int indexStart = cursor.getColumnIndex(PodDBAdapter.KEY_START);
int indexLink = cursor.getColumnIndex(PodDBAdapter.KEY_LINK);
int indexChapterType = cursor.getColumnIndex(PodDBAdapter.KEY_CHAPTER_TYPE);
long id = cursor.getLong(indexId);
String title = cursor.getString(indexTitle);
long start = cursor.getLong(indexStart);
String link = cursor.getString(indexLink);
@ -49,6 +51,7 @@ public abstract class Chapter extends FeedComponent {
chapter = new VorbisCommentChapter(start, title, item, link);
break;
}
chapter.setId(id);
return chapter;
}

View File

@ -1,6 +1,7 @@
package de.danoeh.antennapod.core.feed;
import android.database.Cursor;
import android.support.annotation.NonNull;
import android.support.annotation.Nullable;
import org.apache.commons.lang3.builder.ToStringBuilder;

View File

@ -389,16 +389,19 @@ public class FeedMedia extends FeedFile implements Playable {
if (item == null && itemID != 0) {
item = DBReader.getFeedItem(itemID);
}
if (item == null || item.getChapters() != null) {
return;
}
// check if chapters are stored in db and not loaded yet.
if (item != null && item.hasChapters() && item.getChapters() == null) {
if (item.hasChapters()) {
DBReader.loadChaptersOfFeedItem(item);
} else if (item != null && item.getChapters() == null) {
} else {
if(localFileAvailable()) {
ChapterUtils.loadChaptersFromFileUrl(this);
} else {
ChapterUtils.loadChaptersFromStreamUrl(this);
}
if (getChapters() != null && item != null) {
if (item.getChapters() != null) {
DBWriter.setFeedItem(item);
}
}

View File

@ -976,7 +976,9 @@ public class DownloadService extends Service {
media.checkEmbeddedPicture(); // enforce check
// check if file has chapters
ChapterUtils.loadChaptersFromFileUrl(media);
if(media.getItem() != null && !media.getItem().hasChapters()) {
ChapterUtils.loadChaptersFromFileUrl(media);
}
// Get duration
MediaMetadataRetriever mmr = new MediaMetadataRetriever();

View File

@ -446,7 +446,7 @@ public class PlaybackService extends MediaBrowserServiceCompat {
Log.d(TAG, "OnStartCommand called");
final int keycode = intent.getIntExtra(MediaButtonReceiver.EXTRA_KEYCODE, -1);
final boolean castDisconnect = intent.getBooleanExtra(EXTRA_CAST_DISCONNECT, false);
final Playable playable = intent.getParcelableExtra(EXTRA_PLAYABLE);
Playable playable = intent.getParcelableExtra(EXTRA_PLAYABLE);
if (keycode == -1 && playable == null && !castDisconnect) {
Log.e(TAG, "PlaybackService was started with no arguments");
stopSelf();
@ -471,6 +471,9 @@ public class PlaybackService extends MediaBrowserServiceCompat {
sendNotificationBroadcast(NOTIFICATION_TYPE_RELOAD, 0);
//If the user asks to play External Media, the casting session, if on, should end.
flavorHelper.castDisconnect(playable instanceof ExternalMedia);
if(playable instanceof FeedMedia){
playable = (Playable) DBReader.getFeedMedia(((FeedMedia)playable).getId());
}
mediaPlayer.playMediaObject(playable, stream, startWhenPrepared, prepareImmediately);
}
}
@ -893,7 +896,7 @@ public class PlaybackService extends MediaBrowserServiceCompat {
}
// Delete episode if enabled
if (item.getFeed().getPreferences().getCurrentAutoDelete() &&
!(item.isTagged(FeedItem.TAG_FAVORITE) && UserPreferences.shouldFavoriteKeepEpisode())) {
(!item.isTagged(FeedItem.TAG_FAVORITE) || !UserPreferences.shouldFavoriteKeepEpisode())) {
DBWriter.deleteFeedMediaOfItem(PlaybackService.this, media.getId());
Log.d(TAG, "Episode Deleted");
}

View File

@ -811,31 +811,8 @@ public final class DBReader {
}
item.setChapters(new ArrayList<>(chaptersCount));
while (cursor.moveToNext()) {
int indexType = cursor.getColumnIndex(PodDBAdapter.KEY_CHAPTER_TYPE);
int indexStart = cursor.getColumnIndex(PodDBAdapter.KEY_START);
int indexTitle = cursor.getColumnIndex(PodDBAdapter.KEY_TITLE);
int indexLink = cursor.getColumnIndex(PodDBAdapter.KEY_LINK);
int chapterType = cursor.getInt(indexType);
Chapter chapter = null;
long start = cursor.getLong(indexStart);
String title = cursor.getString(indexTitle);
String link = cursor.getString(indexLink);
switch (chapterType) {
case SimpleChapter.CHAPTERTYPE_SIMPLECHAPTER:
chapter = new SimpleChapter(start, title, item, link);
break;
case ID3Chapter.CHAPTERTYPE_ID3CHAPTER:
chapter = new ID3Chapter(start, title, item, link);
break;
case VorbisCommentChapter.CHAPTERTYPE_VORBISCOMMENT_CHAPTER:
chapter = new VorbisCommentChapter(start, title, item, link);
break;
}
Chapter chapter = Chapter.fromCursor(cursor, item);
if (chapter != null) {
int indexId = cursor.getColumnIndex(PodDBAdapter.KEY_ID);
chapter.setId(cursor.getLong(indexId));
item.getChapters().add(chapter);
}
}

View File

@ -1,5 +1,7 @@
package de.danoeh.antennapod.core.util;
import android.support.annotation.NonNull;
import android.support.annotation.Nullable;
import android.util.Log;
import org.apache.commons.io.IOUtils;
@ -14,7 +16,6 @@ import java.net.URL;
import java.util.Collections;
import java.util.List;
import de.danoeh.antennapod.core.BuildConfig;
import de.danoeh.antennapod.core.feed.Chapter;
import de.danoeh.antennapod.core.util.comparator.ChapterStartTimeComparator;
import de.danoeh.antennapod.core.util.id3reader.ChapterReader;
@ -27,55 +28,74 @@ import de.danoeh.antennapod.core.util.vorbiscommentreader.VorbisCommentReaderExc
* Utility class for getting chapter data from media files.
*/
public class ChapterUtils {
private static final String TAG = "ChapterUtils";
private ChapterUtils() {
}
@Nullable
public static Chapter getCurrentChapter(Playable media) {
if (media.getChapters() == null) {
return null;
}
List<Chapter> chapters = media.getChapters();
if (chapters == null) {
return null;
}
Chapter current = chapters.get(0);
for (Chapter sc : chapters) {
if (sc.getStart() > media.getPosition()) {
break;
} else {
current = sc;
}
}
return current;
}
public static void loadChaptersFromStreamUrl(Playable media) {
ChapterUtils.readID3ChaptersFromPlayableStreamUrl(media);
if (media.getChapters() == null) {
ChapterUtils.readOggChaptersFromPlayableStreamUrl(media);
}
}
public static void loadChaptersFromFileUrl(Playable media) {
if (!media.localFileAvailable()) {
Log.e(TAG, "Could not load chapters from file url: local file not available");
return;
}
ChapterUtils.readID3ChaptersFromPlayableFileUrl(media);
if (media.getChapters() == null) {
ChapterUtils.readOggChaptersFromPlayableFileUrl(media);
}
}
/**
* Uses the download URL of a media object of a feeditem to read its ID3
* chapters.
*/
public static void readID3ChaptersFromPlayableStreamUrl(Playable p) {
if (p != null && p.getStreamUrl() != null) {
if (BuildConfig.DEBUG)
Log.d(TAG, "Reading id3 chapters from item " + p.getEpisodeTitle());
InputStream in = null;
try {
URL url = new URL(p.getStreamUrl());
ChapterReader reader = new ChapterReader();
private static void readID3ChaptersFromPlayableStreamUrl(Playable p) {
if (p == null || p.getStreamUrl() == null) {
Log.e(TAG, "Unable to read ID3 chapters: media or download URL was null");
return;
}
Log.d(TAG, "Reading id3 chapters from item " + p.getEpisodeTitle());
InputStream in = null;
try {
URL url = new URL(p.getStreamUrl());
in = url.openStream();
reader.readInputStream(in);
List<Chapter> chapters = reader.getChapters();
if (chapters != null) {
Collections
.sort(chapters, new ChapterStartTimeComparator());
processChapters(chapters, p);
if (chaptersValid(chapters)) {
p.setChapters(chapters);
Log.i(TAG, "Chapters loaded");
} else {
Log.e(TAG, "Chapter data was invalid");
}
} else {
Log.i(TAG, "ChapterReader could not find any ID3 chapters");
}
} catch (IOException | ID3ReaderException e) {
e.printStackTrace();
} finally {
if (in != null) {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
in = url.openStream();
List<Chapter> chapters = readChaptersFrom(in);
if(!chapters.isEmpty()) {
p.setChapters(chapters);
}
} else {
Log.e(TAG,
"Unable to read ID3 chapters: media or download URL was null");
Log.i(TAG, "Chapters loaded");
} catch (IOException | ID3ReaderException e) {
Log.e(TAG, Log.getStackTraceString(e));
} finally {
IOUtils.closeQuietly(in);
}
}
@ -83,107 +103,104 @@ public class ChapterUtils {
* Uses the file URL of a media object of a feeditem to read its ID3
* chapters.
*/
public static void readID3ChaptersFromPlayableFileUrl(Playable p) {
if (p != null && p.localFileAvailable() && p.getLocalMediaUrl() != null) {
if (BuildConfig.DEBUG)
Log.d(TAG, "Reading id3 chapters from item " + p.getEpisodeTitle());
File source = new File(p.getLocalMediaUrl());
if (source.exists()) {
ChapterReader reader = new ChapterReader();
InputStream in = null;
private static void readID3ChaptersFromPlayableFileUrl(Playable p) {
if (p == null || !p.localFileAvailable() || p.getLocalMediaUrl() == null) {
return;
}
Log.d(TAG, "Reading id3 chapters from item " + p.getEpisodeTitle());
File source = new File(p.getLocalMediaUrl());
if (!source.exists()) {
Log.e(TAG, "Unable to read id3 chapters: Source doesn't exist");
return;
}
try {
in = new BufferedInputStream(new FileInputStream(source));
reader.readInputStream(in);
List<Chapter> chapters = reader.getChapters();
if (chapters != null) {
Collections.sort(chapters,
new ChapterStartTimeComparator());
processChapters(chapters, p);
if (chaptersValid(chapters)) {
p.setChapters(chapters);
Log.i(TAG, "Chapters loaded");
} else {
Log.e(TAG, "Chapter data was invalid");
}
} else {
Log.i(TAG,
"ChapterReader could not find any ID3 chapters");
}
} catch (IOException | ID3ReaderException e) {
e.printStackTrace();
} finally {
if (in != null) {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
} else {
Log.e(TAG, "Unable to read id3 chapters: Source doesn't exist");
InputStream in = null;
try {
in = new BufferedInputStream(new FileInputStream(source));
List<Chapter> chapters = readChaptersFrom(in);
if (!chapters.isEmpty()) {
p.setChapters(chapters);
}
Log.i(TAG, "Chapters loaded");
} catch (IOException | ID3ReaderException e) {
Log.e(TAG, Log.getStackTraceString(e));
} finally {
IOUtils.closeQuietly(in);
}
}
public static void readOggChaptersFromPlayableStreamUrl(Playable media) {
if (media != null && media.streamAvailable()) {
@NonNull
private static List<Chapter> readChaptersFrom(InputStream in) throws IOException, ID3ReaderException {
ChapterReader reader = new ChapterReader();
reader.readInputStream(in);
List<Chapter> chapters = reader.getChapters();
if (chapters == null) {
Log.i(TAG, "ChapterReader could not find any ID3 chapters");
return Collections.emptyList();
}
Collections.sort(chapters, new ChapterStartTimeComparator());
enumerateEmptyChapterTitles(chapters);
if (!chaptersValid(chapters)) {
Log.e(TAG, "Chapter data was invalid");
return Collections.emptyList();
}
return chapters;
}
private static void readOggChaptersFromPlayableStreamUrl(Playable media) {
if (media == null || !media.streamAvailable()) {
return;
}
InputStream input = null;
try {
URL url = new URL(media.getStreamUrl());
input = url.openStream();
if (input != null) {
readOggChaptersFromInputStream(media, input);
}
} catch (IOException e) {
Log.e(TAG, Log.getStackTraceString(e));
} finally {
IOUtils.closeQuietly(input);
}
}
private static void readOggChaptersFromPlayableFileUrl(Playable media) {
if (media == null || media.getLocalMediaUrl() == null) {
return;
}
File source = new File(media.getLocalMediaUrl());
if (source.exists()) {
InputStream input = null;
try {
URL url = new URL(media.getStreamUrl());
input = url.openStream();
if (input != null) {
readOggChaptersFromInputStream(media, input);
}
} catch (IOException e) {
e.printStackTrace();
input = new BufferedInputStream(new FileInputStream(source));
readOggChaptersFromInputStream(media, input);
} catch (FileNotFoundException e) {
Log.e(TAG, Log.getStackTraceString(e));
} finally {
IOUtils.closeQuietly(input);
}
}
}
public static void readOggChaptersFromPlayableFileUrl(Playable media) {
if (media != null && media.getLocalMediaUrl() != null) {
File source = new File(media.getLocalMediaUrl());
if (source.exists()) {
InputStream input = null;
try {
input = new BufferedInputStream(new FileInputStream(source));
readOggChaptersFromInputStream(media, input);
} catch (FileNotFoundException e) {
e.printStackTrace();
} finally {
IOUtils.closeQuietly(input);
}
}
}
}
private static void readOggChaptersFromInputStream(Playable p,
InputStream input) {
if (BuildConfig.DEBUG)
Log.d(TAG,
"Trying to read chapters from item with title "
+ p.getEpisodeTitle());
private static void readOggChaptersFromInputStream(Playable p, InputStream input) {
Log.d(TAG, "Trying to read chapters from item with title " + p.getEpisodeTitle());
try {
VorbisCommentChapterReader reader = new VorbisCommentChapterReader();
reader.readInputStream(input);
List<Chapter> chapters = reader.getChapters();
if (chapters != null) {
Collections.sort(chapters, new ChapterStartTimeComparator());
processChapters(chapters, p);
if (chaptersValid(chapters)) {
p.setChapters(chapters);
Log.i(TAG, "Chapters loaded");
} else {
Log.e(TAG, "Chapter data was invalid");
}
if (chapters == null) {
Log.i(TAG, "ChapterReader could not find any Ogg vorbis chapters");
return;
}
Collections.sort(chapters, new ChapterStartTimeComparator());
enumerateEmptyChapterTitles(chapters);
if (chaptersValid(chapters)) {
p.setChapters(chapters);
Log.i(TAG, "Chapters loaded");
} else {
Log.i(TAG,
"ChapterReader could not find any Ogg vorbis chapters");
Log.e(TAG, "Chapter data was invalid");
}
} catch (VorbisCommentReaderException e) {
e.printStackTrace();
@ -193,7 +210,7 @@ public class ChapterUtils {
/**
* Makes sure that chapter does a title and an item attribute.
*/
private static void processChapters(List<Chapter> chapters, Playable p) {
private static void enumerateEmptyChapterTitles(List<Chapter> chapters) {
for (int i = 0; i < chapters.size(); i++) {
Chapter c = chapters.get(i);
if (c.getTitle() == null) {
@ -207,9 +224,6 @@ public class ChapterUtils {
return false;
}
for (Chapter c : chapters) {
if (c.getTitle() == null) {
return false;
}
if (c.getStart() < 0) {
return false;
}
@ -217,49 +231,4 @@ public class ChapterUtils {
return true;
}
/**
* Calls getCurrentChapter with current position.
*/
public static Chapter getCurrentChapter(Playable media) {
if (media.getChapters() != null) {
List<Chapter> chapters = media.getChapters();
Chapter current = null;
if (chapters != null) {
current = chapters.get(0);
for (Chapter sc : chapters) {
if (sc.getStart() > media.getPosition()) {
break;
} else {
current = sc;
}
}
}
return current;
} else {
return null;
}
}
public static void loadChaptersFromStreamUrl(Playable media) {
if (BuildConfig.DEBUG)
Log.d(TAG, "Starting chapterLoader thread");
ChapterUtils.readID3ChaptersFromPlayableStreamUrl(media);
if (media.getChapters() == null) {
ChapterUtils.readOggChaptersFromPlayableStreamUrl(media);
}
if (BuildConfig.DEBUG)
Log.d(TAG, "ChapterLoaderThread has finished");
}
public static void loadChaptersFromFileUrl(Playable media) {
if (media.localFileAvailable()) {
ChapterUtils.readID3ChaptersFromPlayableFileUrl(media);
if (media.getChapters() == null) {
ChapterUtils.readOggChaptersFromPlayableFileUrl(media);
}
} else {
Log.e(TAG, "Could not load chapters from file url: local file not available");
}
}
}

View File

@ -33,6 +33,9 @@ public class DateUtils {
date = date.replaceAll("CEST$", "+02:00");
date = date.replaceAll("CET$", "+01:00");
// some generators use "Sept" for September
date = date.replaceAll("\\bSept\\b", "Sep");
// if datetime is more precise than seconds, make sure the value is in ms
if (date.contains(".")) {
int start = date.indexOf('.');

View File

@ -1,10 +1,9 @@
package de.danoeh.antennapod.core.util;
import org.apache.commons.lang3.ArrayUtils;
import android.text.TextUtils;
import java.util.Arrays;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.apache.commons.lang3.ArrayUtils;
import org.apache.commons.lang3.RandomStringUtils;
/** Generates valid filenames for a given string. */
public class FileNameGenerator {
@ -33,7 +32,11 @@ public class FileNameGenerator {
buf.append(c);
}
}
return buf.toString().trim();
String filename = buf.toString().trim();
if(TextUtils.isEmpty(filename)) {
return RandomStringUtils.randomAlphanumeric(8);
}
return filename;
}
}

View File

@ -72,7 +72,7 @@ public class ShareUtils {
public static void shareFeedItemFile(Context context, FeedMedia media) {
Intent i = new Intent(Intent.ACTION_SEND);
i.setType(media.getMime_type());
Uri fileUri = FileProvider.getUriForFile(context, "de.danoeh.antennapod.provider",
Uri fileUri = FileProvider.getUriForFile(context, context.getString(R.string.provider_authority),
new File(media.getLocalMediaUrl()));
i.putExtra(Intent.EXTRA_STREAM, fileUri);
i.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
@ -84,6 +84,6 @@ public class ShareUtils {
}
}
context.startActivity(Intent.createChooser(i, context.getString(R.string.share_file_label)));
Log.e(TAG, "Foo");
Log.e(TAG, "shareFeedItemFile called");
}
}

View File

@ -27,20 +27,20 @@ public class ChapterReader extends ID3Reader {
@Override
public int onStartTagHeader(TagHeader header) {
chapters = new ArrayList<>();
System.out.println(header.toString());
Log.d(TAG, "header: " + header);
return ID3Reader.ACTION_DONT_SKIP;
}
@Override
public int onStartFrameHeader(FrameHeader header, InputStream input)
throws IOException, ID3ReaderException {
System.out.println(header.toString());
Log.d(TAG, "header: " + header);
switch (header.getId()) {
case FRAME_ID_CHAPTER:
if (currentChapter != null) {
if (!hasId3Chapter(currentChapter)) {
chapters.add(currentChapter);
if (BuildConfig.DEBUG) Log.d(TAG, "Found chapter: " + currentChapter);
Log.d(TAG, "Found chapter: " + currentChapter);
currentChapter = null;
}
}
@ -59,7 +59,7 @@ public class ChapterReader extends ID3Reader {
readString(title, input, header.getSize());
currentChapter
.setTitle(title.toString());
if (BuildConfig.DEBUG) Log.d(TAG, "Found title: " + currentChapter.getTitle());
Log.d(TAG, "Found title: " + currentChapter.getTitle());
return ID3Reader.ACTION_DONT_SKIP;
}
@ -74,7 +74,7 @@ public class ChapterReader extends ID3Reader {
currentChapter.setLink(decodedLink);
if (BuildConfig.DEBUG) Log.d(TAG, "Found link: " + currentChapter.getLink());
Log.d(TAG, "Found link: " + currentChapter.getLink());
return ID3Reader.ACTION_DONT_SKIP;
}
break;
@ -102,17 +102,17 @@ public class ChapterReader extends ID3Reader {
chapters.add(currentChapter);
}
}
System.out.println("Reached end of tag");
Log.d(TAG, "Reached end of tag");
if (chapters != null) {
for (Chapter c : chapters) {
System.out.println(c.toString());
Log.d(TAG, "chapter: " + c);
}
}
}
@Override
public void onNoTagHeaderFound() {
System.out.println("No tag header found");
Log.d(TAG, "No tag header found");
super.onNoTagHeaderFound();
}