3 Commits
1.0 ... 1.1.1

Author SHA1 Message Date
098828d8d5 feat: Повышение стабильности приложения, обновление зависимостей и доработка интерфейса
Этот коммит включает ряд улучшений по всему приложению:

Стабильность:
- Реализована null-безопасность для getArguments() в ChatListFragment, чтобы предотвратить NullPointerException.
- Устранено предупреждение о непроверенном приведении типов в ChatListFragment с использованием @SuppressWarnings("unchecked").
- Обеспечено корректное управление ресурсами: объект Response в VkApiClient обёрнут в try-with-resources для предотвращения утечек ресурсов.

Управление зависимостями:
- Проект обновлён до Java 17 для повышения производительности и использования современных возможностей языка.
- Все прямые объявления зависимостей перенесены в Gradle Version Catalog (libs.versions.toml) для лучшей организации и упрощённого управления внешними библиотеками.

Пользовательский интерфейс:
- Улучшено визуальное отображение ViewPager2 в activity_main.xml путём добавления горизонтальных отступов для более сбалансированного макета.
- В MultiLinkDialog заменён LayoutInflater.from(requireContext()) на getLayoutInflater() для лучшего соответствия жизненному циклу Fragment.
2026-01-17 22:51:58 +03:00
56c5100557 Версия 1.1 2026-01-17 02:58:12 +03:00
6b65ec1bc4 feat: Добавить диалоговое окно "О приложении"
Реализует новый пункт меню "О приложении", который открывает диалоговое окно с информацией о программе.

- В `main_menu.xml` добавлен пункт "About".
- Создан макет `dialog_about.xml` для отображения информации.
- В `MainActivity` добавлена логика для показа диалога, включая динамическое получение версии приложения из `PackageInfo`.
- В `strings.xml` (для en и ru локалей) добавлены строки, содержащие описание, имя создателя и формат версии.
2026-01-17 02:57:26 +03:00
12 changed files with 130 additions and 47 deletions

View File

@@ -12,8 +12,8 @@ android {
applicationId "com.anabasis.vkchatmanager"
minSdk 26
targetSdk 36
versionCode 1
versionName "1.0"
versionCode 3
versionName "1.1.1"
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
}
@@ -25,17 +25,17 @@ android {
}
}
compileOptions {
sourceCompatibility JavaVersion.VERSION_11
targetCompatibility JavaVersion.VERSION_11
sourceCompatibility JavaVersion.VERSION_17
targetCompatibility JavaVersion.VERSION_17
}
}
dependencies {
implementation 'androidx.recyclerview:recyclerview:1.3.2'
implementation 'androidx.viewpager2:viewpager2:1.1.0'
implementation "com.google.android.material:material:1.12.0"
implementation "androidx.swiperefreshlayout:swiperefreshlayout:1.1.0"
implementation 'com.squareup.okhttp3:okhttp:4.12.0'
implementation 'org.json:json:20240303'
implementation libs.recyclerview
implementation libs.viewpager2
implementation libs.material
implementation libs.swiperefreshlayout
implementation libs.okhttp
implementation libs.json
}

View File

@@ -42,10 +42,13 @@ public class ChatListFragment extends Fragment {
@Override
@SuppressWarnings("unchecked")
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
chats = (ArrayList<VkChat>)
getArguments().getSerializable(ARG_CHATS);
Bundle arguments = getArguments();
if (arguments != null) {
chats = (ArrayList<VkChat>) arguments.getSerializable(ARG_CHATS);
}
if (chats == null) chats = new ArrayList<>();
}
@@ -90,11 +93,4 @@ public class ChatListFragment extends Fragment {
if (c.selected) res.add(c);
return res;
}
public void updateChats() {
if (adapter != null) {
adapter.notifyDataSetChanged();
}
}
}

View File

