refactor(android)!: restructure to standard Capacitor plugin layout
Restructure Android project from nested module layout to standard Capacitor plugin structure following community conventions. Structure Changes: - Move plugin code from android/plugin/ to android/src/main/java/ - Move test app from android/app/ to test-apps/android-test-app/app/ - Remove nested android/plugin module structure - Remove nested android/app test app structure Build Infrastructure: - Add Gradle wrapper files (gradlew, gradlew.bat, gradle/wrapper/) - Transform android/build.gradle from root project to library module - Update android/settings.gradle for standalone plugin builds - Add android/gradle.properties with AndroidX configuration - Add android/consumer-rules.pro for ProGuard rules Configuration Updates: - Add prepare script to package.json for automatic builds on npm install - Update package.json version to 1.0.1 - Update android/build.gradle to properly resolve Capacitor dependencies - Update test-apps/android-test-app/settings.gradle with correct paths - Remove android/variables.gradle (hardcode values in build.gradle) Documentation: - Update BUILDING.md with new structure and build process - Update INTEGRATION_GUIDE.md to reflect standard structure - Update README.md to remove path fix warnings - Add test-apps/BUILD_PROCESS.md documenting test app build flows Test App Configuration: - Fix android-test-app to correctly reference plugin and Capacitor - Remove capacitor-cordova-android-plugins dependency (not needed) - Update capacitor.settings.gradle path verification in fix script BREAKING CHANGE: Plugin now uses standard Capacitor Android structure. Consuming apps must update their capacitor.settings.gradle to reference android/ instead of android/plugin/. This is automatically handled by Capacitor CLI for apps using standard plugin installation.
54
android/.gitignore
vendored
@@ -16,13 +16,17 @@
|
||||
bin/
|
||||
gen/
|
||||
out/
|
||||
# Uncomment the following line in case you need and you don't have the release build type files in your app
|
||||
# release/
|
||||
|
||||
# Gradle files
|
||||
.gradle/
|
||||
build/
|
||||
|
||||
# Keep gradle wrapper files - they're needed for builds
|
||||
!gradle/wrapper/gradle-wrapper.jar
|
||||
!gradle/wrapper/gradle-wrapper.properties
|
||||
!gradlew
|
||||
!gradlew.bat
|
||||
|
||||
# Local configuration file (sdk path, etc)
|
||||
local.properties
|
||||
|
||||
@@ -38,19 +42,9 @@ proguard/
|
||||
# Android Studio captures folder
|
||||
captures/
|
||||
|
||||
# IntelliJ
|
||||
# IntelliJ / Android Studio
|
||||
*.iml
|
||||
.idea/workspace.xml
|
||||
.idea/tasks.xml
|
||||
.idea/gradle.xml
|
||||
.idea/assetWizardSettings.xml
|
||||
.idea/dictionaries
|
||||
.idea/libraries
|
||||
# Android Studio 3 in .gitignore file.
|
||||
.idea/caches
|
||||
.idea/modules.xml
|
||||
# Comment next line if keeping position of elements in Navigation Editor is relevant for you
|
||||
.idea/navEditor.xml
|
||||
.idea/
|
||||
|
||||
# Keystore files
|
||||
# Uncomment the following lines if you do not want to check your keystore files in.
|
||||
@@ -64,38 +58,6 @@ captures/
|
||||
# Google Services (e.g. APIs or Firebase)
|
||||
# google-services.json
|
||||
|
||||
# Freeline
|
||||
freeline.py
|
||||
freeline/
|
||||
freeline_project_description.json
|
||||
|
||||
# fastlane
|
||||
fastlane/report.xml
|
||||
fastlane/Preview.html
|
||||
fastlane/screenshots
|
||||
fastlane/test_output
|
||||
fastlane/readme.md
|
||||
|
||||
# Version control
|
||||
vcs.xml
|
||||
|
||||
# lint
|
||||
lint/intermediates/
|
||||
lint/generated/
|
||||
lint/outputs/
|
||||
lint/tmp/
|
||||
# lint/reports/
|
||||
|
||||
# Android Profiling
|
||||
*.hprof
|
||||
|
||||
# Cordova plugins for Capacitor
|
||||
capacitor-cordova-android-plugins
|
||||
|
||||
# Copied web assets
|
||||
app/src/main/assets/public
|
||||
|
||||
# Generated Config files
|
||||
app/src/main/assets/capacitor.config.json
|
||||
app/src/main/assets/capacitor.plugins.json
|
||||
app/src/main/res/xml/config.xml
|
||||
|
||||
69
android/BUILDING.md
Normal file
@@ -0,0 +1,69 @@
|
||||
# Building the Daily Notification Plugin
|
||||
|
||||
## Important: Standalone Build Limitations
|
||||
|
||||
**Capacitor plugins cannot be built standalone** because Capacitor dependencies are npm packages, not Maven artifacts.
|
||||
|
||||
### ✅ Correct Way to Build
|
||||
|
||||
Build the plugin **within a Capacitor app** that uses it:
|
||||
|
||||
```bash
|
||||
# In a consuming Capacitor app (e.g., test-apps/android-test-app or your app)
|
||||
cd /path/to/capacitor-app/android
|
||||
./gradlew assembleDebug
|
||||
|
||||
# Or use Capacitor CLI
|
||||
npx cap sync android
|
||||
npx cap run android
|
||||
```
|
||||
|
||||
### ❌ What Doesn't Work
|
||||
|
||||
```bash
|
||||
# This will fail - Capacitor dependencies aren't in Maven
|
||||
cd android
|
||||
./gradlew assembleDebug
|
||||
```
|
||||
|
||||
### Why This Happens
|
||||
|
||||
1. **Capacitor dependencies are npm packages**, not Maven artifacts
|
||||
2. **Capacitor plugins are meant to be consumed**, not built standalone
|
||||
3. **The consuming app provides Capacitor** as a project dependency
|
||||
4. **When you run `npx cap sync`**, Capacitor sets up the correct dependency structure
|
||||
|
||||
### For Development & Testing
|
||||
|
||||
Use the test app at `test-apps/android-test-app/`:
|
||||
|
||||
```bash
|
||||
cd test-apps/android-test-app
|
||||
npm install
|
||||
npx cap sync android
|
||||
cd android
|
||||
./gradlew assembleDebug
|
||||
```
|
||||
|
||||
The plugin will be built as part of the test app's build process.
|
||||
|
||||
### Gradle Wrapper Purpose
|
||||
|
||||
The gradle wrapper in `android/` is provided for:
|
||||
- ✅ **Syntax checking** - Verify build.gradle syntax
|
||||
- ✅ **Android Studio** - Open the plugin directory in Android Studio for editing
|
||||
- ✅ **Documentation** - Show available tasks and structure
|
||||
- ❌ **Not for standalone builds** - Requires a consuming app context
|
||||
|
||||
### Verifying Build Configuration
|
||||
|
||||
You can verify the build configuration is correct:
|
||||
|
||||
```bash
|
||||
cd android
|
||||
./gradlew tasks # Lists available tasks (may show dependency errors, that's OK)
|
||||
./gradlew clean # Cleans build directory
|
||||
```
|
||||
|
||||
The dependency errors are expected - they confirm the plugin needs a consuming app context.
|
||||
|
||||
@@ -1,153 +0,0 @@
|
||||
package com.timesafari.dailynotification
|
||||
|
||||
import android.content.BroadcastReceiver
|
||||
import android.content.Context
|
||||
import android.content.Intent
|
||||
import android.util.Log
|
||||
import kotlinx.coroutines.CoroutineScope
|
||||
import kotlinx.coroutines.Dispatchers
|
||||
import kotlinx.coroutines.launch
|
||||
|
||||
/**
|
||||
* Boot recovery receiver to reschedule notifications after device reboot
|
||||
* Implements RECEIVE_BOOT_COMPLETED functionality
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.1.0
|
||||
*/
|
||||
class BootReceiver : BroadcastReceiver() {
|
||||
|
||||
companion object {
|
||||
private const val TAG = "DNP-BOOT"
|
||||
}
|
||||
|
||||
override fun onReceive(context: Context, intent: Intent?) {
|
||||
if (intent?.action == Intent.ACTION_BOOT_COMPLETED) {
|
||||
Log.i(TAG, "Boot completed, rescheduling notifications")
|
||||
|
||||
CoroutineScope(Dispatchers.IO).launch {
|
||||
try {
|
||||
rescheduleNotifications(context)
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to reschedule notifications after boot", e)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private suspend fun rescheduleNotifications(context: Context) {
|
||||
val db = DailyNotificationDatabase.getDatabase(context)
|
||||
val enabledSchedules = db.scheduleDao().getEnabled()
|
||||
|
||||
Log.i(TAG, "Found ${enabledSchedules.size} enabled schedules to reschedule")
|
||||
|
||||
enabledSchedules.forEach { schedule ->
|
||||
try {
|
||||
when (schedule.kind) {
|
||||
"fetch" -> {
|
||||
// Reschedule WorkManager fetch
|
||||
val config = ContentFetchConfig(
|
||||
enabled = schedule.enabled,
|
||||
schedule = schedule.cron ?: schedule.clockTime ?: "0 9 * * *",
|
||||
url = null, // Will use mock content
|
||||
timeout = 30000,
|
||||
retryAttempts = 3,
|
||||
retryDelay = 1000,
|
||||
callbacks = CallbackConfig()
|
||||
)
|
||||
FetchWorker.scheduleFetch(context, config)
|
||||
Log.i(TAG, "Rescheduled fetch for schedule: ${schedule.id}")
|
||||
}
|
||||
"notify" -> {
|
||||
// Reschedule AlarmManager notification
|
||||
val nextRunTime = calculateNextRunTime(schedule)
|
||||
if (nextRunTime > System.currentTimeMillis()) {
|
||||
val config = UserNotificationConfig(
|
||||
enabled = schedule.enabled,
|
||||
schedule = schedule.cron ?: schedule.clockTime ?: "0 9 * * *",
|
||||
title = "Daily Notification",
|
||||
body = "Your daily update is ready",
|
||||
sound = true,
|
||||
vibration = true,
|
||||
priority = "normal"
|
||||
)
|
||||
NotifyReceiver.scheduleExactNotification(context, nextRunTime, config)
|
||||
Log.i(TAG, "Rescheduled notification for schedule: ${schedule.id}")
|
||||
}
|
||||
}
|
||||
else -> {
|
||||
Log.w(TAG, "Unknown schedule kind: ${schedule.kind}")
|
||||
}
|
||||
}
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to reschedule ${schedule.kind} for ${schedule.id}", e)
|
||||
}
|
||||
}
|
||||
|
||||
// Record boot recovery in history
|
||||
try {
|
||||
db.historyDao().insert(
|
||||
History(
|
||||
refId = "boot_recovery_${System.currentTimeMillis()}",
|
||||
kind = "boot_recovery",
|
||||
occurredAt = System.currentTimeMillis(),
|
||||
outcome = "success",
|
||||
diagJson = "{\"schedules_rescheduled\": ${enabledSchedules.size}}"
|
||||
)
|
||||
)
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to record boot recovery", e)
|
||||
}
|
||||
}
|
||||
|
||||
private fun calculateNextRunTime(schedule: Schedule): Long {
|
||||
val now = System.currentTimeMillis()
|
||||
|
||||
// Simple implementation - for production, use proper cron parsing
|
||||
return when {
|
||||
schedule.cron != null -> {
|
||||
// Parse cron expression and calculate next run
|
||||
// For now, return next day at 9 AM
|
||||
now + (24 * 60 * 60 * 1000L)
|
||||
}
|
||||
schedule.clockTime != null -> {
|
||||
// Parse HH:mm and calculate next run
|
||||
// For now, return next day at specified time
|
||||
now + (24 * 60 * 60 * 1000L)
|
||||
}
|
||||
else -> {
|
||||
// Default to next day at 9 AM
|
||||
now + (24 * 60 * 60 * 1000L)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Data classes for configuration (simplified versions)
|
||||
*/
|
||||
data class ContentFetchConfig(
|
||||
val enabled: Boolean,
|
||||
val schedule: String,
|
||||
val url: String? = null,
|
||||
val timeout: Int? = null,
|
||||
val retryAttempts: Int? = null,
|
||||
val retryDelay: Int? = null,
|
||||
val callbacks: CallbackConfig
|
||||
)
|
||||
|
||||
data class UserNotificationConfig(
|
||||
val enabled: Boolean,
|
||||
val schedule: String,
|
||||
val title: String? = null,
|
||||
val body: String? = null,
|
||||
val sound: Boolean? = null,
|
||||
val vibration: Boolean? = null,
|
||||
val priority: String? = null
|
||||
)
|
||||
|
||||
data class CallbackConfig(
|
||||
val apiService: String? = null,
|
||||
val database: String? = null,
|
||||
val reporting: String? = null
|
||||
)
|
||||
@@ -1,144 +0,0 @@
|
||||
package com.timesafari.dailynotification
|
||||
|
||||
import androidx.room.*
|
||||
import androidx.room.migration.Migration
|
||||
import androidx.sqlite.db.SupportSQLiteDatabase
|
||||
|
||||
/**
|
||||
* SQLite schema for Daily Notification Plugin
|
||||
* Implements TTL-at-fire invariant and rolling window armed design
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.1.0
|
||||
*/
|
||||
@Entity(tableName = "content_cache")
|
||||
data class ContentCache(
|
||||
@PrimaryKey val id: String,
|
||||
val fetchedAt: Long, // epoch ms
|
||||
val ttlSeconds: Int,
|
||||
val payload: ByteArray, // BLOB
|
||||
val meta: String? = null
|
||||
)
|
||||
|
||||
@Entity(tableName = "schedules")
|
||||
data class Schedule(
|
||||
@PrimaryKey val id: String,
|
||||
val kind: String, // 'fetch' or 'notify'
|
||||
val cron: String? = null, // optional cron expression
|
||||
val clockTime: String? = null, // optional HH:mm
|
||||
val enabled: Boolean = true,
|
||||
val lastRunAt: Long? = null,
|
||||
val nextRunAt: Long? = null,
|
||||
val jitterMs: Int = 0,
|
||||
val backoffPolicy: String = "exp",
|
||||
val stateJson: String? = null
|
||||
)
|
||||
|
||||
@Entity(tableName = "callbacks")
|
||||
data class Callback(
|
||||
@PrimaryKey val id: String,
|
||||
val kind: String, // 'http', 'local', 'queue'
|
||||
val target: String, // url_or_local
|
||||
val headersJson: String? = null,
|
||||
val enabled: Boolean = true,
|
||||
val createdAt: Long
|
||||
)
|
||||
|
||||
@Entity(tableName = "history")
|
||||
data class History(
|
||||
@PrimaryKey(autoGenerate = true) val id: Int = 0,
|
||||
val refId: String, // content or schedule id
|
||||
val kind: String, // fetch/notify/callback
|
||||
val occurredAt: Long,
|
||||
val durationMs: Long? = null,
|
||||
val outcome: String, // success|failure|skipped_ttl|circuit_open
|
||||
val diagJson: String? = null
|
||||
)
|
||||
|
||||
@Database(
|
||||
entities = [ContentCache::class, Schedule::class, Callback::class, History::class],
|
||||
version = 1,
|
||||
exportSchema = false
|
||||
)
|
||||
@TypeConverters(Converters::class)
|
||||
abstract class DailyNotificationDatabase : RoomDatabase() {
|
||||
abstract fun contentCacheDao(): ContentCacheDao
|
||||
abstract fun scheduleDao(): ScheduleDao
|
||||
abstract fun callbackDao(): CallbackDao
|
||||
abstract fun historyDao(): HistoryDao
|
||||
}
|
||||
|
||||
@Dao
|
||||
interface ContentCacheDao {
|
||||
@Query("SELECT * FROM content_cache WHERE id = :id")
|
||||
suspend fun getById(id: String): ContentCache?
|
||||
|
||||
@Query("SELECT * FROM content_cache ORDER BY fetchedAt DESC LIMIT 1")
|
||||
suspend fun getLatest(): ContentCache?
|
||||
|
||||
@Insert(onConflict = OnConflictStrategy.REPLACE)
|
||||
suspend fun upsert(contentCache: ContentCache)
|
||||
|
||||
@Query("DELETE FROM content_cache WHERE fetchedAt < :cutoffTime")
|
||||
suspend fun deleteOlderThan(cutoffTime: Long)
|
||||
|
||||
@Query("SELECT COUNT(*) FROM content_cache")
|
||||
suspend fun getCount(): Int
|
||||
}
|
||||
|
||||
@Dao
|
||||
interface ScheduleDao {
|
||||
@Query("SELECT * FROM schedules WHERE enabled = 1")
|
||||
suspend fun getEnabled(): List<Schedule>
|
||||
|
||||
@Query("SELECT * FROM schedules WHERE id = :id")
|
||||
suspend fun getById(id: String): Schedule?
|
||||
|
||||
@Insert(onConflict = OnConflictStrategy.REPLACE)
|
||||
suspend fun upsert(schedule: Schedule)
|
||||
|
||||
@Query("UPDATE schedules SET enabled = :enabled WHERE id = :id")
|
||||
suspend fun setEnabled(id: String, enabled: Boolean)
|
||||
|
||||
@Query("UPDATE schedules SET lastRunAt = :lastRunAt, nextRunAt = :nextRunAt WHERE id = :id")
|
||||
suspend fun updateRunTimes(id: String, lastRunAt: Long?, nextRunAt: Long?)
|
||||
}
|
||||
|
||||
@Dao
|
||||
interface CallbackDao {
|
||||
@Query("SELECT * FROM callbacks WHERE enabled = 1")
|
||||
suspend fun getEnabled(): List<Callback>
|
||||
|
||||
@Insert(onConflict = OnConflictStrategy.REPLACE)
|
||||
suspend fun upsert(callback: Callback)
|
||||
|
||||
@Query("DELETE FROM callbacks WHERE id = :id")
|
||||
suspend fun deleteById(id: String)
|
||||
}
|
||||
|
||||
@Dao
|
||||
interface HistoryDao {
|
||||
@Insert
|
||||
suspend fun insert(history: History)
|
||||
|
||||
@Query("SELECT * FROM history WHERE occurredAt >= :since ORDER BY occurredAt DESC")
|
||||
suspend fun getSince(since: Long): List<History>
|
||||
|
||||
@Query("DELETE FROM history WHERE occurredAt < :cutoffTime")
|
||||
suspend fun deleteOlderThan(cutoffTime: Long)
|
||||
|
||||
@Query("SELECT COUNT(*) FROM history")
|
||||
suspend fun getCount(): Int
|
||||
}
|
||||
|
||||
class Converters {
|
||||
@TypeConverter
|
||||
fun fromByteArray(value: ByteArray?): String? {
|
||||
return value?.let { String(it) }
|
||||
}
|
||||
|
||||
@TypeConverter
|
||||
fun toByteArray(value: String?): ByteArray? {
|
||||
return value?.toByteArray()
|
||||
}
|
||||
}
|
||||
@@ -1,202 +0,0 @@
|
||||
package com.timesafari.dailynotification
|
||||
|
||||
import android.content.Context
|
||||
import android.util.Log
|
||||
import androidx.work.*
|
||||
import kotlinx.coroutines.Dispatchers
|
||||
import kotlinx.coroutines.withContext
|
||||
import java.io.IOException
|
||||
import java.net.HttpURLConnection
|
||||
import java.net.URL
|
||||
import java.util.concurrent.TimeUnit
|
||||
|
||||
/**
|
||||
* WorkManager implementation for content fetching
|
||||
* Implements exponential backoff and network constraints
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.1.0
|
||||
*/
|
||||
class FetchWorker(
|
||||
appContext: Context,
|
||||
workerParams: WorkerParameters
|
||||
) : CoroutineWorker(appContext, workerParams) {
|
||||
|
||||
companion object {
|
||||
private const val TAG = "DNP-FETCH"
|
||||
private const val WORK_NAME = "fetch_content"
|
||||
|
||||
fun scheduleFetch(context: Context, config: ContentFetchConfig) {
|
||||
val constraints = Constraints.Builder()
|
||||
.setRequiredNetworkType(NetworkType.CONNECTED)
|
||||
.build()
|
||||
|
||||
val workRequest = OneTimeWorkRequestBuilder<FetchWorker>()
|
||||
.setConstraints(constraints)
|
||||
.setBackoffCriteria(
|
||||
BackoffPolicy.EXPONENTIAL,
|
||||
30,
|
||||
TimeUnit.SECONDS
|
||||
)
|
||||
.setInputData(
|
||||
Data.Builder()
|
||||
.putString("url", config.url)
|
||||
.putString("headers", config.headers?.toString())
|
||||
.putInt("timeout", config.timeout ?: 30000)
|
||||
.putInt("retryAttempts", config.retryAttempts ?: 3)
|
||||
.putInt("retryDelay", config.retryDelay ?: 1000)
|
||||
.build()
|
||||
)
|
||||
.build()
|
||||
|
||||
WorkManager.getInstance(context)
|
||||
.enqueueUniqueWork(
|
||||
WORK_NAME,
|
||||
ExistingWorkPolicy.REPLACE,
|
||||
workRequest
|
||||
)
|
||||
}
|
||||
}
|
||||
|
||||
override suspend fun doWork(): Result = withContext(Dispatchers.IO) {
|
||||
val start = SystemClock.elapsedRealtime()
|
||||
val url = inputData.getString("url")
|
||||
val timeout = inputData.getInt("timeout", 30000)
|
||||
val retryAttempts = inputData.getInt("retryAttempts", 3)
|
||||
val retryDelay = inputData.getInt("retryDelay", 1000)
|
||||
|
||||
try {
|
||||
Log.i(TAG, "Starting content fetch from: $url")
|
||||
|
||||
val payload = fetchContent(url, timeout, retryAttempts, retryDelay)
|
||||
val contentCache = ContentCache(
|
||||
id = generateId(),
|
||||
fetchedAt = System.currentTimeMillis(),
|
||||
ttlSeconds = 3600, // 1 hour default TTL
|
||||
payload = payload,
|
||||
meta = "fetched_by_workmanager"
|
||||
)
|
||||
|
||||
// Store in database
|
||||
val db = DailyNotificationDatabase.getDatabase(applicationContext)
|
||||
db.contentCacheDao().upsert(contentCache)
|
||||
|
||||
// Record success in history
|
||||
db.historyDao().insert(
|
||||
History(
|
||||
refId = contentCache.id,
|
||||
kind = "fetch",
|
||||
occurredAt = System.currentTimeMillis(),
|
||||
durationMs = SystemClock.elapsedRealtime() - start,
|
||||
outcome = "success"
|
||||
)
|
||||
)
|
||||
|
||||
Log.i(TAG, "Content fetch completed successfully")
|
||||
Result.success()
|
||||
|
||||
} catch (e: IOException) {
|
||||
Log.w(TAG, "Network error during fetch", e)
|
||||
recordFailure("network_error", start, e)
|
||||
Result.retry()
|
||||
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Unexpected error during fetch", e)
|
||||
recordFailure("unexpected_error", start, e)
|
||||
Result.failure()
|
||||
}
|
||||
}
|
||||
|
||||
private suspend fun fetchContent(
|
||||
url: String?,
|
||||
timeout: Int,
|
||||
retryAttempts: Int,
|
||||
retryDelay: Int
|
||||
): ByteArray {
|
||||
if (url.isNullOrBlank()) {
|
||||
// Generate mock content for testing
|
||||
return generateMockContent()
|
||||
}
|
||||
|
||||
var lastException: Exception? = null
|
||||
|
||||
repeat(retryAttempts) { attempt ->
|
||||
try {
|
||||
val connection = URL(url).openConnection() as HttpURLConnection
|
||||
connection.connectTimeout = timeout
|
||||
connection.readTimeout = timeout
|
||||
connection.requestMethod = "GET"
|
||||
|
||||
val responseCode = connection.responseCode
|
||||
if (responseCode == HttpURLConnection.HTTP_OK) {
|
||||
return connection.inputStream.readBytes()
|
||||
} else {
|
||||
throw IOException("HTTP $responseCode: ${connection.responseMessage}")
|
||||
}
|
||||
|
||||
} catch (e: Exception) {
|
||||
lastException = e
|
||||
if (attempt < retryAttempts - 1) {
|
||||
Log.w(TAG, "Fetch attempt ${attempt + 1} failed, retrying in ${retryDelay}ms", e)
|
||||
kotlinx.coroutines.delay(retryDelay.toLong())
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
throw lastException ?: IOException("All retry attempts failed")
|
||||
}
|
||||
|
||||
private fun generateMockContent(): ByteArray {
|
||||
val mockData = """
|
||||
{
|
||||
"timestamp": ${System.currentTimeMillis()},
|
||||
"content": "Daily notification content",
|
||||
"source": "mock_generator",
|
||||
"version": "1.1.0"
|
||||
}
|
||||
""".trimIndent()
|
||||
return mockData.toByteArray()
|
||||
}
|
||||
|
||||
private suspend fun recordFailure(outcome: String, start: Long, error: Throwable) {
|
||||
try {
|
||||
val db = DailyNotificationDatabase.getDatabase(applicationContext)
|
||||
db.historyDao().insert(
|
||||
History(
|
||||
refId = "fetch_${System.currentTimeMillis()}",
|
||||
kind = "fetch",
|
||||
occurredAt = System.currentTimeMillis(),
|
||||
durationMs = SystemClock.elapsedRealtime() - start,
|
||||
outcome = outcome,
|
||||
diagJson = "{\"error\": \"${error.message}\"}"
|
||||
)
|
||||
)
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to record failure", e)
|
||||
}
|
||||
}
|
||||
|
||||
private fun generateId(): String {
|
||||
return "fetch_${System.currentTimeMillis()}_${(1000..9999).random()}"
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Database singleton for Room
|
||||
*/
|
||||
object DailyNotificationDatabase {
|
||||
@Volatile
|
||||
private var INSTANCE: DailyNotificationDatabase? = null
|
||||
|
||||
fun getDatabase(context: Context): DailyNotificationDatabase {
|
||||
return INSTANCE ?: synchronized(this) {
|
||||
val instance = Room.databaseBuilder(
|
||||
context.applicationContext,
|
||||
DailyNotificationDatabase::class.java,
|
||||
"daily_notification_database"
|
||||
).build()
|
||||
INSTANCE = instance
|
||||
instance
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,336 +0,0 @@
|
||||
package com.timesafari.dailynotification
|
||||
|
||||
import android.app.AlarmManager
|
||||
import android.app.NotificationChannel
|
||||
import android.app.NotificationManager
|
||||
import android.app.PendingIntent
|
||||
import android.content.BroadcastReceiver
|
||||
import android.content.Context
|
||||
import android.content.Intent
|
||||
import android.os.Build
|
||||
import android.util.Log
|
||||
import androidx.core.app.NotificationCompat
|
||||
import kotlinx.coroutines.CoroutineScope
|
||||
import kotlinx.coroutines.Dispatchers
|
||||
import kotlinx.coroutines.launch
|
||||
|
||||
/**
|
||||
* AlarmManager implementation for user notifications
|
||||
* Implements TTL-at-fire logic and notification delivery
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.1.0
|
||||
*/
|
||||
class NotifyReceiver : BroadcastReceiver() {
|
||||
|
||||
companion object {
|
||||
private const val TAG = "DNP-NOTIFY"
|
||||
private const val CHANNEL_ID = "daily_notifications"
|
||||
private const val NOTIFICATION_ID = 1001
|
||||
private const val REQUEST_CODE = 2001
|
||||
|
||||
fun scheduleExactNotification(
|
||||
context: Context,
|
||||
triggerAtMillis: Long,
|
||||
config: UserNotificationConfig
|
||||
) {
|
||||
val alarmManager = context.getSystemService(Context.ALARM_SERVICE) as AlarmManager
|
||||
val intent = Intent(context, NotifyReceiver::class.java).apply {
|
||||
putExtra("title", config.title)
|
||||
putExtra("body", config.body)
|
||||
putExtra("sound", config.sound ?: true)
|
||||
putExtra("vibration", config.vibration ?: true)
|
||||
putExtra("priority", config.priority ?: "normal")
|
||||
}
|
||||
|
||||
val pendingIntent = PendingIntent.getBroadcast(
|
||||
context,
|
||||
REQUEST_CODE,
|
||||
intent,
|
||||
PendingIntent.FLAG_UPDATE_CURRENT or PendingIntent.FLAG_IMMUTABLE
|
||||
)
|
||||
|
||||
try {
|
||||
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
|
||||
alarmManager.setExactAndAllowWhileIdle(
|
||||
AlarmManager.RTC_WAKEUP,
|
||||
triggerAtMillis,
|
||||
pendingIntent
|
||||
)
|
||||
} else {
|
||||
alarmManager.setExact(
|
||||
AlarmManager.RTC_WAKEUP,
|
||||
triggerAtMillis,
|
||||
pendingIntent
|
||||
)
|
||||
}
|
||||
Log.i(TAG, "Exact notification scheduled for: $triggerAtMillis")
|
||||
} catch (e: SecurityException) {
|
||||
Log.w(TAG, "Cannot schedule exact alarm, falling back to inexact", e)
|
||||
alarmManager.set(
|
||||
AlarmManager.RTC_WAKEUP,
|
||||
triggerAtMillis,
|
||||
pendingIntent
|
||||
)
|
||||
}
|
||||
}
|
||||
|
||||
fun cancelNotification(context: Context) {
|
||||
val alarmManager = context.getSystemService(Context.ALARM_SERVICE) as AlarmManager
|
||||
val intent = Intent(context, NotifyReceiver::class.java)
|
||||
val pendingIntent = PendingIntent.getBroadcast(
|
||||
context,
|
||||
REQUEST_CODE,
|
||||
intent,
|
||||
PendingIntent.FLAG_UPDATE_CURRENT or PendingIntent.FLAG_IMMUTABLE
|
||||
)
|
||||
alarmManager.cancel(pendingIntent)
|
||||
Log.i(TAG, "Notification alarm cancelled")
|
||||
}
|
||||
}
|
||||
|
||||
override fun onReceive(context: Context, intent: Intent?) {
|
||||
Log.i(TAG, "Notification receiver triggered")
|
||||
|
||||
CoroutineScope(Dispatchers.IO).launch {
|
||||
try {
|
||||
// Check if this is a static reminder (no content dependency)
|
||||
val isStaticReminder = intent?.getBooleanExtra("is_static_reminder", false) ?: false
|
||||
|
||||
if (isStaticReminder) {
|
||||
// Handle static reminder without content cache
|
||||
val title = intent?.getStringExtra("title") ?: "Daily Reminder"
|
||||
val body = intent?.getStringExtra("body") ?: "Don't forget your daily check-in!"
|
||||
val sound = intent?.getBooleanExtra("sound", true) ?: true
|
||||
val vibration = intent?.getBooleanExtra("vibration", true) ?: true
|
||||
val priority = intent?.getStringExtra("priority") ?: "normal"
|
||||
val reminderId = intent?.getStringExtra("reminder_id") ?: "unknown"
|
||||
|
||||
showStaticReminderNotification(context, title, body, sound, vibration, priority, reminderId)
|
||||
|
||||
// Record reminder trigger in database
|
||||
recordReminderTrigger(context, reminderId)
|
||||
return@launch
|
||||
}
|
||||
|
||||
// Existing cached content logic for regular notifications
|
||||
val db = DailyNotificationDatabase.getDatabase(context)
|
||||
val latestCache = db.contentCacheDao().getLatest()
|
||||
|
||||
if (latestCache == null) {
|
||||
Log.w(TAG, "No cached content available for notification")
|
||||
recordHistory(db, "notify", "no_content")
|
||||
return@launch
|
||||
}
|
||||
|
||||
// TTL-at-fire check
|
||||
val now = System.currentTimeMillis()
|
||||
val ttlExpiry = latestCache.fetchedAt + (latestCache.ttlSeconds * 1000L)
|
||||
|
||||
if (now > ttlExpiry) {
|
||||
Log.i(TAG, "Content TTL expired, skipping notification")
|
||||
recordHistory(db, "notify", "skipped_ttl")
|
||||
return@launch
|
||||
}
|
||||
|
||||
// Show notification
|
||||
val title = intent?.getStringExtra("title") ?: "Daily Notification"
|
||||
val body = intent?.getStringExtra("body") ?: String(latestCache.payload)
|
||||
val sound = intent?.getBooleanExtra("sound", true) ?: true
|
||||
val vibration = intent?.getBooleanExtra("vibration", true) ?: true
|
||||
val priority = intent?.getStringExtra("priority") ?: "normal"
|
||||
|
||||
showNotification(context, title, body, sound, vibration, priority)
|
||||
recordHistory(db, "notify", "success")
|
||||
|
||||
// Fire callbacks
|
||||
fireCallbacks(context, db, "onNotifyDelivered", latestCache)
|
||||
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Error in notification receiver", e)
|
||||
try {
|
||||
val db = DailyNotificationDatabase.getDatabase(context)
|
||||
recordHistory(db, "notify", "failure", e.message)
|
||||
} catch (dbError: Exception) {
|
||||
Log.e(TAG, "Failed to record notification failure", dbError)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private fun showNotification(
|
||||
context: Context,
|
||||
title: String,
|
||||
body: String,
|
||||
sound: Boolean,
|
||||
vibration: Boolean,
|
||||
priority: String
|
||||
) {
|
||||
val notificationManager = context.getSystemService(Context.NOTIFICATION_SERVICE) as NotificationManager
|
||||
|
||||
// Create notification channel for Android 8.0+
|
||||
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
|
||||
val channel = NotificationChannel(
|
||||
CHANNEL_ID,
|
||||
"Daily Notifications",
|
||||
when (priority) {
|
||||
"high" -> NotificationManager.IMPORTANCE_HIGH
|
||||
"low" -> NotificationManager.IMPORTANCE_LOW
|
||||
else -> NotificationManager.IMPORTANCE_DEFAULT
|
||||
}
|
||||
).apply {
|
||||
enableVibration(vibration)
|
||||
if (!sound) {
|
||||
setSound(null, null)
|
||||
}
|
||||
}
|
||||
notificationManager.createNotificationChannel(channel)
|
||||
}
|
||||
|
||||
val notification = NotificationCompat.Builder(context, CHANNEL_ID)
|
||||
.setContentTitle(title)
|
||||
.setContentText(body)
|
||||
.setSmallIcon(android.R.drawable.ic_dialog_info)
|
||||
.setPriority(
|
||||
when (priority) {
|
||||
"high" -> NotificationCompat.PRIORITY_HIGH
|
||||
"low" -> NotificationCompat.PRIORITY_LOW
|
||||
else -> NotificationCompat.PRIORITY_DEFAULT
|
||||
}
|
||||
)
|
||||
.setAutoCancel(true)
|
||||
.setVibrate(if (vibration) longArrayOf(0, 250, 250, 250) else null)
|
||||
.build()
|
||||
|
||||
notificationManager.notify(NOTIFICATION_ID, notification)
|
||||
Log.i(TAG, "Notification displayed: $title")
|
||||
}
|
||||
|
||||
private suspend fun recordHistory(
|
||||
db: DailyNotificationDatabase,
|
||||
kind: String,
|
||||
outcome: String,
|
||||
diagJson: String? = null
|
||||
) {
|
||||
try {
|
||||
db.historyDao().insert(
|
||||
History(
|
||||
refId = "notify_${System.currentTimeMillis()}",
|
||||
kind = kind,
|
||||
occurredAt = System.currentTimeMillis(),
|
||||
outcome = outcome,
|
||||
diagJson = diagJson
|
||||
)
|
||||
)
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to record history", e)
|
||||
}
|
||||
}
|
||||
|
||||
private suspend fun fireCallbacks(
|
||||
context: Context,
|
||||
db: DailyNotificationDatabase,
|
||||
eventType: String,
|
||||
contentCache: ContentCache
|
||||
) {
|
||||
try {
|
||||
val callbacks = db.callbackDao().getEnabled()
|
||||
callbacks.forEach { callback ->
|
||||
try {
|
||||
when (callback.kind) {
|
||||
"http" -> fireHttpCallback(callback, eventType, contentCache)
|
||||
"local" -> fireLocalCallback(context, callback, eventType, contentCache)
|
||||
else -> Log.w(TAG, "Unknown callback kind: ${callback.kind}")
|
||||
}
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to fire callback ${callback.id}", e)
|
||||
recordHistory(db, "callback", "failure", "{\"callback_id\": \"${callback.id}\", \"error\": \"${e.message}\"}")
|
||||
}
|
||||
}
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Failed to fire callbacks", e)
|
||||
}
|
||||
}
|
||||
|
||||
private suspend fun fireHttpCallback(
|
||||
callback: Callback,
|
||||
eventType: String,
|
||||
contentCache: ContentCache
|
||||
) {
|
||||
// HTTP callback implementation would go here
|
||||
Log.i(TAG, "HTTP callback fired: ${callback.id} for event: $eventType")
|
||||
}
|
||||
|
||||
private suspend fun fireLocalCallback(
|
||||
context: Context,
|
||||
callback: Callback,
|
||||
eventType: String,
|
||||
contentCache: ContentCache
|
||||
) {
|
||||
// Local callback implementation would go here
|
||||
Log.i(TAG, "Local callback fired: ${callback.id} for event: $eventType")
|
||||
}
|
||||
|
||||
// Static Reminder Helper Methods
|
||||
private fun showStaticReminderNotification(
|
||||
context: Context,
|
||||
title: String,
|
||||
body: String,
|
||||
sound: Boolean,
|
||||
vibration: Boolean,
|
||||
priority: String,
|
||||
reminderId: String
|
||||
) {
|
||||
val notificationManager = context.getSystemService(Context.NOTIFICATION_SERVICE) as NotificationManager
|
||||
|
||||
// Create notification channel for reminders
|
||||
createReminderNotificationChannel(context, notificationManager)
|
||||
|
||||
val notification = NotificationCompat.Builder(context, "daily_reminders")
|
||||
.setSmallIcon(android.R.drawable.ic_dialog_info)
|
||||
.setContentTitle(title)
|
||||
.setContentText(body)
|
||||
.setPriority(
|
||||
when (priority) {
|
||||
"high" -> NotificationCompat.PRIORITY_HIGH
|
||||
"low" -> NotificationCompat.PRIORITY_LOW
|
||||
else -> NotificationCompat.PRIORITY_DEFAULT
|
||||
}
|
||||
)
|
||||
.setSound(if (sound) null else null) // Use default sound if enabled
|
||||
.setAutoCancel(true)
|
||||
.setVibrate(if (vibration) longArrayOf(0, 250, 250, 250) else null)
|
||||
.setCategory(NotificationCompat.CATEGORY_REMINDER)
|
||||
.build()
|
||||
|
||||
notificationManager.notify(reminderId.hashCode(), notification)
|
||||
Log.i(TAG, "Static reminder displayed: $title (ID: $reminderId)")
|
||||
}
|
||||
|
||||
private fun createReminderNotificationChannel(context: Context, notificationManager: NotificationManager) {
|
||||
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
|
||||
val channel = NotificationChannel(
|
||||
"daily_reminders",
|
||||
"Daily Reminders",
|
||||
NotificationManager.IMPORTANCE_DEFAULT
|
||||
).apply {
|
||||
description = "Daily reminder notifications"
|
||||
enableVibration(true)
|
||||
setShowBadge(true)
|
||||
}
|
||||
notificationManager.createNotificationChannel(channel)
|
||||
}
|
||||
}
|
||||
|
||||
private fun recordReminderTrigger(context: Context, reminderId: String) {
|
||||
try {
|
||||
val prefs = context.getSharedPreferences("daily_reminders", Context.MODE_PRIVATE)
|
||||
val editor = prefs.edit()
|
||||
editor.putLong("${reminderId}_lastTriggered", System.currentTimeMillis())
|
||||
editor.apply()
|
||||
Log.d(TAG, "Reminder trigger recorded: $reminderId")
|
||||
} catch (e: Exception) {
|
||||
Log.e(TAG, "Error recording reminder trigger", e)
|
||||
}
|
||||
}
|
||||
}
|
||||
2
android/app/.gitignore
vendored
@@ -1,2 +0,0 @@
|
||||
/build/*
|
||||
!/build/.npmkeep
|
||||
@@ -1,62 +0,0 @@
|
||||
apply plugin: 'com.android.application'
|
||||
|
||||
android {
|
||||
namespace "com.timesafari.dailynotification"
|
||||
compileSdkVersion rootProject.ext.compileSdkVersion
|
||||
defaultConfig {
|
||||
applicationId "com.timesafari.dailynotification"
|
||||
minSdkVersion rootProject.ext.minSdkVersion
|
||||
targetSdkVersion rootProject.ext.targetSdkVersion
|
||||
versionCode 1
|
||||
versionName "1.0"
|
||||
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
|
||||
aaptOptions {
|
||||
// Files and dirs to omit from the packaged assets dir, modified to accommodate modern web apps.
|
||||
// Default: https://android.googlesource.com/platform/frameworks/base/+/282e181b58cf72b6ca770dc7ca5f91f135444502/tools/aapt/AaptAssets.cpp#61
|
||||
ignoreAssetsPattern '!.svn:!.git:!.ds_store:!*.scc:.*:!CVS:!thumbs.db:!picasa.ini:!*~'
|
||||
}
|
||||
}
|
||||
buildTypes {
|
||||
release {
|
||||
minifyEnabled false
|
||||
proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
repositories {
|
||||
flatDir{
|
||||
dirs '../capacitor-cordova-android-plugins/src/main/libs', 'libs'
|
||||
}
|
||||
}
|
||||
|
||||
dependencies {
|
||||
implementation fileTree(include: ['*.jar'], dir: 'libs')
|
||||
implementation "androidx.appcompat:appcompat:$androidxAppCompatVersion"
|
||||
implementation "androidx.coordinatorlayout:coordinatorlayout:$androidxCoordinatorLayoutVersion"
|
||||
implementation "androidx.core:core-splashscreen:$coreSplashScreenVersion"
|
||||
implementation project(':capacitor-android')
|
||||
implementation project(':plugin')
|
||||
|
||||
// Daily Notification Plugin Dependencies
|
||||
implementation "androidx.room:room-runtime:2.6.1"
|
||||
implementation "androidx.work:work-runtime-ktx:2.9.0"
|
||||
implementation "org.jetbrains.kotlinx:kotlinx-coroutines-android:1.7.3"
|
||||
annotationProcessor "androidx.room:room-compiler:2.6.1"
|
||||
|
||||
testImplementation "junit:junit:$junitVersion"
|
||||
androidTestImplementation "androidx.test.ext:junit:$androidxJunitVersion"
|
||||
androidTestImplementation "androidx.test.espresso:espresso-core:$androidxEspressoCoreVersion"
|
||||
implementation project(':capacitor-cordova-android-plugins')
|
||||
}
|
||||
|
||||
apply from: 'capacitor.build.gradle'
|
||||
|
||||
try {
|
||||
def servicesJSON = file('google-services.json')
|
||||
if (servicesJSON.text) {
|
||||
apply plugin: 'com.google.gms.google-services'
|
||||
}
|
||||
} catch(Exception e) {
|
||||
logger.info("google-services.json not found, google-services plugin not applied. Push Notifications won't work")
|
||||
}
|
||||
@@ -1,20 +0,0 @@
|
||||
// DO NOT EDIT THIS FILE! IT IS GENERATED EACH TIME "capacitor update" IS RUN
|
||||
|
||||
android {
|
||||
compileOptions {
|
||||
sourceCompatibility JavaVersion.VERSION_17
|
||||
targetCompatibility JavaVersion.VERSION_17
|
||||
}
|
||||
}
|
||||
|
||||
// Plugin development project - no Capacitor integration files needed
|
||||
// apply from: "../capacitor-cordova-android-plugins/cordova.variables.gradle"
|
||||
dependencies {
|
||||
|
||||
|
||||
}
|
||||
|
||||
|
||||
if (hasProperty('postBuildExtras')) {
|
||||
postBuildExtras()
|
||||
}
|
||||
154
android/app/proguard-rules.pro
vendored
@@ -1,154 +0,0 @@
|
||||
# Add project specific ProGuard rules here.
|
||||
# You can control the set of applied configuration files using the
|
||||
# proguardFiles setting in build.gradle.
|
||||
#
|
||||
# For more details, see
|
||||
# http://developer.android.com/guide/developing/tools/proguard.html
|
||||
|
||||
# If your project uses WebView with JS, uncomment the following
|
||||
# and specify the fully qualified class name to the JavaScript interface
|
||||
# class:
|
||||
#-keepclassmembers class fqcn.of.javascript.interface.for.webview {
|
||||
# public *;
|
||||
#}
|
||||
|
||||
# Uncomment this to preserve the line number information for
|
||||
# debugging stack traces.
|
||||
#-keepattributes SourceFile,LineNumberTable
|
||||
|
||||
# If you keep the line number information, uncomment this to
|
||||
# hide the original source file name.
|
||||
#-renamesourcefileattribute SourceFile
|
||||
|
||||
# =============================================================================
|
||||
# Capacitor Plugin Protection Rules
|
||||
# =============================================================================
|
||||
|
||||
# Keep Capacitor Plugin annotations & your plugin facade
|
||||
-keep class com.getcapacitor.** { *; }
|
||||
-keep @com.getcapacitor.annotation.CapacitorPlugin class * { *; }
|
||||
-keepclassmembers class ** {
|
||||
@com.getcapacitor.annotation.PluginMethod *;
|
||||
}
|
||||
|
||||
# Keep DailyNotification plugin classes
|
||||
-keep class com.timesafari.dailynotification.** { *; }
|
||||
|
||||
# Keep plugin method names and signatures
|
||||
-keepclassmembers class com.timesafari.dailynotification.DailyNotificationPlugin {
|
||||
public *;
|
||||
}
|
||||
|
||||
# Keep all plugin manager classes
|
||||
-keep class com.timesafari.dailynotification.*Manager { *; }
|
||||
-keep class com.timesafari.dailynotification.*Storage { *; }
|
||||
-keep class com.timesafari.dailynotification.*Receiver { *; }
|
||||
|
||||
# Keep Room database classes
|
||||
-keep class com.timesafari.dailynotification.storage.** { *; }
|
||||
-keep class com.timesafari.dailynotification.database.** { *; }
|
||||
|
||||
# Keep error handling classes
|
||||
-keep class com.timesafari.dailynotification.*Error* { *; }
|
||||
-keep class com.timesafari.dailynotification.*Exception* { *; }
|
||||
|
||||
# Keep JWT and ETag managers
|
||||
-keep class com.timesafari.dailynotification.*JWT* { *; }
|
||||
-keep class com.timesafari.dailynotification.*ETag* { *; }
|
||||
|
||||
# Keep performance and optimization classes
|
||||
-keep class com.timesafari.dailynotification.*Performance* { *; }
|
||||
-keep class com.timesafari.dailynotification.*Optimizer* { *; }
|
||||
|
||||
# Keep rolling window and TTL classes
|
||||
-keep class com.timesafari.dailynotification.*Rolling* { *; }
|
||||
-keep class com.timesafari.dailynotification.*TTL* { *; }
|
||||
|
||||
# Keep exact alarm and reboot recovery classes
|
||||
-keep class com.timesafari.dailynotification.*Exact* { *; }
|
||||
-keep class com.timesafari.dailynotification.*Reboot* { *; }
|
||||
-keep class com.timesafari.dailynotification.*Recovery* { *; }
|
||||
|
||||
# Keep enhanced fetcher classes
|
||||
-keep class com.timesafari.dailynotification.*Enhanced* { *; }
|
||||
-keep class com.timesafari.dailynotification.*Fetcher* { *; }
|
||||
|
||||
# Keep migration classes
|
||||
-keep class com.timesafari.dailynotification.*Migration* { *; }
|
||||
|
||||
# Keep channel manager
|
||||
-keep class com.timesafari.dailynotification.ChannelManager { *; }
|
||||
|
||||
# Keep permission manager
|
||||
-keep class com.timesafari.dailynotification.PermissionManager { *; }
|
||||
|
||||
# Keep scheduler classes
|
||||
-keep class com.timesafari.dailynotification.*Scheduler* { *; }
|
||||
|
||||
# =============================================================================
|
||||
# Android System Classes
|
||||
# =============================================================================
|
||||
|
||||
# Keep Android system classes used by the plugin
|
||||
-keep class android.app.AlarmManager { *; }
|
||||
-keep class android.app.NotificationManager { *; }
|
||||
-keep class android.app.NotificationChannel { *; }
|
||||
-keep class android.app.PendingIntent { *; }
|
||||
-keep class androidx.work.WorkManager { *; }
|
||||
-keep class androidx.core.app.NotificationCompat { *; }
|
||||
|
||||
# Keep broadcast receiver classes
|
||||
-keep class android.content.BroadcastReceiver { *; }
|
||||
-keep class android.content.Intent { *; }
|
||||
|
||||
# =============================================================================
|
||||
# Room Database Protection
|
||||
# =============================================================================
|
||||
|
||||
# Keep Room database classes
|
||||
-keep class androidx.room.** { *; }
|
||||
-keep class * extends androidx.room.RoomDatabase { *; }
|
||||
-keep @androidx.room.Entity class * { *; }
|
||||
-keep @androidx.room.Dao class * { *; }
|
||||
|
||||
# Keep Room database migrations
|
||||
-keep class * extends androidx.room.migration.Migration { *; }
|
||||
|
||||
# =============================================================================
|
||||
# Gson Protection (if used)
|
||||
# =============================================================================
|
||||
|
||||
# Keep Gson classes if used for JSON serialization
|
||||
-keep class com.google.gson.** { *; }
|
||||
-keep class * implements com.google.gson.TypeAdapterFactory { *; }
|
||||
-keep class * implements com.google.gson.JsonSerializer { *; }
|
||||
-keep class * implements com.google.gson.JsonDeserializer { *; }
|
||||
|
||||
# =============================================================================
|
||||
# Debugging and Development
|
||||
# =============================================================================
|
||||
|
||||
# Keep debug information for development builds
|
||||
-keepattributes SourceFile,LineNumberTable
|
||||
-keepattributes Signature
|
||||
-keepattributes Exceptions
|
||||
-keepattributes InnerClasses
|
||||
-keepattributes EnclosingMethod
|
||||
|
||||
# Keep generic signatures for reflection
|
||||
-keepattributes Signature
|
||||
|
||||
# Keep annotations
|
||||
-keepattributes *Annotation*
|
||||
|
||||
# =============================================================================
|
||||
# Network and Security
|
||||
# =============================================================================
|
||||
|
||||
# Keep network-related classes
|
||||
-keep class java.net.** { *; }
|
||||
-keep class javax.net.ssl.** { *; }
|
||||
|
||||
# Keep security-related classes
|
||||
-keep class java.security.** { *; }
|
||||
-keep class javax.crypto.** { *; }
|
||||
@@ -1,26 +0,0 @@
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import static org.junit.Assert.*;
|
||||
|
||||
import android.content.Context;
|
||||
import androidx.test.ext.junit.runners.AndroidJUnit4;
|
||||
import androidx.test.platform.app.InstrumentationRegistry;
|
||||
import org.junit.Test;
|
||||
import org.junit.runner.RunWith;
|
||||
|
||||
/**
|
||||
* Instrumented test, which will execute on an Android device.
|
||||
*
|
||||
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
|
||||
*/
|
||||
@RunWith(AndroidJUnit4.class)
|
||||
public class ExampleInstrumentedTest {
|
||||
|
||||
@Test
|
||||
public void useAppContext() throws Exception {
|
||||
// Context of the app under test.
|
||||
Context appContext = InstrumentationRegistry.getInstrumentation().getTargetContext();
|
||||
|
||||
assertEquals("com.timesafari.dailynotification", appContext.getPackageName());
|
||||
}
|
||||
}
|
||||
@@ -1,72 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<manifest xmlns:android="http://schemas.android.com/apk/res/android">
|
||||
|
||||
<application
|
||||
android:name=".PluginApplication"
|
||||
android:allowBackup="true"
|
||||
android:icon="@mipmap/ic_launcher"
|
||||
android:label="@string/app_name"
|
||||
android:roundIcon="@mipmap/ic_launcher_round"
|
||||
android:supportsRtl="true"
|
||||
android:theme="@style/AppTheme">
|
||||
|
||||
<activity
|
||||
android:configChanges="orientation|keyboardHidden|keyboard|screenSize|locale|smallestScreenSize|screenLayout|uiMode"
|
||||
android:name=".MainActivity"
|
||||
android:label="@string/title_activity_main"
|
||||
android:theme="@style/AppTheme.NoActionBarLaunch"
|
||||
android:launchMode="singleTask"
|
||||
android:exported="true">
|
||||
|
||||
<intent-filter>
|
||||
<action android:name="android.intent.action.MAIN" />
|
||||
<category android:name="android.intent.category.LAUNCHER" />
|
||||
</intent-filter>
|
||||
|
||||
</activity>
|
||||
|
||||
<!-- Daily Notification Plugin Receivers -->
|
||||
<receiver
|
||||
android:name="com.timesafari.dailynotification.DailyNotificationReceiver"
|
||||
android:enabled="true"
|
||||
android:exported="false">
|
||||
<intent-filter>
|
||||
<action android:name="com.timesafari.daily.NOTIFICATION" />
|
||||
</intent-filter>
|
||||
</receiver>
|
||||
|
||||
<receiver
|
||||
android:name="com.timesafari.dailynotification.BootReceiver"
|
||||
android:enabled="true"
|
||||
android:exported="true"
|
||||
android:directBootAware="true">
|
||||
<intent-filter android:priority="1000">
|
||||
<!-- Delivered very early after reboot (before unlock) -->
|
||||
<action android:name="android.intent.action.LOCKED_BOOT_COMPLETED" />
|
||||
<!-- Delivered after the user unlocks / credential-encrypted storage is available -->
|
||||
<action android:name="android.intent.action.BOOT_COMPLETED" />
|
||||
<!-- Delivered after app update; great for rescheduling alarms without reboot -->
|
||||
<action android:name="android.intent.action.MY_PACKAGE_REPLACED" />
|
||||
</intent-filter>
|
||||
</receiver>
|
||||
|
||||
<provider
|
||||
android:name="androidx.core.content.FileProvider"
|
||||
android:authorities="${applicationId}.fileprovider"
|
||||
android:exported="false"
|
||||
android:grantUriPermissions="true">
|
||||
<meta-data
|
||||
android:name="android.support.FILE_PROVIDER_PATHS"
|
||||
android:resource="@xml/file_paths"></meta-data>
|
||||
</provider>
|
||||
</application>
|
||||
|
||||
<!-- Permissions -->
|
||||
<uses-permission android:name="android.permission.INTERNET" />
|
||||
<uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" />
|
||||
<uses-permission android:name="android.permission.WAKE_LOCK" />
|
||||
<uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" />
|
||||
<uses-permission android:name="android.permission.POST_NOTIFICATIONS" />
|
||||
<uses-permission android:name="android.permission.SCHEDULE_EXACT_ALARM" />
|
||||
<uses-permission android:name="android.permission.USE_EXACT_ALARM" />
|
||||
</manifest>
|
||||
@@ -1,6 +0,0 @@
|
||||
[
|
||||
{
|
||||
"name": "DailyNotification",
|
||||
"classpath": "com.timesafari.dailynotification.DailyNotificationPlugin"
|
||||
}
|
||||
]
|
||||
@@ -1,97 +0,0 @@
|
||||
/**
|
||||
* DemoNativeFetcher.java
|
||||
*
|
||||
* Simple demo implementation of NativeNotificationContentFetcher for the plugin demo app.
|
||||
* Returns mock notification content for demonstration purposes.
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.0.0
|
||||
*/
|
||||
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import android.util.Log;
|
||||
import androidx.annotation.NonNull;
|
||||
import com.timesafari.dailynotification.FetchContext;
|
||||
import com.timesafari.dailynotification.NativeNotificationContentFetcher;
|
||||
import com.timesafari.dailynotification.NotificationContent;
|
||||
import java.util.ArrayList;
|
||||
import java.util.Collections;
|
||||
import java.util.List;
|
||||
import java.util.concurrent.CompletableFuture;
|
||||
|
||||
/**
|
||||
* Demo implementation of native content fetcher
|
||||
*
|
||||
* Returns mock notification content for demonstration. In production host apps,
|
||||
* this would fetch from TimeSafari API or other data sources.
|
||||
*
|
||||
* <p><b>Configuration:</b></p>
|
||||
* <p>This fetcher does NOT override {@code configure()} because it uses hardcoded
|
||||
* mock data and doesn't need API credentials. The default no-op implementation
|
||||
* from the interface is sufficient.</p>
|
||||
*
|
||||
* <p>For an example that accepts configuration from TypeScript, see
|
||||
* {@code TestNativeFetcher} in the test app.</p>
|
||||
*/
|
||||
public class DemoNativeFetcher implements NativeNotificationContentFetcher {
|
||||
|
||||
private static final String TAG = "DemoNativeFetcher";
|
||||
|
||||
// Note: We intentionally do NOT override configure() because this fetcher
|
||||
// uses hardcoded mock data. The default no-op implementation from the
|
||||
// interface is sufficient. This demonstrates that configure() is optional.
|
||||
|
||||
@Override
|
||||
@NonNull
|
||||
public CompletableFuture<List<NotificationContent>> fetchContent(
|
||||
@NonNull FetchContext context) {
|
||||
|
||||
Log.d(TAG, "DemoNativeFetcher: Fetch triggered - trigger=" + context.trigger +
|
||||
", scheduledTime=" + context.scheduledTime + ", fetchTime=" + context.fetchTime);
|
||||
|
||||
return CompletableFuture.supplyAsync(() -> {
|
||||
try {
|
||||
// Simulate network delay
|
||||
Thread.sleep(100);
|
||||
|
||||
List<NotificationContent> contents = new ArrayList<>();
|
||||
|
||||
// Create a demo notification
|
||||
NotificationContent demoContent = new NotificationContent();
|
||||
demoContent.setId("demo_notification_" + System.currentTimeMillis());
|
||||
demoContent.setTitle("Demo Notification from Native Fetcher");
|
||||
demoContent.setBody("This is a demo notification from the native fetcher SPI. " +
|
||||
"Trigger: " + context.trigger +
|
||||
(context.scheduledTime != null ?
|
||||
", Scheduled: " + new java.util.Date(context.scheduledTime) : ""));
|
||||
|
||||
// Use scheduled time from context, or default to 1 hour from now
|
||||
long scheduledTimeMs = context.scheduledTime != null ?
|
||||
context.scheduledTime : (System.currentTimeMillis() + 3600000);
|
||||
demoContent.setScheduledTime(scheduledTimeMs);
|
||||
|
||||
// fetchTime is set automatically by NotificationContent constructor (as fetchedAt)
|
||||
demoContent.setPriority("default");
|
||||
demoContent.setSound(true);
|
||||
|
||||
contents.add(demoContent);
|
||||
|
||||
Log.i(TAG, "DemoNativeFetcher: Returning " + contents.size() +
|
||||
" notification(s)");
|
||||
|
||||
return contents;
|
||||
|
||||
} catch (InterruptedException e) {
|
||||
Log.e(TAG, "DemoNativeFetcher: Interrupted during fetch", e);
|
||||
Thread.currentThread().interrupt();
|
||||
return Collections.emptyList();
|
||||
|
||||
} catch (Exception e) {
|
||||
Log.e(TAG, "DemoNativeFetcher: Error during fetch", e);
|
||||
return Collections.emptyList();
|
||||
}
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,11 +0,0 @@
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import com.getcapacitor.BridgeActivity;
|
||||
import android.os.Bundle;
|
||||
|
||||
public class MainActivity extends BridgeActivity {
|
||||
@Override
|
||||
protected void onCreate(Bundle savedInstanceState) {
|
||||
super.onCreate(savedInstanceState);
|
||||
}
|
||||
}
|
||||
@@ -1,38 +0,0 @@
|
||||
/**
|
||||
* PluginApplication.java
|
||||
*
|
||||
* Application class for the Daily Notification Plugin demo app.
|
||||
* Registers the native content fetcher SPI implementation.
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.0.0
|
||||
*/
|
||||
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import android.app.Application;
|
||||
import android.util.Log;
|
||||
import com.timesafari.dailynotification.DailyNotificationPlugin;
|
||||
import com.timesafari.dailynotification.NativeNotificationContentFetcher;
|
||||
|
||||
/**
|
||||
* Application class that registers native fetcher for plugin demo app
|
||||
*/
|
||||
public class PluginApplication extends Application {
|
||||
|
||||
private static final String TAG = "PluginApplication";
|
||||
|
||||
@Override
|
||||
public void onCreate() {
|
||||
super.onCreate();
|
||||
|
||||
Log.i(TAG, "Initializing Daily Notification Plugin demo app");
|
||||
|
||||
// Register demo native fetcher
|
||||
NativeNotificationContentFetcher demoFetcher = new DemoNativeFetcher();
|
||||
DailyNotificationPlugin.setNativeFetcher(demoFetcher);
|
||||
|
||||
Log.i(TAG, "Demo native fetcher registered: " + demoFetcher.getClass().getName());
|
||||
}
|
||||
}
|
||||
|
||||
|
Before Width: | Height: | Size: 7.5 KiB |
|
Before Width: | Height: | Size: 3.9 KiB |
|
Before Width: | Height: | Size: 9.0 KiB |
|
Before Width: | Height: | Size: 14 KiB |
|
Before Width: | Height: | Size: 17 KiB |
|
Before Width: | Height: | Size: 7.7 KiB |
|
Before Width: | Height: | Size: 4.0 KiB |
|
Before Width: | Height: | Size: 9.6 KiB |
|
Before Width: | Height: | Size: 13 KiB |
|
Before Width: | Height: | Size: 17 KiB |
@@ -1,34 +0,0 @@
|
||||
<vector xmlns:android="http://schemas.android.com/apk/res/android"
|
||||
xmlns:aapt="http://schemas.android.com/aapt"
|
||||
android:width="108dp"
|
||||
android:height="108dp"
|
||||
android:viewportHeight="108"
|
||||
android:viewportWidth="108">
|
||||
<path
|
||||
android:fillType="evenOdd"
|
||||
android:pathData="M32,64C32,64 38.39,52.99 44.13,50.95C51.37,48.37 70.14,49.57 70.14,49.57L108.26,87.69L108,109.01L75.97,107.97L32,64Z"
|
||||
android:strokeColor="#00000000"
|
||||
android:strokeWidth="1">
|
||||
<aapt:attr name="android:fillColor">
|
||||
<gradient
|
||||
android:endX="78.5885"
|
||||
android:endY="90.9159"
|
||||
android:startX="48.7653"
|
||||
android:startY="61.0927"
|
||||
android:type="linear">
|
||||
<item
|
||||
android:color="#44000000"
|
||||
android:offset="0.0" />
|
||||
<item
|
||||
android:color="#00000000"
|
||||
android:offset="1.0" />
|
||||
</gradient>
|
||||
</aapt:attr>
|
||||
</path>
|
||||
<path
|
||||
android:fillColor="#FFFFFF"
|
||||
android:fillType="nonZero"
|
||||
android:pathData="M66.94,46.02L66.94,46.02C72.44,50.07 76,56.61 76,64L32,64C32,56.61 35.56,50.11 40.98,46.06L36.18,41.19C35.45,40.45 35.45,39.3 36.18,38.56C36.91,37.81 38.05,37.81 38.78,38.56L44.25,44.05C47.18,42.57 50.48,41.71 54,41.71C57.48,41.71 60.78,42.57 63.68,44.05L69.11,38.56C69.84,37.81 70.98,37.81 71.71,38.56C72.44,39.3 72.44,40.45 71.71,41.19L66.94,46.02ZM62.94,56.92C64.08,56.92 65,56.01 65,54.88C65,53.76 64.08,52.85 62.94,52.85C61.8,52.85 60.88,53.76 60.88,54.88C60.88,56.01 61.8,56.92 62.94,56.92ZM45.06,56.92C46.2,56.92 47.13,56.01 47.13,54.88C47.13,53.76 46.2,52.85 45.06,52.85C43.92,52.85 43,53.76 43,54.88C43,56.01 43.92,56.92 45.06,56.92Z"
|
||||
android:strokeColor="#00000000"
|
||||
android:strokeWidth="1" />
|
||||
</vector>
|
||||
@@ -1,170 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<vector xmlns:android="http://schemas.android.com/apk/res/android"
|
||||
android:width="108dp"
|
||||
android:height="108dp"
|
||||
android:viewportHeight="108"
|
||||
android:viewportWidth="108">
|
||||
<path
|
||||
android:fillColor="#26A69A"
|
||||
android:pathData="M0,0h108v108h-108z" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M9,0L9,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,0L19,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M29,0L29,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M39,0L39,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M49,0L49,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M59,0L59,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M69,0L69,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M79,0L79,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M89,0L89,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M99,0L99,108"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,9L108,9"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,19L108,19"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,29L108,29"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,39L108,39"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,49L108,49"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,59L108,59"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,69L108,69"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,79L108,79"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,89L108,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M0,99L108,99"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,29L89,29"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,39L89,39"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,49L89,49"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,59L89,59"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,69L89,69"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M19,79L89,79"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M29,19L29,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M39,19L39,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M49,19L49,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M59,19L59,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M69,19L69,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
<path
|
||||
android:fillColor="#00000000"
|
||||
android:pathData="M79,19L79,89"
|
||||
android:strokeColor="#33FFFFFF"
|
||||
android:strokeWidth="0.8" />
|
||||
</vector>
|
||||
|
Before Width: | Height: | Size: 3.9 KiB |
@@ -1,12 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<androidx.coordinatorlayout.widget.CoordinatorLayout xmlns:android="http://schemas.android.com/apk/res/android"
|
||||
xmlns:app="http://schemas.android.com/apk/res-auto"
|
||||
xmlns:tools="http://schemas.android.com/tools"
|
||||
android:layout_width="match_parent"
|
||||
android:layout_height="match_parent"
|
||||
tools:context=".MainActivity">
|
||||
|
||||
<WebView
|
||||
android:layout_width="match_parent"
|
||||
android:layout_height="match_parent" />
|
||||
</androidx.coordinatorlayout.widget.CoordinatorLayout>
|
||||
@@ -1,5 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<adaptive-icon xmlns:android="http://schemas.android.com/apk/res/android">
|
||||
<background android:drawable="@color/ic_launcher_background"/>
|
||||
<foreground android:drawable="@mipmap/ic_launcher_foreground"/>
|
||||
</adaptive-icon>
|
||||
@@ -1,5 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<adaptive-icon xmlns:android="http://schemas.android.com/apk/res/android">
|
||||
<background android:drawable="@color/ic_launcher_background"/>
|
||||
<foreground android:drawable="@mipmap/ic_launcher_foreground"/>
|
||||
</adaptive-icon>
|
||||
|
Before Width: | Height: | Size: 2.7 KiB |
|
Before Width: | Height: | Size: 3.4 KiB |
|
Before Width: | Height: | Size: 4.2 KiB |
|
Before Width: | Height: | Size: 1.8 KiB |
|
Before Width: | Height: | Size: 2.1 KiB |
|
Before Width: | Height: | Size: 2.7 KiB |
|
Before Width: | Height: | Size: 3.9 KiB |
|
Before Width: | Height: | Size: 4.9 KiB |
|
Before Width: | Height: | Size: 6.4 KiB |
|
Before Width: | Height: | Size: 6.5 KiB |
|
Before Width: | Height: | Size: 9.6 KiB |
|
Before Width: | Height: | Size: 10 KiB |
|
Before Width: | Height: | Size: 9.2 KiB |
|
Before Width: | Height: | Size: 15 KiB |
|
Before Width: | Height: | Size: 16 KiB |
@@ -1,4 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<resources>
|
||||
<color name="ic_launcher_background">#FFFFFF</color>
|
||||
</resources>
|
||||
@@ -1,7 +0,0 @@
|
||||
<?xml version='1.0' encoding='utf-8'?>
|
||||
<resources>
|
||||
<string name="app_name">DailyNotificationPlugin</string>
|
||||
<string name="title_activity_main">DailyNotificationPlugin</string>
|
||||
<string name="package_name">com.timesafari.dailynotification</string>
|
||||
<string name="custom_url_scheme">com.timesafari.dailynotification</string>
|
||||
</resources>
|
||||
@@ -1,22 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<resources>
|
||||
|
||||
<!-- Base application theme. -->
|
||||
<style name="AppTheme" parent="Theme.AppCompat.Light.DarkActionBar">
|
||||
<!-- Customize your theme here. -->
|
||||
<item name="colorPrimary">@color/colorPrimary</item>
|
||||
<item name="colorPrimaryDark">@color/colorPrimaryDark</item>
|
||||
<item name="colorAccent">@color/colorAccent</item>
|
||||
</style>
|
||||
|
||||
<style name="AppTheme.NoActionBar" parent="Theme.AppCompat.DayNight.NoActionBar">
|
||||
<item name="windowActionBar">false</item>
|
||||
<item name="windowNoTitle">true</item>
|
||||
<item name="android:background">@null</item>
|
||||
</style>
|
||||
|
||||
|
||||
<style name="AppTheme.NoActionBarLaunch" parent="Theme.SplashScreen">
|
||||
<item name="android:background">@drawable/splash</item>
|
||||
</style>
|
||||
</resources>
|
||||
@@ -1,5 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<paths xmlns:android="http://schemas.android.com/apk/res/android">
|
||||
<external-path name="my_images" path="." />
|
||||
<cache-path name="my_cache_images" path="." />
|
||||
</paths>
|
||||
@@ -1,36 +0,0 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<!--
|
||||
TimeSafari Daily Notification Plugin - Notification Channels Configuration
|
||||
|
||||
Defines notification channels for different types of TimeSafari notifications
|
||||
with appropriate importance levels and user control options.
|
||||
|
||||
@author Matthew Raymer
|
||||
@version 1.0.0
|
||||
-->
|
||||
<resources>
|
||||
<!-- TimeSafari Community Updates Channel -->
|
||||
<string name="channel_community_id">timesafari_community_updates</string>
|
||||
<string name="channel_community_name">TimeSafari Community Updates</string>
|
||||
<string name="channel_community_description">Daily updates from your TimeSafari community including new offers, project updates, and trust network activities</string>
|
||||
|
||||
<!-- TimeSafari Project Notifications Channel -->
|
||||
<string name="channel_projects_id">timesafari_project_notifications</string>
|
||||
<string name="channel_projects_name">TimeSafari Project Notifications</string>
|
||||
<string name="channel_projects_description">Notifications about starred projects, funding updates, and project milestones</string>
|
||||
|
||||
<!-- TimeSafari Trust Network Channel -->
|
||||
<string name="channel_trust_id">timesafari_trust_network</string>
|
||||
<string name="channel_trust_name">TimeSafari Trust Network</string>
|
||||
<string name="channel_trust_description">Trust network activities, endorsements, and community recommendations</string>
|
||||
|
||||
<!-- TimeSafari System Notifications Channel -->
|
||||
<string name="channel_system_id">timesafari_system</string>
|
||||
<string name="channel_system_name">TimeSafari System</string>
|
||||
<string name="channel_system_description">System notifications, authentication updates, and plugin status messages</string>
|
||||
|
||||
<!-- TimeSafari Reminders Channel -->
|
||||
<string name="channel_reminders_id">timesafari_reminders</string>
|
||||
<string name="channel_reminders_name">TimeSafari Reminders</string>
|
||||
<string name="channel_reminders_description">Personal reminders and daily check-ins for your TimeSafari activities</string>
|
||||
</resources>
|
||||
@@ -1,18 +0,0 @@
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import static org.junit.Assert.*;
|
||||
|
||||
import org.junit.Test;
|
||||
|
||||
/**
|
||||
* Example local unit test, which will execute on the development machine (host).
|
||||
*
|
||||
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
|
||||
*/
|
||||
public class ExampleUnitTest {
|
||||
|
||||
@Test
|
||||
public void addition_isCorrect() throws Exception {
|
||||
assertEquals(4, 2 + 2);
|
||||
}
|
||||
}
|
||||
@@ -1,29 +1,102 @@
|
||||
// Top-level build file where you can add configuration options common to all sub-projects/modules.
|
||||
apply plugin: 'com.android.library'
|
||||
|
||||
buildscript {
|
||||
|
||||
repositories {
|
||||
google()
|
||||
mavenCentral()
|
||||
}
|
||||
dependencies {
|
||||
classpath 'com.android.tools.build:gradle:8.13.0'
|
||||
classpath 'com.google.gms:google-services:4.4.0'
|
||||
|
||||
// NOTE: Do not place your application dependencies here; they belong
|
||||
// in the individual module build.gradle files
|
||||
}
|
||||
}
|
||||
|
||||
apply from: "variables.gradle"
|
||||
android {
|
||||
namespace "com.timesafari.dailynotification.plugin"
|
||||
compileSdk 35
|
||||
|
||||
defaultConfig {
|
||||
minSdk 23
|
||||
targetSdk 35
|
||||
|
||||
allprojects {
|
||||
repositories {
|
||||
google()
|
||||
mavenCentral()
|
||||
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
|
||||
consumerProguardFiles "consumer-rules.pro"
|
||||
}
|
||||
|
||||
buildTypes {
|
||||
release {
|
||||
minifyEnabled false
|
||||
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
|
||||
}
|
||||
debug {
|
||||
minifyEnabled false
|
||||
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
|
||||
}
|
||||
}
|
||||
|
||||
compileOptions {
|
||||
sourceCompatibility JavaVersion.VERSION_1_8
|
||||
targetCompatibility JavaVersion.VERSION_1_8
|
||||
}
|
||||
|
||||
// Disable test compilation - tests reference deprecated/removed code
|
||||
// TODO: Rewrite tests to use modern AndroidX testing framework
|
||||
testOptions {
|
||||
unitTests.all {
|
||||
enabled = false
|
||||
}
|
||||
}
|
||||
|
||||
// Exclude test sources from compilation
|
||||
sourceSets {
|
||||
test {
|
||||
java {
|
||||
srcDirs = [] // Disable test source compilation
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
task clean(type: Delete) {
|
||||
delete rootProject.buildDir
|
||||
repositories {
|
||||
google()
|
||||
mavenCentral()
|
||||
|
||||
// Try to find Capacitor from node_modules (for standalone builds)
|
||||
// In consuming apps, Capacitor will be available as a project dependency
|
||||
def capacitorPath = new File(rootProject.projectDir, '../node_modules/@capacitor/android/capacitor')
|
||||
if (capacitorPath.exists()) {
|
||||
flatDir {
|
||||
dirs capacitorPath
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
dependencies {
|
||||
// Capacitor dependency - provided by consuming app
|
||||
// When included as a project dependency, use project reference
|
||||
// When building standalone, this will fail (expected - plugin must be built within a Capacitor app)
|
||||
def capacitorProject = project.findProject(':capacitor-android')
|
||||
if (capacitorProject != null) {
|
||||
implementation capacitorProject
|
||||
} else {
|
||||
// Try to find from node_modules (for syntax checking only)
|
||||
def capacitorPath = new File(rootProject.projectDir, '../node_modules/@capacitor/android/capacitor')
|
||||
if (capacitorPath.exists() && new File(capacitorPath, 'build.gradle').exists()) {
|
||||
// If we're in a Capacitor app context, try to include it
|
||||
throw new GradleException("Capacitor Android project not found. This plugin must be built within a Capacitor app that includes :capacitor-android.")
|
||||
} else {
|
||||
throw new GradleException("Capacitor Android not found. This plugin must be built within a Capacitor app context.")
|
||||
}
|
||||
}
|
||||
|
||||
// These dependencies are always available from Maven
|
||||
implementation "androidx.appcompat:appcompat:1.7.0"
|
||||
implementation "androidx.room:room-runtime:2.6.1"
|
||||
implementation "androidx.work:work-runtime-ktx:2.9.0"
|
||||
implementation "org.jetbrains.kotlinx:kotlinx-coroutines-android:1.7.3"
|
||||
implementation "org.jetbrains.kotlin:kotlin-stdlib:1.9.10"
|
||||
implementation "com.google.code.gson:gson:2.10.1"
|
||||
implementation "androidx.core:core:1.12.0"
|
||||
|
||||
annotationProcessor "androidx.room:room-compiler:2.6.1"
|
||||
}
|
||||
|
||||
|
||||
@@ -1,3 +0,0 @@
|
||||
// DO NOT EDIT THIS FILE! IT IS GENERATED EACH TIME "capacitor update" IS RUN
|
||||
include ':capacitor-android'
|
||||
project(':capacitor-android').projectDir = new File('../node_modules/@capacitor/android/capacitor')
|
||||
10
android/consumer-rules.pro
Normal file
@@ -0,0 +1,10 @@
|
||||
# Consumer ProGuard rules for Daily Notification Plugin
|
||||
# These rules are applied to consuming apps when they use this plugin
|
||||
|
||||
# Keep plugin classes
|
||||
-keep class com.timesafari.dailynotification.** { *; }
|
||||
|
||||
# Keep Capacitor plugin interface
|
||||
-keep class com.getcapacitor.Plugin { *; }
|
||||
-keep @com.getcapacitor.Plugin class * { *; }
|
||||
|
||||
@@ -1,22 +1,29 @@
|
||||
# Project-wide Gradle settings.
|
||||
|
||||
# IDE (e.g. Android Studio) users:
|
||||
# Gradle settings configured through the IDE *will override*
|
||||
# any settings specified in this file.
|
||||
|
||||
# For more details on how to configure your build environment visit
|
||||
# http://www.gradle.org/docs/current/userguide/build_environment.html
|
||||
|
||||
# Specifies the JVM arguments used for the daemon process.
|
||||
# The setting is particularly useful for tweaking memory settings.
|
||||
org.gradle.jvmargs=-Xmx1536m
|
||||
|
||||
# When configured, Gradle will run in incubating parallel mode.
|
||||
# This option should only be used with decoupled projects. More details, visit
|
||||
# http://www.gradle.org/docs/current/userguide/multi_project_builds.html#sec:decoupled_projects
|
||||
# org.gradle.parallel=true
|
||||
# Project-wide Gradle settings for Daily Notification Plugin
|
||||
|
||||
# AndroidX package structure to make it clearer which packages are bundled with the
|
||||
# Android operating system, and which are packaged with your app's APK
|
||||
# https://developer.android.com/topic/libraries/support-library/androidx-rn
|
||||
# AndroidX library
|
||||
android.useAndroidX=true
|
||||
|
||||
# Automatically convert third-party libraries to use AndroidX
|
||||
android.enableJetifier=true
|
||||
|
||||
# Kotlin code style for this project: "official" or "obsolete":
|
||||
kotlin.code.style=official
|
||||
|
||||
# Enables namespacing of each library's R class so that its R class includes only the
|
||||
# resources declared in the library itself and none from the library's dependencies,
|
||||
# thereby reducing the size of the R class for that library
|
||||
android.nonTransitiveRClass=true
|
||||
|
||||
# Enable Gradle build cache
|
||||
org.gradle.caching=true
|
||||
|
||||
# Enable parallel builds
|
||||
org.gradle.parallel=true
|
||||
|
||||
# Increase memory for Gradle daemon
|
||||
org.gradle.jvmargs=-Xmx2048m -XX:MaxMetaspaceSize=512m
|
||||
|
||||
# Enable configuration cache
|
||||
org.gradle.configuration-cache=true
|
||||
|
||||
|
||||
BIN
android/gradle/wrapper/gradle-wrapper.jar
vendored
7
android/gradlew
vendored
@@ -15,6 +15,8 @@
|
||||
# See the License for the specific language governing permissions and
|
||||
# limitations under the License.
|
||||
#
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
#
|
||||
|
||||
##############################################################################
|
||||
#
|
||||
@@ -55,7 +57,7 @@
|
||||
# Darwin, MinGW, and NonStop.
|
||||
#
|
||||
# (3) This script is generated from the Groovy template
|
||||
# https://github.com/gradle/gradle/blob/HEAD/subprojects/plugins/src/main/resources/org/gradle/api/internal/plugins/unixStartScript.txt
|
||||
# https://github.com/gradle/gradle/blob/HEAD/platforms/jvm/plugins-application/src/main/resources/org/gradle/api/internal/plugins/unixStartScript.txt
|
||||
# within the Gradle project.
|
||||
#
|
||||
# You can find Gradle at https://github.com/gradle/gradle/.
|
||||
@@ -84,7 +86,8 @@ done
|
||||
# shellcheck disable=SC2034
|
||||
APP_BASE_NAME=${0##*/}
|
||||
# Discard cd standard output in case $CDPATH is set (https://github.com/gradle/gradle/issues/25036)
|
||||
APP_HOME=$( cd "${APP_HOME:-./}" > /dev/null && pwd -P ) || exit
|
||||
APP_HOME=$( cd -P "${APP_HOME:-./}" > /dev/null && printf '%s
|
||||
' "$PWD" ) || exit
|
||||
|
||||
# Use the maximum available, or set MAX_FD != -1 to use that value.
|
||||
MAX_FD=maximum
|
||||
|
||||
2
android/gradlew.bat
vendored
@@ -13,6 +13,8 @@
|
||||
@rem See the License for the specific language governing permissions and
|
||||
@rem limitations under the License.
|
||||
@rem
|
||||
@rem SPDX-License-Identifier: Apache-2.0
|
||||
@rem
|
||||
|
||||
@if "%DEBUG%"=="" @echo off
|
||||
@rem ##########################################################################
|
||||
|
||||
@@ -1,67 +0,0 @@
|
||||
apply plugin: 'com.android.library'
|
||||
|
||||
android {
|
||||
namespace "com.timesafari.dailynotification.plugin"
|
||||
compileSdkVersion rootProject.ext.compileSdkVersion
|
||||
|
||||
defaultConfig {
|
||||
minSdkVersion rootProject.ext.minSdkVersion
|
||||
targetSdkVersion rootProject.ext.targetSdkVersion
|
||||
|
||||
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
|
||||
consumerProguardFiles "consumer-rules.pro"
|
||||
}
|
||||
|
||||
buildTypes {
|
||||
release {
|
||||
minifyEnabled false
|
||||
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
|
||||
}
|
||||
debug {
|
||||
minifyEnabled false
|
||||
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
|
||||
}
|
||||
}
|
||||
|
||||
compileOptions {
|
||||
sourceCompatibility JavaVersion.VERSION_1_8
|
||||
targetCompatibility JavaVersion.VERSION_1_8
|
||||
}
|
||||
|
||||
// Disable test compilation - tests reference deprecated/removed code
|
||||
// TODO: Rewrite tests to use modern AndroidX testing framework
|
||||
testOptions {
|
||||
unitTests.all {
|
||||
enabled = false
|
||||
}
|
||||
}
|
||||
|
||||
// Exclude test sources from compilation
|
||||
sourceSets {
|
||||
test {
|
||||
java {
|
||||
srcDirs = [] // Disable test source compilation
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
dependencies {
|
||||
implementation project(':capacitor-android')
|
||||
implementation "androidx.appcompat:appcompat:$androidxAppCompatVersion"
|
||||
implementation "androidx.room:room-runtime:2.6.1"
|
||||
implementation "androidx.work:work-runtime-ktx:2.9.0"
|
||||
implementation "org.jetbrains.kotlinx:kotlinx-coroutines-android:1.7.3"
|
||||
implementation "org.jetbrains.kotlin:kotlin-stdlib:1.9.10"
|
||||
implementation "com.google.code.gson:gson:2.10.1"
|
||||
implementation "androidx.core:core:1.12.0"
|
||||
|
||||
annotationProcessor "androidx.room:room-compiler:2.6.1"
|
||||
annotationProcessor project(':capacitor-android')
|
||||
|
||||
// Temporarily disabled tests due to deprecated Android testing APIs
|
||||
// TODO: Update test files to use modern AndroidX testing framework
|
||||
// testImplementation "junit:junit:$junitVersion"
|
||||
// androidTestImplementation "androidx.test.ext:junit:$androidxJunitVersion"
|
||||
// androidTestImplementation "androidx.test.espresso:espresso-core:$androidxEspressoCoreVersion"
|
||||
}
|
||||
@@ -1,215 +0,0 @@
|
||||
/**
|
||||
* DailyNotificationDatabaseTest.java
|
||||
*
|
||||
* Unit tests for SQLite database functionality
|
||||
* Tests schema creation, WAL mode, and basic operations
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.0.0
|
||||
*/
|
||||
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import android.content.Context;
|
||||
import android.database.sqlite.SQLiteDatabase;
|
||||
import android.test.AndroidTestCase;
|
||||
import android.test.mock.MockContext;
|
||||
|
||||
import java.io.File;
|
||||
|
||||
/**
|
||||
* Unit tests for DailyNotificationDatabase
|
||||
*
|
||||
* Tests the core SQLite functionality including:
|
||||
* - Database creation and schema
|
||||
* - WAL mode configuration
|
||||
* - Table and index creation
|
||||
* - Schema version management
|
||||
*/
|
||||
public class DailyNotificationDatabaseTest extends AndroidTestCase {
|
||||
|
||||
private DailyNotificationDatabase database;
|
||||
private Context mockContext;
|
||||
|
||||
@Override
|
||||
protected void setUp() throws Exception {
|
||||
super.setUp();
|
||||
|
||||
// Create mock context
|
||||
mockContext = new MockContext() {
|
||||
@Override
|
||||
public File getDatabasePath(String name) {
|
||||
return new File(getContext().getCacheDir(), name);
|
||||
}
|
||||
};
|
||||
|
||||
// Create database instance
|
||||
database = new DailyNotificationDatabase(mockContext);
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void tearDown() throws Exception {
|
||||
if (database != null) {
|
||||
database.close();
|
||||
}
|
||||
super.tearDown();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test database creation and schema
|
||||
*/
|
||||
public void testDatabaseCreation() {
|
||||
assertNotNull("Database should not be null", database);
|
||||
|
||||
SQLiteDatabase db = database.getReadableDatabase();
|
||||
assertNotNull("Readable database should not be null", db);
|
||||
assertTrue("Database should be open", db.isOpen());
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test WAL mode configuration
|
||||
*/
|
||||
public void testWALModeConfiguration() {
|
||||
SQLiteDatabase db = database.getWritableDatabase();
|
||||
|
||||
// Check journal mode
|
||||
android.database.Cursor cursor = db.rawQuery("PRAGMA journal_mode", null);
|
||||
assertTrue("Should have journal mode result", cursor.moveToFirst());
|
||||
String journalMode = cursor.getString(0);
|
||||
assertEquals("Journal mode should be WAL", "wal", journalMode.toLowerCase());
|
||||
cursor.close();
|
||||
|
||||
// Check synchronous mode
|
||||
cursor = db.rawQuery("PRAGMA synchronous", null);
|
||||
assertTrue("Should have synchronous result", cursor.moveToFirst());
|
||||
int synchronous = cursor.getInt(0);
|
||||
assertEquals("Synchronous mode should be NORMAL", 1, synchronous);
|
||||
cursor.close();
|
||||
|
||||
// Check foreign keys
|
||||
cursor = db.rawQuery("PRAGMA foreign_keys", null);
|
||||
assertTrue("Should have foreign_keys result", cursor.moveToFirst());
|
||||
int foreignKeys = cursor.getInt(0);
|
||||
assertEquals("Foreign keys should be enabled", 1, foreignKeys);
|
||||
cursor.close();
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test table creation
|
||||
*/
|
||||
public void testTableCreation() {
|
||||
SQLiteDatabase db = database.getWritableDatabase();
|
||||
|
||||
// Check if tables exist
|
||||
assertTrue("notif_contents table should exist",
|
||||
tableExists(db, DailyNotificationDatabase.TABLE_NOTIF_CONTENTS));
|
||||
assertTrue("notif_deliveries table should exist",
|
||||
tableExists(db, DailyNotificationDatabase.TABLE_NOTIF_DELIVERIES));
|
||||
assertTrue("notif_config table should exist",
|
||||
tableExists(db, DailyNotificationDatabase.TABLE_NOTIF_CONFIG));
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test index creation
|
||||
*/
|
||||
public void testIndexCreation() {
|
||||
SQLiteDatabase db = database.getWritableDatabase();
|
||||
|
||||
// Check if indexes exist
|
||||
assertTrue("notif_idx_contents_slot_time index should exist",
|
||||
indexExists(db, "notif_idx_contents_slot_time"));
|
||||
assertTrue("notif_idx_deliveries_slot index should exist",
|
||||
indexExists(db, "notif_idx_deliveries_slot"));
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test schema version management
|
||||
*/
|
||||
public void testSchemaVersion() {
|
||||
SQLiteDatabase db = database.getWritableDatabase();
|
||||
|
||||
// Check user_version
|
||||
android.database.Cursor cursor = db.rawQuery("PRAGMA user_version", null);
|
||||
assertTrue("Should have user_version result", cursor.moveToFirst());
|
||||
int userVersion = cursor.getInt(0);
|
||||
assertEquals("User version should match database version",
|
||||
DailyNotificationDatabase.DATABASE_VERSION, userVersion);
|
||||
cursor.close();
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test basic insert operations
|
||||
*/
|
||||
public void testBasicInsertOperations() {
|
||||
SQLiteDatabase db = database.getWritableDatabase();
|
||||
|
||||
// Test inserting into notif_contents
|
||||
android.content.ContentValues values = new android.content.ContentValues();
|
||||
values.put(DailyNotificationDatabase.COL_CONTENTS_SLOT_ID, "test_slot_1");
|
||||
values.put(DailyNotificationDatabase.COL_CONTENTS_PAYLOAD_JSON, "{\"title\":\"Test\"}");
|
||||
values.put(DailyNotificationDatabase.COL_CONTENTS_FETCHED_AT, System.currentTimeMillis());
|
||||
|
||||
long rowId = db.insert(DailyNotificationDatabase.TABLE_NOTIF_CONTENTS, null, values);
|
||||
assertTrue("Insert should succeed", rowId > 0);
|
||||
|
||||
// Test inserting into notif_config
|
||||
values.clear();
|
||||
values.put(DailyNotificationDatabase.COL_CONFIG_K, "test_key");
|
||||
values.put(DailyNotificationDatabase.COL_CONFIG_V, "test_value");
|
||||
|
||||
rowId = db.insert(DailyNotificationDatabase.TABLE_NOTIF_CONFIG, null, values);
|
||||
assertTrue("Config insert should succeed", rowId > 0);
|
||||
|
||||
db.close();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test database file operations
|
||||
*/
|
||||
public void testDatabaseFileOperations() {
|
||||
String dbPath = database.getDatabasePath();
|
||||
assertNotNull("Database path should not be null", dbPath);
|
||||
assertTrue("Database path should not be empty", !dbPath.isEmpty());
|
||||
|
||||
// Database should exist after creation
|
||||
assertTrue("Database file should exist", database.databaseExists());
|
||||
|
||||
// Database size should be greater than 0
|
||||
long size = database.getDatabaseSize();
|
||||
assertTrue("Database size should be greater than 0", size > 0);
|
||||
}
|
||||
|
||||
/**
|
||||
* Helper method to check if table exists
|
||||
*/
|
||||
private boolean tableExists(SQLiteDatabase db, String tableName) {
|
||||
android.database.Cursor cursor = db.rawQuery(
|
||||
"SELECT name FROM sqlite_master WHERE type='table' AND name=?",
|
||||
new String[]{tableName});
|
||||
boolean exists = cursor.moveToFirst();
|
||||
cursor.close();
|
||||
return exists;
|
||||
}
|
||||
|
||||
/**
|
||||
* Helper method to check if index exists
|
||||
*/
|
||||
private boolean indexExists(SQLiteDatabase db, String indexName) {
|
||||
android.database.Cursor cursor = db.rawQuery(
|
||||
"SELECT name FROM sqlite_master WHERE type='index' AND name=?",
|
||||
new String[]{indexName});
|
||||
boolean exists = cursor.moveToFirst();
|
||||
cursor.close();
|
||||
return exists;
|
||||
}
|
||||
}
|
||||
@@ -1,193 +0,0 @@
|
||||
/**
|
||||
* DailyNotificationRollingWindowTest.java
|
||||
*
|
||||
* Unit tests for rolling window safety functionality
|
||||
* Tests window maintenance, capacity management, and platform-specific limits
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.0.0
|
||||
*/
|
||||
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import android.content.Context;
|
||||
import android.test.AndroidTestCase;
|
||||
import android.test.mock.MockContext;
|
||||
|
||||
import java.util.concurrent.TimeUnit;
|
||||
|
||||
/**
|
||||
* Unit tests for DailyNotificationRollingWindow
|
||||
*
|
||||
* Tests the rolling window safety functionality including:
|
||||
* - Window maintenance and state updates
|
||||
* - Capacity limit enforcement
|
||||
* - Platform-specific behavior (iOS vs Android)
|
||||
* - Statistics and maintenance timing
|
||||
*/
|
||||
public class DailyNotificationRollingWindowTest extends AndroidTestCase {
|
||||
|
||||
private DailyNotificationRollingWindow rollingWindow;
|
||||
private Context mockContext;
|
||||
private DailyNotificationScheduler mockScheduler;
|
||||
private DailyNotificationTTLEnforcer mockTTLEnforcer;
|
||||
private DailyNotificationStorage mockStorage;
|
||||
|
||||
@Override
|
||||
protected void setUp() throws Exception {
|
||||
super.setUp();
|
||||
|
||||
// Create mock context
|
||||
mockContext = new MockContext() {
|
||||
@Override
|
||||
public android.content.SharedPreferences getSharedPreferences(String name, int mode) {
|
||||
return getContext().getSharedPreferences(name, mode);
|
||||
}
|
||||
};
|
||||
|
||||
// Create mock components
|
||||
mockScheduler = new MockDailyNotificationScheduler();
|
||||
mockTTLEnforcer = new MockDailyNotificationTTLEnforcer();
|
||||
mockStorage = new MockDailyNotificationStorage();
|
||||
|
||||
// Create rolling window for Android platform
|
||||
rollingWindow = new DailyNotificationRollingWindow(
|
||||
mockContext,
|
||||
mockScheduler,
|
||||
mockTTLEnforcer,
|
||||
mockStorage,
|
||||
false // Android platform
|
||||
);
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void tearDown() throws Exception {
|
||||
super.tearDown();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test rolling window initialization
|
||||
*/
|
||||
public void testRollingWindowInitialization() {
|
||||
assertNotNull("Rolling window should be initialized", rollingWindow);
|
||||
|
||||
// Test Android platform limits
|
||||
String stats = rollingWindow.getRollingWindowStats();
|
||||
assertNotNull("Stats should not be null", stats);
|
||||
assertTrue("Stats should contain Android platform info", stats.contains("Android"));
|
||||
}
|
||||
|
||||
/**
|
||||
* Test rolling window maintenance
|
||||
*/
|
||||
public void testRollingWindowMaintenance() {
|
||||
// Test that maintenance can be forced
|
||||
rollingWindow.forceMaintenance();
|
||||
|
||||
// Test maintenance timing
|
||||
assertFalse("Maintenance should not be needed immediately after forcing",
|
||||
rollingWindow.isMaintenanceNeeded());
|
||||
|
||||
// Test time until next maintenance
|
||||
long timeUntilNext = rollingWindow.getTimeUntilNextMaintenance();
|
||||
assertTrue("Time until next maintenance should be positive", timeUntilNext > 0);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test iOS platform behavior
|
||||
*/
|
||||
public void testIOSPlatformBehavior() {
|
||||
// Create rolling window for iOS platform
|
||||
DailyNotificationRollingWindow iosRollingWindow = new DailyNotificationRollingWindow(
|
||||
mockContext,
|
||||
mockScheduler,
|
||||
mockTTLEnforcer,
|
||||
mockStorage,
|
||||
true // iOS platform
|
||||
);
|
||||
|
||||
String stats = iosRollingWindow.getRollingWindowStats();
|
||||
assertNotNull("iOS stats should not be null", stats);
|
||||
assertTrue("Stats should contain iOS platform info", stats.contains("iOS"));
|
||||
}
|
||||
|
||||
/**
|
||||
* Test maintenance timing
|
||||
*/
|
||||
public void testMaintenanceTiming() {
|
||||
// Initially, maintenance should not be needed
|
||||
assertFalse("Maintenance should not be needed initially",
|
||||
rollingWindow.isMaintenanceNeeded());
|
||||
|
||||
// Force maintenance
|
||||
rollingWindow.forceMaintenance();
|
||||
|
||||
// Should not be needed immediately after
|
||||
assertFalse("Maintenance should not be needed after forcing",
|
||||
rollingWindow.isMaintenanceNeeded());
|
||||
}
|
||||
|
||||
/**
|
||||
* Test statistics retrieval
|
||||
*/
|
||||
public void testStatisticsRetrieval() {
|
||||
String stats = rollingWindow.getRollingWindowStats();
|
||||
|
||||
assertNotNull("Statistics should not be null", stats);
|
||||
assertTrue("Statistics should contain pending count", stats.contains("pending"));
|
||||
assertTrue("Statistics should contain daily count", stats.contains("daily"));
|
||||
assertTrue("Statistics should contain platform info", stats.contains("platform"));
|
||||
}
|
||||
|
||||
/**
|
||||
* Test error handling
|
||||
*/
|
||||
public void testErrorHandling() {
|
||||
// Test with null components (should not crash)
|
||||
try {
|
||||
DailyNotificationRollingWindow errorWindow = new DailyNotificationRollingWindow(
|
||||
null, null, null, null, false
|
||||
);
|
||||
// Should not crash during construction
|
||||
} catch (Exception e) {
|
||||
// Expected to handle gracefully
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Mock DailyNotificationScheduler for testing
|
||||
*/
|
||||
private static class MockDailyNotificationScheduler extends DailyNotificationScheduler {
|
||||
public MockDailyNotificationScheduler() {
|
||||
super(null, null);
|
||||
}
|
||||
|
||||
@Override
|
||||
public boolean scheduleNotification(NotificationContent content) {
|
||||
return true; // Always succeed for testing
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Mock DailyNotificationTTLEnforcer for testing
|
||||
*/
|
||||
private static class MockDailyNotificationTTLEnforcer extends DailyNotificationTTLEnforcer {
|
||||
public MockDailyNotificationTTLEnforcer() {
|
||||
super(null, null, false);
|
||||
}
|
||||
|
||||
@Override
|
||||
public boolean validateBeforeArming(NotificationContent content) {
|
||||
return true; // Always pass validation for testing
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Mock DailyNotificationStorage for testing
|
||||
*/
|
||||
private static class MockDailyNotificationStorage extends DailyNotificationStorage {
|
||||
public MockDailyNotificationStorage() {
|
||||
super(null);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,217 +0,0 @@
|
||||
/**
|
||||
* DailyNotificationTTLEnforcerTest.java
|
||||
*
|
||||
* Unit tests for TTL-at-fire enforcement functionality
|
||||
* Tests freshness validation, TTL violation logging, and skip logic
|
||||
*
|
||||
* @author Matthew Raymer
|
||||
* @version 1.0.0
|
||||
*/
|
||||
|
||||
package com.timesafari.dailynotification;
|
||||
|
||||
import android.content.Context;
|
||||
import android.test.AndroidTestCase;
|
||||
import android.test.mock.MockContext;
|
||||
|
||||
import java.util.concurrent.TimeUnit;
|
||||
|
||||
/**
|
||||
* Unit tests for DailyNotificationTTLEnforcer
|
||||
*
|
||||
* Tests the core TTL enforcement functionality including:
|
||||
* - Freshness validation before arming
|
||||
* - TTL violation detection and logging
|
||||
* - Skip logic for stale content
|
||||
* - Configuration retrieval from storage
|
||||
*/
|
||||
public class DailyNotificationTTLEnforcerTest extends AndroidTestCase {
|
||||
|
||||
private DailyNotificationTTLEnforcer ttlEnforcer;
|
||||
private Context mockContext;
|
||||
private DailyNotificationDatabase database;
|
||||
|
||||
@Override
|
||||
protected void setUp() throws Exception {
|
||||
super.setUp();
|
||||
|
||||
// Create mock context
|
||||
mockContext = new MockContext() {
|
||||
@Override
|
||||
public android.content.SharedPreferences getSharedPreferences(String name, int mode) {
|
||||
return getContext().getSharedPreferences(name, mode);
|
||||
}
|
||||
};
|
||||
|
||||
// Create database instance
|
||||
database = new DailyNotificationDatabase(mockContext);
|
||||
|
||||
// Create TTL enforcer with SQLite storage
|
||||
ttlEnforcer = new DailyNotificationTTLEnforcer(mockContext, database, true);
|
||||
}
|
||||
|
||||
@Override
|
||||
protected void tearDown() throws Exception {
|
||||
if (database != null) {
|
||||
database.close();
|
||||
}
|
||||
super.tearDown();
|
||||
}
|
||||
|
||||
/**
|
||||
* Test freshness validation with fresh content
|
||||
*/
|
||||
public void testFreshContentValidation() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30); // 30 minutes from now
|
||||
long fetchedAt = currentTime - TimeUnit.MINUTES.toMillis(5); // 5 minutes ago
|
||||
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_1", scheduledTime, fetchedAt);
|
||||
|
||||
assertTrue("Content should be fresh (5 min old, scheduled 30 min from now)", isFresh);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test freshness validation with stale content
|
||||
*/
|
||||
public void testStaleContentValidation() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30); // 30 minutes from now
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(2); // 2 hours ago
|
||||
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_2", scheduledTime, fetchedAt);
|
||||
|
||||
assertFalse("Content should be stale (2 hours old, exceeds 1 hour TTL)", isFresh);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test TTL violation detection
|
||||
*/
|
||||
public void testTTLViolationDetection() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(2); // 2 hours ago
|
||||
|
||||
// This should trigger a TTL violation
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_3", scheduledTime, fetchedAt);
|
||||
|
||||
assertFalse("Should detect TTL violation", isFresh);
|
||||
|
||||
// Check that violation was logged (we can't easily test the actual logging,
|
||||
// but we can verify the method returns false as expected)
|
||||
}
|
||||
|
||||
/**
|
||||
* Test validateBeforeArming with fresh content
|
||||
*/
|
||||
public void testValidateBeforeArmingFresh() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.MINUTES.toMillis(5);
|
||||
|
||||
NotificationContent content = new NotificationContent();
|
||||
content.setId("test_slot_4");
|
||||
content.setScheduledTime(scheduledTime);
|
||||
content.setFetchedAt(fetchedAt);
|
||||
content.setTitle("Test Notification");
|
||||
content.setBody("Test body");
|
||||
|
||||
boolean shouldArm = ttlEnforcer.validateBeforeArming(content);
|
||||
|
||||
assertTrue("Should arm fresh content", shouldArm);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test validateBeforeArming with stale content
|
||||
*/
|
||||
public void testValidateBeforeArmingStale() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(2);
|
||||
|
||||
NotificationContent content = new NotificationContent();
|
||||
content.setId("test_slot_5");
|
||||
content.setScheduledTime(scheduledTime);
|
||||
content.setFetchedAt(fetchedAt);
|
||||
content.setTitle("Test Notification");
|
||||
content.setBody("Test body");
|
||||
|
||||
boolean shouldArm = ttlEnforcer.validateBeforeArming(content);
|
||||
|
||||
assertFalse("Should not arm stale content", shouldArm);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test edge case: content fetched exactly at TTL limit
|
||||
*/
|
||||
public void testTTLBoundaryCase() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(1); // Exactly 1 hour ago (TTL limit)
|
||||
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_6", scheduledTime, fetchedAt);
|
||||
|
||||
assertTrue("Content at TTL boundary should be considered fresh", isFresh);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test edge case: content fetched just over TTL limit
|
||||
*/
|
||||
public void testTTLBoundaryCaseOver() {
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(1) - TimeUnit.SECONDS.toMillis(1); // 1 hour + 1 second ago
|
||||
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_7", scheduledTime, fetchedAt);
|
||||
|
||||
assertFalse("Content just over TTL limit should be considered stale", isFresh);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test TTL violation statistics
|
||||
*/
|
||||
public void testTTLViolationStats() {
|
||||
// Generate some TTL violations
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.HOURS.toMillis(2);
|
||||
|
||||
// Trigger TTL violations
|
||||
ttlEnforcer.isContentFresh("test_slot_8", scheduledTime, fetchedAt);
|
||||
ttlEnforcer.isContentFresh("test_slot_9", scheduledTime, fetchedAt);
|
||||
|
||||
String stats = ttlEnforcer.getTTLViolationStats();
|
||||
|
||||
assertNotNull("TTL violation stats should not be null", stats);
|
||||
assertTrue("Stats should contain violation count", stats.contains("violations"));
|
||||
}
|
||||
|
||||
/**
|
||||
* Test error handling with invalid parameters
|
||||
*/
|
||||
public void testErrorHandling() {
|
||||
// Test with null slot ID
|
||||
boolean result = ttlEnforcer.isContentFresh(null, System.currentTimeMillis(), System.currentTimeMillis());
|
||||
assertFalse("Should handle null slot ID gracefully", result);
|
||||
|
||||
// Test with invalid timestamps
|
||||
result = ttlEnforcer.isContentFresh("test_slot_10", 0, 0);
|
||||
assertTrue("Should handle invalid timestamps gracefully", result);
|
||||
}
|
||||
|
||||
/**
|
||||
* Test TTL configuration retrieval
|
||||
*/
|
||||
public void testTTLConfiguration() {
|
||||
// Test that TTL enforcer can retrieve configuration
|
||||
// This is indirectly tested through the freshness checks
|
||||
long currentTime = System.currentTimeMillis();
|
||||
long scheduledTime = currentTime + TimeUnit.MINUTES.toMillis(30);
|
||||
long fetchedAt = currentTime - TimeUnit.MINUTES.toMillis(30); // 30 minutes ago
|
||||
|
||||
boolean isFresh = ttlEnforcer.isContentFresh("test_slot_11", scheduledTime, fetchedAt);
|
||||
|
||||
// Should be fresh (30 min < 1 hour TTL)
|
||||
assertTrue("Should retrieve TTL configuration correctly", isFresh);
|
||||
}
|
||||
}
|
||||
@@ -1,6 +1,7 @@
|
||||
include ':app'
|
||||
include ':plugin'
|
||||
include ':capacitor-cordova-android-plugins'
|
||||
project(':capacitor-cordova-android-plugins').projectDir = new File('./capacitor-cordova-android-plugins/')
|
||||
// Settings file for Daily Notification Plugin
|
||||
// This is a minimal settings.gradle for a Capacitor plugin module
|
||||
// Capacitor plugins don't typically need a settings.gradle, but it's included
|
||||
// for standalone builds and Android Studio compatibility
|
||||
|
||||
rootProject.name = 'daily-notification-plugin'
|
||||
|
||||
apply from: 'capacitor.settings.gradle'
|
||||
9
android/src/main/AndroidManifest.xml
Normal file
@@ -0,0 +1,9 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
|
||||
package="com.timesafari.dailynotification.plugin">
|
||||
|
||||
<!-- Plugin receivers are declared in consuming app's manifest -->
|
||||
<!-- This manifest is optional and mainly for library metadata -->
|
||||
|
||||
</manifest>
|
||||
|
||||