@@ -1,13 +1,17 @@
package com.anabasis.vkchatmanager;
import android.content.Intent;
import android.content.pm.PackageInfo;
import android.content.pm.PackageManager;
import android.os.Bundle;
import android.os.Handler;
import android.os.Looper;
import android.text.Editable;
import android.text.TextWatcher;
import android.view.LayoutInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.TextView;
import android.widget.Toast;
import androidx.activity.result.ActivityResultLauncher;
@@ -188,6 +192,11 @@ public class MainActivity extends AppCompatActivity {
return true;
}
if (id == R.id.action_about) {
showAboutDialog();
return true;
}
if (id == R.id.action_sign_out) {
TokenManager.clear(this);
recreate();
@@ -207,6 +216,30 @@ public class MainActivity extends AppCompatActivity {
/* ===================== UI ===================== */
private void showAboutDialog() {
View dialogView = LayoutInflater.from(this).inflate(R.layout.dialog_about, null);
TextView appNameVersion = dialogView.findViewById(R.id.app_name_version);
TextView appDescription = dialogView.findViewById(R.id.app_description);
TextView appCreator = dialogView.findViewById(R.id.app_creator);
try {
PackageInfo pInfo = getPackageManager().getPackageInfo(getPackageName(), 0);
String version = pInfo.versionName;
appNameVersion.setText(getString(R.string.app_name_version_format, getString(R.string.app_name), version));
} catch (PackageManager.NameNotFoundException e) {
appNameVersion.setText(getString(R.string.app_name));
}
appDescription.setText(R.string.about_description);
appCreator.setText(R.string.about_creator);
new MaterialAlertDialogBuilder(this)
.setView(dialogView)
.setPositiveButton(R.string.ok_button, null)
.show();
}
private void showTokenStatus() {
long exp = TokenManager.expiration(this);
String message;

View File

@@ -2,7 +2,6 @@ package com.anabasis.vkchatmanager.dialogs;
import android.app.Dialog;
import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.widget.EditText;
@@ -33,7 +32,7 @@ public class MultiLinkDialog extends DialogFragment {
@Override
public Dialog onCreateDialog(Bundle savedInstanceState) {
View view = LayoutInflater.from(requireContext()).inflate(R.layout.dialog_multilink, null);
View view = getLayoutInflater().inflate(R.layout.dialog_multilink, null);
EditText input = view.findViewById(R.id.linksInput);
return new MaterialAlertDialogBuilder(requireContext())

View File

@@ -23,20 +23,21 @@ public class VkApiClient {
"&v=5.131";
Request r = new Request.Builder().url(url).build();
Response res = client.newCall(r).execute();
try (Response res = client.newCall(r).execute()) {
String body = res.body().string();
JSONObject json = new JSONObject(body);
String body = res.body().string();
JSONObject json = new JSONObject(body);
if (json.has("error")) {
JSONObject error = json.getJSONObject("error");
if (error.getInt("error_code") == 5) {
throw new TokenExpiredException();
if (json.has("error")) {
JSONObject error = json.getJSONObject("error");
if (error.getInt("error_code") == 5) {
throw new TokenExpiredException();
}
throw new Exception(error.getString("error_msg"));
}
throw new Exception(error.getString("error_msg"));
}
return json;
return json;
}
}
public JSONArray getChats() throws Exception {

View File

@@ -121,7 +121,9 @@
<androidx.viewpager2.widget.ViewPager2
android:id="@+id/pager"
android:layout_width="match_parent"
android:layout_height="match_parent" />
android:layout_height="match_parent"
android:paddingStart="16dp"
android:paddingEnd="16dp" />
</androidx.swiperefreshlayout.widget.SwipeRefreshLayout>
</LinearLayout>
</RelativeLayout>

View File

@@ -0,0 +1,40 @@
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="vertical"
android:padding="24dp"
android:gravity="center_horizontal">
<ImageView
android:id="@+id/app_icon"
android:layout_width="72dp"
android:layout_height="72dp"
android:src="@mipmap/ic_launcher_round"
android:contentDescription="@string/app_name" />
<TextView
android:id="@+id/app_name_version"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="16dp"
android:textAppearance="?attr/textAppearanceTitleLarge"
tools:text="VK Chat Manager v1.0" />
<TextView
android:id="@+id/app_description"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="16dp"
android:gravity="center"
android:textAppearance="?attr/textAppearanceBodyMedium" />
<TextView
android:id="@+id/app_creator"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="24dp"
android:textAppearance="?attr/textAppearanceBodySmall" />
</LinearLayout>

View File

@@ -15,6 +15,9 @@
<item
android:id="@+id/action_token_status"
android:title="@string/action_token_status" />
<item
android:id="@+id/action_about"
android:title="@string/action_about" />
<item
android:id="@+id/action_sign_out"
android:title="@string/action_sign_out" />

View File

@@ -42,5 +42,9 @@
<string name="op_failure_format">❌ %1$s в %2$s: %3$s</string>
<string name="action_sign_out">Выйти</string>
<string name="api_error">Ошибка API: %s</string>
<string name="action_about">О приложении</string>
<string name="token_expired_message">Ваша сессия истекла. Пожалуйста, войдите снова.</string>
<string name="app_name_version_format">%1$s v%2$s</string>
<string name="about_description">Это приложение предназначено для управления чатами ВКонтакте.</string>
<string name="about_creator">Создатель: Александр Денисов</string>
</resources>

View File

@@ -42,5 +42,9 @@
<string name="op_failure_format">❌ %1$s in %2$s: %3$s</string>
<string name="action_sign_out">Sign Out</string>
<string name="api_error">API error: %s</string>
<string name="action_about">About</string>
<string name="token_expired_message">Your session has expired. Please log in again.</string>
<string name="app_name_version_format">%1$s v%2$s</string>
<string name="about_description">This application is designed for managing VK chats.</string>
<string name="about_creator">Created by: Alex Denisov</string>
</resources>

View File

@@ -1,20 +1,20 @@
[versions]
agp = "9.0.0"
coreKtx = "1.17.0"
junit = "4.13.2"
junitVersion = "1.3.0"
espressoCore = "3.7.0"
appcompat = "1.7.1"
material = "1.13.0"
recyclerview = "1.4.0"
viewpager2 = "1.1.0"
swiperefreshlayout = "1.2.0"
okhttp = "5.3.2"
json = "20251224"
[libraries]
androidx-core-ktx = { group = "androidx.core", name = "core-ktx", version.ref = "coreKtx" }
junit = { group = "junit", name = "junit", version.ref = "junit" }
androidx-junit = { group = "androidx.test.ext", name = "junit", version.ref = "junitVersion" }
androidx-espresso-core = { group = "androidx.test.espresso", name = "espresso-core", version.ref = "espressoCore" }
androidx-appcompat = { group = "androidx.appcompat", name = "appcompat", version.ref = "appcompat" }
material = { group = "com.google.android.material", name = "material", version.ref = "material" }
recyclerview = { group = "androidx.recyclerview", name = "recyclerview", version.ref = "recyclerview" }
viewpager2 = { group = "androidx.viewpager2", name = "viewpager2", version.ref = "viewpager2" }
swiperefreshlayout = { group = "androidx.swiperefreshlayout", name = "swiperefreshlayout", version.ref = "swiperefreshlayout" }
okhttp = { group = "com.squareup.okhttp3", name = "okhttp", version.ref = "okhttp" }
json = { group = "org.json", name = "json", version.ref = "json" }
[plugins]
android-application = { id = "com.android.application", version.ref = "agp" }

View File

@@ -11,6 +11,7 @@ pluginManagement {
gradlePluginPortal()
}
}
dependencyResolutionManagement {
repositoriesMode.set(RepositoriesMode.FAIL_ON_PROJECT_REPOS)
repositories {