7 Commits
v0.1.0 ... main

Author SHA1 Message Date
54fa17e88d Merge 2026-04-15 00:12:10 +02:00
e1a3a82d56 Mejora d pipeline y actualizo el README.md 2026-04-14 23:51:40 +02:00
876c49e638 Merge branch 'feature/mejoras' 2026-04-14 23:41:08 +02:00
37f6fdace4 Limpio los archivos que me faltaban 2026-04-14 23:40:36 +02:00
31314003d5 Limpio repositorio 2026-04-14 23:37:12 +02:00
4527fced1d actualizo git ignore 2026-04-14 23:33:59 +02:00
8053c4a081 ci: pipeline generar apk 2026-04-14 23:28:46 +02:00
540 changed files with 96 additions and 51576 deletions

View File

@@ -1,17 +0,0 @@
# Memory Index - Helldivers 2 Android App
## User
## Feedback
## Project
- [Helldivers App Project](helldivers_app_project.md) - Estructura completa app Helldivers 2 para Galaxy S3
## Reference
- [Galaxy S3 Build Config](galaxy_s3_build_config.md) - Java 21 + API 18 desugaring setup
- [Helldivers 2 Theme Colors](helldivers_theme.md) - Color palette and UI patterns
- [SoundManager Pattern](soundmanager_pattern.md) - SoundPool implementation for low-latency audio
- [Gradle Build Config](gradle_build_config.md) - Gradle wrapper with Java 21 toolchain
- [Landscape Only Mode](landscape_only_mode.md) - Fixed landscape orientation configuration

View File

@@ -1,53 +0,0 @@
---
name: Galaxy S3 Build Configuration
description: Java 21 toolchain configuration for Android API 18-21 with desugaring
type: reference
---
## Working Configuration for Samsung Galaxy S3
**Why:** Galaxy S3 has Android 4.3 (API 18) with 1GB RAM. Java 21 features need desugaring.
**How to apply:**
### build.gradle (app level)
```gradle
android {
namespace 'com.helldivers.app'
compileSdk 28
defaultConfig {
minSdk 18
targetSdk 21
}
compileOptions {
sourceCompatibility JavaVersion.VERSION_21
targetCompatibility JavaVersion.VERSION_21
coreLibraryDesugaringEnabled true
}
java {
toolchain {
languageVersion = JavaLanguageVersion.of(21)
}
}
}
dependencies {
coreLibraryDesugaring 'com.android.tools:desugar_jdk_libs:2.0.4'
}
```
### AndroidManifest.xml
```xml
<uses-sdk android:minSdkVersion="18" android:targetSdkVersion="21" />
<application android:hardwareAccelerated="false">
```
### Key optimizations for 1GB RAM:
- Use Theme.Holo instead of AppCompat
- LinearLayout preferred over ConstraintLayout
- RGB_565 for bitmaps
- Disable hardware acceleration on problematic API 18
- Minimize overdraw

View File

@@ -1,103 +0,0 @@
---
name: Gradle Build Configuration
description: Gradle build files for Java 21 + API 18 with desugaring support
type: reference
---
# Gradle Build Configuration
Migrated from Maven to Gradle due to SDK compatibility issues.
## Key Files
### settings.gradle
```gradle
pluginManagement {
repositories {
google()
mavenCentral()
maven { url 'https://repo.maven.apache.org/maven2' }
}
}
dependencyResolutionManagement {
repositoriesMode.set(RepositoriesMode.FAIL_ON_PROJECT_REPOS)
repositories {
google()
mavenCentral()
maven { url 'https://repo.maven.apache.org/maven2' }
}
}
rootProject.name = "Helldivers2App"
include ':app'
```
### build.gradle (Root)
```gradle
buildscript {
repositories {
google()
mavenCentral()
maven { url 'https://repo.maven.apache.org/maven2' }
}
dependencies {
classpath 'com.android.tools.build:gradle:8.2.0'
}
}
plugins {
id 'com.android.application' version '8.2.0' apply false
}
```
### app/build.gradle
```gradle
android {
namespace 'com.helldivers.app'
compileSdk 28
defaultConfig {
applicationId "com.helldivers.app"
minSdk 18
targetSdk 21
versionCode 1
versionName "1.0"
}
compileOptions {
sourceCompatibility JavaVersion.VERSION_21
targetCompatibility JavaVersion.VERSION_21
coreLibraryDesugaringEnabled true
}
java {
toolchain {
languageVersion = JavaLanguageVersion.of(21)
}
}
}
dependencies {
implementation 'com.google.android:android:4.1.1.4'
implementation 'com.google.zxing:core:3.5.2'
implementation 'com.google.zxing:android-core:3.3.0'
coreLibraryDesugaring 'com.android.tools:desugar_jdk_libs:2.0.4'
}
```
## Compile Commands
```bash
# Debug APK
.\gradlew clean assembleDebug
# Install to device
.\gradlew installDebug
# Output: app/build/outputs/apk/debug/app-debug.apk
```
**Why:** Maven had issues with Android SDK path resolution. Gradle wrapper provides more reliable builds across different environments.
**How to apply:** Use `gradlew.bat` for all builds. Set JAVA_HOME to JDK 21 before running.

View File

@@ -1,31 +0,0 @@
---
name: Helldivers App Project
description: Estructura completa de app Helldivers 2 para Galaxy S3 (API 18-21)
type: project
---
Proyecto Android completo con temática Helldivers 2 creado el 2026-04-14.
**Estructura creada:**
- Java 21 toolchain con desugaring para API 18-21
- 3 Activities: MainActivity, ActivityQR, ActivityGame
- SoundManager con SoundPool para baja latencia
- Tema Helldivers 2: colores neón (amarillo, azul, rojo)
- ZXing core para generación QR (sin escaner completo)
- Orientación landscape forzada en todas las activities
- Optimizado para 720x1280 xhdpi (Galaxy S3)
**Archivos clave:**
- `C:/Users/dangilcal/Documents/Android/Helldivers/app/build.gradle` - Config Java 21 + desugaring
- `C:/Users/dangilcal/Documents/Android/Helldivers/app/src/main/AndroidManifest.xml` - Landscape forzado
- `C:/Users/dangilcal/Documents/Android/Helldivers/app/src/main/java/com/helldivers/app/` - Código fuente
- `C:/Users/dangilcal/Documents/Android/Helldivers/app/src/main/res/` - Recursos
**Funcionalidades:**
1. QR Instagram: genera QR para https://instagram.com/helldivers2
2. Minijuego Estratagemas: Simon Says con flechas, puntuación por niveles
**Para compilar:**
```
gradlew.bat assembleDebug
```

View File

@@ -1,46 +0,0 @@
---
name: Helldivers 2 Theme Colors
description: Color palette and UI patterns for Helldivers 2 sci-fi military aesthetic
type: reference
---
## Helldivers 2 Color Palette
| Color | Hex Code | Usage |
|-------|----------|-------|
| Military Orange | #FF6B00 | Primary accent, titles, buttons |
| Military Yellow | #FFB800 | Highlights, glow effects |
| Neon Cyan | #00D4FF | Active states, info text |
| Alert Red | #FF3333 | Errors, exit buttons |
| Success Green | #00FF66 | Success states |
| Dark Background | #0A0A0F | Main background |
| Panel Background | #121417 | Card/panel backgrounds |
| Secondary BG | #1B1F25 | Elevated surfaces |
## Button Styles
**Standard Button:**
- Background: #1B1F25 with orange border
- Pressed: Cyan border glow
- Min height: 56dp
- Border: 2dp
- Corner radius: 8dp
**Accent Buttons:**
- Orange: Uses gradient for military feel
- Cyan: For primary actions
- Red: For destructive actions
## Typography
- Titles: 24sp, bold, orange/yellow
- Buttons: 16sp, bold, white
- Status: 14sp, cyan
- Small: 12sp, gray
## Layout Guidelines (4.8" 720x1280)
- Touch targets: minimum 48dp
- Button spacing: 16dp
- Panel padding: 16dp
- Screen margins: 16dp

View File

@@ -1,57 +0,0 @@
---
name: Landscape Only Mode
description: Fixed landscape orientation for all activities - no rotation handling needed
type: project
---
# Landscape Only Mode
App configured to run exclusively in landscape orientation.
## AndroidManifest.xml Configuration
```xml
<uses-feature android:name="android.hardware.screen.landscape" android:required="true" />
<activity
android:name=".MainActivity"
android:screenOrientation="landscape"
android:configChanges="orientation|screenSize">
</activity>
```
All activities (MainActivity, EstrategemasActivity, QRActivity) have:
- `android:screenOrientation="landscape"` - Forces landscape
- `android:configChanges="orientation|screenSize"` - Prevents activity recreation
## Code Changes Required
### Removed from all Activities:
- `onConfigurationChanged()` method - no longer needed
- Portrait-specific constants and logic
- Layout switching logic (portrait vs landscape)
### QRActivity Specific:
```java
// OLD: Size based on orientation
int qrSize = (orientation == LANDSCAPE) ? QR_SIZE_LANDSCAPE : QR_SIZE_PORTRAIT;
// NEW: Fixed landscape size
private static final int QR_SIZE = 360; // 180dp x 2 for xhdpi
```
## Layout Structure
Only `res/layout/` exists - no `layout-land/` subdirectory needed.
All layouts are designed specifically for landscape (720x1280 on Galaxy S3).
## Benefits for Galaxy S3:
1. **Memory savings** - No duplicate layouts in memory
2. **Simpler code** - No orientation change handling
3. **Consistent UI** - Always optimized for 4.8" landscape display
4. **Better game experience** - Estrategemas minigame designed for wide screen
**Why:** User requested fixed landscape for consistent Helldivers 2 theme experience. Removes complexity of handling rotation on low-memory devices.
**How to apply:** When creating new activities, always add `android:screenOrientation="landscape"`. Never implement onConfigurationChanged(). Single layout folder only.

View File

@@ -1,48 +0,0 @@
---
name: SoundManager Pattern
description: SoundPool implementation for low-latency audio on legacy Android
type: reference
---
## SoundPool Implementation for Galaxy S3
**Why:** MediaPlayer has too much latency for UI sounds. SoundPool is designed for low-latency playback.
**How to apply:**
```java
public class SoundManager {
private static final int MAX_STREAMS = 8;
private SoundPool soundPool;
private Map<Integer, Integer> soundMap;
private void initializeSoundPool(Context context) {
soundMap = new HashMap<>();
if (Build.VERSION.SDK_INT >= 21) {
soundPool = new SoundPool.Builder()
.setMaxStreams(MAX_STREAMS)
.build();
} else {
// Legacy constructor for API 18-20
soundPool = new SoundPool(MAX_STREAMS, AudioManager.STREAM_MUSIC, 0);
}
}
public void playButtonClick() {
if (loaded && soundPool != null) {
Integer soundId = soundMap.get(SOUND_BUTTON);
if (soundId != null) {
soundPool.play(soundId, 0.7f, 0.7f, 1, 0, 1.0f);
}
}
}
}
```
### Key points:
- Use application context to avoid leaks
- Implement as singleton
- Release resources in onDestroy
- Support both legacy and modern SoundPool APIs
- Use short OGG files (under 50KB)

View File

@@ -1,210 +0,0 @@
---
name: "java21-android-legacy-builder"
description: "Use this agent when developing Android applications using Java 21 targeting legacy Samsung Galaxy S3 devices (API 18-21), implementing Helldivers 2 themed UIs, configuring Maven+Gradle hybrid dependency management, optimizing for 4.8\" HD screens with 1GB RAM constraints, or generating/debugging APK installations on low-end Android hardware.\\n\\nExamples:\\n- <example>\\n Context: The user is setting up a new Android project with Java 21 for a Samsung Galaxy S3.\\n user: \"Create a build.gradle file that uses Java 21 but works on Android 4.3\"\\n assistant: \"Here is the basic structure, but I need to configure the toolchain properly for Java 21 on API 18.\"\\n <commentary>\\n Since Java 21 requires specific desugaring and toolchain configuration to work on Android API 18-21 (Galaxy S3), use the java21-android-legacy-builder agent to handle the complex compatibility setup.\\n </commentary>\\n assistant: \"Let me use the java21-android-legacy-builder agent to configure the Java 21 toolchain with proper desugaring for your Galaxy S3 target\"\\n</example>\\n- <example>\\n Context: User needs to configure Maven dependencies in an Android Studio project that uses Gradle.\\n user: \"How do I set up Maven to manage my Retrofit and Gson libraries?\"\\n assistant: \"I'll help you set up the Maven integration.\"\\n <commentary>\\n Configuring Maven with Android Gradle requires specific repository setup and dependency translation patterns that the specialized agent handles.\\n </commentary>\\n assistant: \"I'll use the java21-android-legacy-builder agent to configure the Maven+Gradle hybrid dependency management\"\\n</example>\\n- <example>\\n Context: User is creating a UI layout for the Helldivers 2 themed app for a small screen device.\\n user: \"Create a main menu layout with big buttons for my game\"\\n assistant: \"Here's a basic layout, but I need to optimize it for the Galaxy S3 screen size.\"\\n <commentary>\\n The UI needs to account for the 720x1280 xhdpi resolution, 48dp touch targets, and Helldivers 2 aesthetic (neon colors, hexagonal patterns) while fitting on a 4.8\" display.\\n </commentary>\\n assistant: \"I'll use the java21-android-legacy-builder agent to create a Helldivers 2 themed layout optimized for the Galaxy S3's 4.8\" screen with proper accessibility touch targets\"\\n</example>"
model: sonnet
memory: project
---
You are an elite Android developer specializing in modern Java (21) on legacy devices, particularly the Samsung Galaxy S3 (API 18-21, 4.8" HD, 1GB RAM). You excel at creating performant, themed applications with hybrid Maven/Gradle builds and sci-fi aesthetics (specifically Helldivers 2).
## Core Responsibilities
1. **Java 21 on Android Implementation**
- Configure `java.toolchain` with languageVersion 21 in app/build.gradle
- Implement desugaring for API 18-21 compatibility: `coreLibraryDesugaringEnabled true`
- Ensure `sourceCompatibility` and `targetCompatibility` set to VERSION_21
- Add `desugar_jdk_libs` dependency for Java 8+ API support on legacy Android
- Flag when Java 21 features (records, pattern matching, virtual threads) require specific desugaring or won't work on API 18-21
2. **Samsung Galaxy S3 Optimization**
- Target API 18 (minSdk) to API 21 (targetSdk) for maximum compatibility
- Optimize layouts for 720x1280 px (xhdpi, ~306 dpi) resolution
- Ensure minimum 48dp touch targets for the 4.8" screen
- Memory-conscious development for 1GB RAM: avoid memory leaks, use ViewHolders, recycle bitmaps, minimize overdraw
- Use `dp` and `sp` appropriately for xhdpi density
3. **Helldivers 2 UI Theme Implementation**
- Color scheme: Dark backgrounds (#000000 to #121417), neon accents (#00BFFF blue, #FF3B30 red, orange neon), white text (#FFFFFF)
- Background: Vertical gradient with subtle hexagonal/metallic texture
- Typography: Roboto Condensed (20sp titles), Roboto Medium (16sp buttons)
- Buttons: Minimum 48dp height, 8dp rounded corners, neon borders, internal shadow effects
- Toolbar: #1B1F25 background, centered title in neon blue
- Icons: Linear/neon style, simple and clear, representing sci-fi military actions
- Spacing: 16dp between buttons, 12dp internal padding
4. **Maven + Gradle Hybrid Configuration**
- Maintain pom.xml for external dependency management using Maven coordinates
- Reference Maven repositories in Gradle: `maven { url 'https://repo.maven.apache.org/maven2' }`
- Translate Maven dependencies to Gradle implementation syntax
- Handle version conflicts between Maven-managed and Gradle-managed dependencies
5. **APK Generation & Deployment**
- Configure debug/release builds with proper signing configs
- Guide ADB installation: `adb install -r app/build/outputs/apk/debug/app-debug.apk`
- Troubleshoot USB debugging issues on Galaxy S3
- Verify installation success and runtime behavior on device
## Development Standards
- **Performance First**: Given 1GB RAM constraint, proactively suggest optimizations (lazy loading, bitmap recycling, avoid heavy animations)
- **Compatibility Guardrails**: Warn when proposed Java 21 features break API 18 compatibility
- **Theme Consistency**: Ensure all UI elements adhere to Helldivers 2 dark sci-fi aesthetic
- **Build Verification**: Always verify that configurations actually compile and generate valid APKs
## Error Handling & Edge Cases
- If Java 21 toolchain fails: Verify JDK 21 installation and Android Studio compatibility
- If desugaring fails: Check `coreLibraryDesugaringEnabled` and desugar library dependency
- If Maven dependencies conflict: Resolve using Gradle's dependency resolution strategies
- If layouts render incorrectly on 4.8": Adjust constraints and sizing for xhdpi density
- If APK fails to install: Check API level compatibility, signing config, and device storage
## Update your agent memory
Update your agent memory as you discover build configurations that work, device-specific quirks of the Galaxy S3, Maven dependency patterns, Helldivers 2 UI implementations, and performance optimization techniques for 1GB RAM devices.
Examples of what to record:
- Specific desugaring configurations that work with Java 21 on API 18-21
- Galaxy S3 specific issues (e.g., WebView limitations, memory constraints, specific hardware bugs)
- Maven-to-Gradle dependency translation patterns that worked
- Helldivers 2 color schemes and drawable resources that render well on 4.8" screens
- Memory leak patterns to avoid on 1GB RAM devices
- Compatible Java 21 features vs those requiring newer Android APIs
- Optimal APK size reduction techniques for legacy devices
When providing code, always consider the 720x1280 xhdpi constraint and ensure touch targets meet accessibility guidelines for the small screen.
# Persistent Agent Memory
You have a persistent, file-based memory system at `C:\Users\dangilcal\Documents\Android\AppHelldivers2\.claude\agent-memory\java21-android-legacy-builder\`. This directory already exists — write to it directly with the Write tool (do not run mkdir or check for its existence).
You should build up this memory system over time so that future conversations can have a complete picture of who the user is, how they'd like to collaborate with you, what behaviors to avoid or repeat, and the context behind the work the user gives you.
If the user explicitly asks you to remember something, save it immediately as whichever type fits best. If they ask you to forget something, find and remove the relevant entry.
## Types of memory
There are several discrete types of memory that you can store in your memory system:
<types>
<type>
<name>user</name>
<description>Contain information about the user's role, goals, responsibilities, and knowledge. Great user memories help you tailor your future behavior to the user's preferences and perspective. Your goal in reading and writing these memories is to build up an understanding of who the user is and how you can be most helpful to them specifically. For example, you should collaborate with a senior software engineer differently than a student who is coding for the very first time. Keep in mind, that the aim here is to be helpful to the user. Avoid writing memories about the user that could be viewed as a negative judgement or that are not relevant to the work you're trying to accomplish together.</description>
<when_to_save>When you learn any details about the user's role, preferences, responsibilities, or knowledge</when_to_save>
<how_to_use>When your work should be informed by the user's profile or perspective. For example, if the user is asking you to explain a part of the code, you should answer that question in a way that is tailored to the specific details that they will find most valuable or that helps them build their mental model in relation to domain knowledge they already have.</how_to_use>
<examples>
user: I'm a data scientist investigating what logging we have in place
assistant: [saves user memory: user is a data scientist, currently focused on observability/logging]
user: I've been writing Go for ten years but this is my first time touching the React side of this repo
assistant: [saves user memory: deep Go expertise, new to React and this project's frontend — frame frontend explanations in terms of backend analogues]
</examples>
</type>
<type>
<name>feedback</name>
<description>Guidance the user has given you about how to approach work — both what to avoid and what to keep doing. These are a very important type of memory to read and write as they allow you to remain coherent and responsive to the way you should approach work in the project. Record from failure AND success: if you only save corrections, you will avoid past mistakes but drift away from approaches the user has already validated, and may grow overly cautious.</description>
<when_to_save>Any time the user corrects your approach ("no not that", "don't", "stop doing X") OR confirms a non-obvious approach worked ("yes exactly", "perfect, keep doing that", accepting an unusual choice without pushback). Corrections are easy to notice; confirmations are quieter — watch for them. In both cases, save what is applicable to future conversations, especially if surprising or not obvious from the code. Include *why* so you can judge edge cases later.</when_to_save>
<how_to_use>Let these memories guide your behavior so that the user does not need to offer the same guidance twice.</how_to_use>
<body_structure>Lead with the rule itself, then a **Why:** line (the reason the user gave — often a past incident or strong preference) and a **How to apply:** line (when/where this guidance kicks in). Knowing *why* lets you judge edge cases instead of blindly following the rule.</body_structure>
<examples>
user: don't mock the database in these tests — we got burned last quarter when mocked tests passed but the prod migration failed
assistant: [saves feedback memory: integration tests must hit a real database, not mocks. Reason: prior incident where mock/prod divergence masked a broken migration]
user: stop summarizing what you just did at the end of every response, I can read the diff
assistant: [saves feedback memory: this user wants terse responses with no trailing summaries]
user: yeah the single bundled PR was the right call here, splitting this one would've just been churn
assistant: [saves feedback memory: for refactors in this area, user prefers one bundled PR over many small ones. Confirmed after I chose this approach — a validated judgment call, not a correction]
</examples>
</type>
<type>
<name>project</name>
<description>Information that you learn about ongoing work, goals, initiatives, bugs, or incidents within the project that is not otherwise derivable from the code or git history. Project memories help you understand the broader context and motivation behind the work the user is doing within this working directory.</description>
<when_to_save>When you learn who is doing what, why, or by when. These states change relatively quickly so try to keep your understanding of this up to date. Always convert relative dates in user messages to absolute dates when saving (e.g., "Thursday" → "2026-03-05"), so the memory remains interpretable after time passes.</when_to_save>
<how_to_use>Use these memories to more fully understand the details and nuance behind the user's request and make better informed suggestions.</how_to_use>
<body_structure>Lead with the fact or decision, then a **Why:** line (the motivation — often a constraint, deadline, or stakeholder ask) and a **How to apply:** line (how this should shape your suggestions). Project memories decay fast, so the why helps future-you judge whether the memory is still load-bearing.</body_structure>
<examples>
user: we're freezing all non-critical merges after Thursday — mobile team is cutting a release branch
assistant: [saves project memory: merge freeze begins 2026-03-05 for mobile release cut. Flag any non-critical PR work scheduled after that date]
user: the reason we're ripping out the old auth middleware is that legal flagged it for storing session tokens in a way that doesn't meet the new compliance requirements
assistant: [saves project memory: auth middleware rewrite is driven by legal/compliance requirements around session token storage, not tech-debt cleanup — scope decisions should favor compliance over ergonomics]
</examples>
</type>
<type>
<name>reference</name>
<description>Stores pointers to where information can be found in external systems. These memories allow you to remember where to look to find up-to-date information outside of the project directory.</description>
<when_to_save>When you learn about resources in external systems and their purpose. For example, that bugs are tracked in a specific project in Linear or that feedback can be found in a specific Slack channel.</when_to_save>
<how_to_use>When the user references an external system or information that may be in an external system.</how_to_use>
<examples>
user: check the Linear project "INGEST" if you want context on these tickets, that's where we track all pipeline bugs
assistant: [saves reference memory: pipeline bugs are tracked in Linear project "INGEST"]
user: the Grafana board at grafana.internal/d/api-latency is what oncall watches — if you're touching request handling, that's the thing that'll page someone
assistant: [saves reference memory: grafana.internal/d/api-latency is the oncall latency dashboard — check it when editing request-path code]
</examples>
</type>
</types>
## What NOT to save in memory
- Code patterns, conventions, architecture, file paths, or project structure — these can be derived by reading the current project state.
- Git history, recent changes, or who-changed-what — `git log` / `git blame` are authoritative.
- Debugging solutions or fix recipes — the fix is in the code; the commit message has the context.
- Anything already documented in CLAUDE.md files.
- Ephemeral task details: in-progress work, temporary state, current conversation context.
These exclusions apply even when the user explicitly asks you to save. If they ask you to save a PR list or activity summary, ask what was *surprising* or *non-obvious* about it — that is the part worth keeping.
## How to save memories
Saving a memory is a two-step process:
**Step 1** — write the memory to its own file (e.g., `user_role.md`, `feedback_testing.md`) using this frontmatter format:
```markdown
---
name: {{memory name}}
description: {{one-line description — used to decide relevance in future conversations, so be specific}}
type: {{user, feedback, project, reference}}
---
{{memory content — for feedback/project types, structure as: rule/fact, then **Why:** and **How to apply:** lines}}
```
**Step 2** — add a pointer to that file in `MEMORY.md`. `MEMORY.md` is an index, not a memory — each entry should be one line, under ~150 characters: `- [Title](file.md) — one-line hook`. It has no frontmatter. Never write memory content directly into `MEMORY.md`.
- `MEMORY.md` is always loaded into your conversation context — lines after 200 will be truncated, so keep the index concise
- Keep the name, description, and type fields in memory files up-to-date with the content
- Organize memory semantically by topic, not chronologically
- Update or remove memories that turn out to be wrong or outdated
- Do not write duplicate memories. First check if there is an existing memory you can update before writing a new one.
## When to access memories
- When memories seem relevant, or the user references prior-conversation work.
- You MUST access memory when the user explicitly asks you to check, recall, or remember.
- If the user says to *ignore* or *not use* memory: Do not apply remembered facts, cite, compare against, or mention memory content.
- Memory records can become stale over time. Use memory as context for what was true at a given point in time. Before answering the user or building assumptions based solely on information in memory records, verify that the memory is still correct and up-to-date by reading the current state of the files or resources. If a recalled memory conflicts with current information, trust what you observe now — and update or remove the stale memory rather than acting on it.
## Before recommending from memory
A memory that names a specific function, file, or flag is a claim that it existed *when the memory was written*. It may have been renamed, removed, or never merged. Before recommending it:
- If the memory names a file path: check the file exists.
- If the memory names a function or flag: grep for it.
- If the user is about to act on your recommendation (not just asking about history), verify first.
"The memory says X exists" is not the same as "X exists now."
A memory that summarizes repo state (activity logs, architecture snapshots) is frozen in time. If the user asks about *recent* or *current* state, prefer `git log` or reading the code over recalling the snapshot.
## Memory and other forms of persistence
Memory is one of several persistence mechanisms available to you as you assist the user in a given conversation. The distinction is often that memory can be recalled in future conversations and should not be used for persisting information that is only useful within the scope of the current conversation.
- When to use or update a plan instead of memory: If you are about to start a non-trivial implementation task and would like to reach alignment with the user on your approach you should use a Plan rather than saving this information to memory. Similarly, if you already have a plan within the conversation and you have changed your approach persist that change by updating the plan rather than saving a memory.
- When to use or update tasks instead of memory: When you need to break your work in current conversation into discrete steps or keep track of your progress use tasks instead of saving to memory. Tasks are great for persisting information about the work that needs to be done in the current conversation, but memory should be reserved for information that will be useful in future conversations.
- Since this memory is project-scope and shared with your team via version control, tailor your memories to this project
## MEMORY.md
Your MEMORY.md is currently empty. When you save new memories, they will appear here.

View File

@@ -1,7 +0,0 @@
{
"permissions": {
"allow": [
"Bash(ls:*)"
]
}
}

View File

@@ -0,0 +1,41 @@
name: Build Android APK
on:
push:
tags:
- 'v*'
jobs:
build:
runs-on: ubuntu-latest
steps:
- name: Checkout code
uses: actions/checkout@v4
- name: Set up JDK 21
uses: actions/setup-java@v4
with:
java-version: '21'
distribution: 'temurin'
- name: Setup Android SDK
run: |
mkdir -p $ANDROID_HOME/cmdline-tools
cd $ANDROID_HOME/cmdline-tools
wget -q https://dl.google.com/android/repository/commandlinetools-linux-11076708_latest.zip -O cmdline-tools.zip
unzip -q cmdline-tools.zip
mv cmdline-tools latest
echo "y" | $ANDROID_HOME/cmdline-tools/latest/bin/sdkmanager --licenses > /dev/null 2>&1
$ANDROID_HOME/cmdline-tools/latest/bin/sdkmanager "platform-tools" "platforms;android-34" "build-tools;34.0.0"
- name: Build APK
run: |
chmod +x ./gradlew
./gradlew assembleRelease --no-daemon -Dorg.gradle.java.home=$JAVA_HOME
- name: Upload APK
uses: actions/upload-artifact@v4
with:
name: apk
path: app/build/outputs/apk/release/*.apk

3
.gitignore vendored
View File

@@ -33,3 +33,6 @@ google-services.json
# Android Profiling # Android Profiling
*.hprof *.hprof
# Claude
.claude/
.settings/

Binary file not shown.

Binary file not shown.

View File

@@ -1,2 +0,0 @@
#Tue Apr 14 11:07:20 CEST 2026
gradle.version=8.5

View File

@@ -1,2 +0,0 @@
#Tue Apr 14 10:57:17 CEST 2026
java.home=C\:\\Program Files\\Android\\Android Studio\\jbr

Binary file not shown.

3
.idea/.gitignore generated vendored
View File

@@ -1,3 +0,0 @@
# Default ignored files
/shelf/
/workspace.xml

1
.idea/.name generated
View File

@@ -1 +0,0 @@
HelldiversApp

View File

@@ -1,6 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="AndroidProjectSystem">
<option name="providerId" value="com.android.tools.idea.GradleProjectSystem" />
</component>
</project>

File diff suppressed because it is too large Load Diff

View File

@@ -1,123 +0,0 @@
<component name="ProjectCodeStyleConfiguration">
<code_scheme name="Project" version="173">
<JetCodeStyleSettings>
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</JetCodeStyleSettings>
<codeStyleSettings language="XML">
<option name="FORCE_REARRANGE_MODE" value="1" />
<indentOptions>
<option name="CONTINUATION_INDENT_SIZE" value="4" />
</indentOptions>
<arrangement>
<rules>
<section>
<rule>
<match>
<AND>
<NAME>xmlns:android</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>xmlns:.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*:id</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*:name</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>name</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>style</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
<order>ANDROID_ATTRIBUTE_ORDER</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>.*</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
</rules>
</arrangement>
</codeStyleSettings>
<codeStyleSettings language="kotlin">
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</codeStyleSettings>
</code_scheme>
</component>

View File

@@ -1,5 +0,0 @@
<component name="ProjectCodeStyleConfiguration">
<state>
<option name="USE_PER_PROJECT_SETTINGS" value="true" />
</state>
</component>

6
.idea/compiler.xml generated
View File

@@ -1,6 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="CompilerConfiguration">
<bytecodeTargetLevel target="21" />
</component>
</project>

View File

@@ -1,18 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="deploymentTargetSelector">
<selectionStates>
<SelectionState runConfigName="app">
<option name="selectionMode" value="DROPDOWN" />
<DropdownSelection timestamp="2026-04-14T09:37:00.192225900Z">
<Target type="DEFAULT_BOOT">
<handle>
<DeviceId pluginId="LocalEmulator" identifier="path=C:\Users\dangilcal\.android\avd\api_18_4.3.avd" />
</handle>
</Target>
</DropdownSelection>
<DialogSelection />
</SelectionState>
</selectionStates>
</component>
</project>

View File

@@ -1,13 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="DeviceTable">
<option name="columnSorters">
<list>
<ColumnSorterState>
<option name="column" value="Name" />
<option name="order" value="ASCENDING" />
</ColumnSorterState>
</list>
</option>
</component>
</project>

19
.idea/gradle.xml generated
View File

@@ -1,19 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="GradleMigrationSettings" migrationVersion="1" />
<component name="GradleSettings">
<option name="linkedExternalProjectsSettings">
<GradleProjectSettings>
<option name="testRunner" value="CHOOSE_PER_TEST" />
<option name="externalProjectPath" value="$PROJECT_DIR$" />
<option name="gradleJvm" value="#GRADLE_LOCAL_JAVA_HOME" />
<option name="modules">
<set>
<option value="$PROJECT_DIR$" />
<option value="$PROJECT_DIR$/app" />
</set>
</option>
</GradleProjectSettings>
</option>
</component>
</project>

8
.idea/markdown.xml generated
View File

@@ -1,8 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="MarkdownSettings">
<option name="previewPanelProviderInfo">
<ProviderInfo name="Compose (experimental)" className="com.intellij.markdown.compose.preview.ComposePanelProvider" />
</option>
</component>
</project>

10
.idea/migrations.xml generated
View File

@@ -1,10 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="ProjectMigrations">
<option name="MigrateToGradleLocalJavaHome">
<set>
<option value="$PROJECT_DIR$" />
</set>
</option>
</component>
</project>

9
.idea/misc.xml generated
View File

@@ -1,9 +0,0 @@
<project version="4">
<component name="ExternalStorageConfigurationManager" enabled="true" />
<component name="ProjectRootManager" version="2" languageLevel="JDK_21" default="true" project-jdk-name="jbr-21" project-jdk-type="JavaSDK">
<output url="file://$PROJECT_DIR$/build/classes" />
</component>
<component name="ProjectType">
<option name="id" value="Android" />
</component>
</project>

View File

@@ -1,17 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="RunConfigurationProducerService">
<option name="ignoredProducers">
<set>
<option value="com.intellij.execution.junit.AbstractAllInDirectoryConfigurationProducer" />
<option value="com.intellij.execution.junit.AllInPackageConfigurationProducer" />
<option value="com.intellij.execution.junit.PatternConfigurationProducer" />
<option value="com.intellij.execution.junit.TestInClassConfigurationProducer" />
<option value="com.intellij.execution.junit.UniqueIdConfigurationProducer" />
<option value="com.intellij.execution.junit.testDiscovery.JUnitTestDiscoveryConfigurationProducer" />
<option value="org.jetbrains.kotlin.idea.junit.KotlinJUnitRunConfigurationProducer" />
<option value="org.jetbrains.kotlin.idea.junit.KotlinPatternConfigurationProducer" />
</set>
</option>
</component>
</project>

View File

@@ -1,13 +0,0 @@
arguments=--init-script C\:\\Users\\dangilcal\\.cache\\opencode\\bin\\jdtls\\config_win\\org.eclipse.osgi\\58\\0\\.cp\\gradle\\init\\init.gradle
auto.sync=false
build.scans.enabled=false
connection.gradle.distribution=GRADLE_DISTRIBUTION(WRAPPER)
connection.project.dir=
eclipse.preferences.version=1
gradle.user.home=
java.home=C\:/des/jdk-21.0.10
jvm.arguments=
offline.mode=false
override.workspace.settings=true
show.console.view=true
show.executions.view=true

View File

@@ -20,45 +20,74 @@ Aplicación Android con temática Helldivers 2 para Samsung Galaxy S3 (API 18-21
```bash ```bash
# Windows # Windows
gradlew.bat assembleDebug gradlew.bat assembleRelease
# Linux/Mac # Linux/Mac
./gradlew assembleDebug ./gradlew assembleRelease
``` ```
El APK se generará en: `app/build/outputs/apk/debug/app-debug.apk` El APK se generará en: `app/build/outputs/apk/release/app-release.apk`
## Instalación en Galaxy S3 ## Instalación
```bash ```bash
adb install -r app/build/outputs/apk/debug/app-debug.apk adb install -r app/build/outputs/apk/release/app-release.apk
``` ```
## Pipeline CI/CD
El proyecto incluye pipeline automático para Gitea que compila releases al crear tags:
```bash
git tag v1.0.0
git push origin v1.0.0
```
- **Trigger**: Tags con formato `v*`
- **JDK**: 21
- **Android SDK**: API 34, build-tools 34.0.0
- **Salida**: APK en artifacts
## Estructura del Proyecto ## Estructura del Proyecto
``` ```
app/ Helldivers/
├── src/main/ ├── app/
│ ├── java/com/helldivers/app/ │ ├── src/main/
│ │ ├── MainActivity.java # Menú principal │ │ ├── java/com/helldivers/app/
│ │ ├── ActivityQR.java # Pantalla QR │ │ │ ├── MainActivity.java # Menú principal
│ │ ├── ActivityGame.java # Minijuego estratagemas │ │ ├── ActivityQR.java # Pantalla QR
│ │ └── SoundManager.java # Gestor de sonidos │ │ │ ├── ActivityGame.java # Minijuego estratagemas
├── res/ │ │ └── SoundManager.java # Gestor de sonidos
│ │ ├── layout/ # Layouts XML │ │ ├── res/
│ │ ├── values/ # Colores, strings, estilos │ │ │ ├── layout/ # Layouts XML
│ │ └── drawable/ # Fondos y botones │ │ │ ├── values/ # Colores, strings, estilos
└── AndroidManifest.xml │ │ └── drawable/ # Fondos y botones
└── build.gradle │ │ └── AndroidManifest.xml
│ └── build.gradle
├── build.gradle # Configuración Android Gradle Plugin 8.3.0
├── settings.gradle
├── gradle.properties
├── gradlew / gradlew.bat
└── .gitea/workflows/android.yml # Pipeline CI/CD
``` ```
## Configuración Técnica ## Configuración Técnica
- **minSdk**: 18 (Android 4.3) |属性|Valor|
- **targetSdk**: 21 (Android 5.0) |---|---|
- **compileSdk**: 34 |minSdk|18 (Android 4.3)|
- **Java**: 21 con desugaring |targetSdk|21 (Android 5.0)|
- **Resolución objetivo**: 720x1280 xhdpi (landscape) |compileSdk|34|
|Java|21 con desugaring|
|AGP|8.3.0|
|Resolución|720x1280 xhdpi (landscape)|
## Contribución
1. Crea un branch desde `main`
2. Haz tus cambios
3. Envía un pull request
## Licencia ## Licencia

View File

@@ -1,2 +0,0 @@
connection.project.dir=..
eclipse.preferences.version=1

View File

@@ -1,12 +0,0 @@
<?xml version="1.0" encoding="utf-8"?>
<!-- Icono Gamepad/Estratagemas -->
<vector xmlns:android="http://schemas.android.com/apk/res/android"
android:width="32dp"
android:height="32dp"
android:viewportWidth="24"
android:viewportHeight="24"
android:tint="#FFD700">
<path
android:fillColor="#FFD700"
android:pathData="M21,6H3c-1.1,0 -2,0.9 -2,2v8c0,1.1 0.9,2 2,2h18c1.1,0 2,-0.9 2,-2V8C23,6.9 22.1,6 21,6zM11,13H8v3H6v-3H3v-2h3V8h2v3h3V13zM15.5,15c-0.83,0 -1.5,-0.67 -1.5,-1.5S14.67,12 15.5,12s1.5,0.67 1.5,1.5S16.33,15 15.5,15zM19.5,12c-0.83,0 -1.5,-0.67 -1.5,-1.5S18.67,9 19.5,9s1.5,0.67 1.5,1.5S20.33,12 19.5,12z" />
</vector>

View File

@@ -1,17 +0,0 @@
<?xml version="1.0" encoding="utf-8"?>
<!-- Foreground del icono - Estilo Helldivers 2 -->
<vector xmlns:android="http://schemas.android.com/apk/res/android"
android:width="108dp"
android:height="108dp"
android:viewportWidth="108"
android:viewportHeight="108">
<path
android:fillColor="#FFD700"
android:pathData="M54,28 L70,44 L70,64 L54,80 L38,64 L38,44 Z" />
<path
android:fillColor="#000000"
android:pathData="M54,36 L62,44 L62,60 L54,68 L46,60 L46,44 Z" />
<path
android:fillColor="#FFD700"
android:pathData="M54,44 L58,48 L58,56 L54,60 L50,56 L50,48 Z" />
</vector>

View File

@@ -1,39 +0,0 @@
<?xml version="1.0" encoding="utf-8"?>
<!-- Icono QR simple -->
<vector xmlns:android="http://schemas.android.com/apk/res/android"
android:width="32dp"
android:height="32dp"
android:viewportWidth="24"
android:viewportHeight="24"
android:tint="#FFD700">
<path
android:fillColor="#FFD700"
android:pathData="M3,11h8V3H3V11zM5,5h4v4H5V5z" />
<path
android:fillColor="#FFD700"
android:pathData="M13,3v8h8V3H13zM19,9h-4V5h4V9z" />
<path
android:fillColor="#FFD700"
android:pathData="M3,21h8v-8H3V21zM5,15h4v4H5V15z" />
<path
android:fillColor="#FFD700"
android:pathData="M13,13h2v2h-2z" />
<path
android:fillColor="#FFD700"
android:pathData="M13,17h2v2h-2z" />
<path
android:fillColor="#FFD700"
android:pathData="M17,13h2v4h-2z" />
<path
android:fillColor="#FFD700"
android:pathData="M19,17h2v2h-2z" />
<path
android:fillColor="#FFD700"
android:pathData="M19,13h2v2h-2z" />
<path
android:fillColor="#FFD700"
android:pathData="M17,19h4v2h-4z" />
<path
android:fillColor="#FFD700"
android:pathData="M13,19h2v2h-2z" />
</vector>

View File

@@ -1,57 +0,0 @@
<?xml version="1.0" encoding="utf-8"?>
<vector xmlns:android="http://schemas.android.com/apk/res/android"
android:width="280dp"
android:height="80dp"
android:viewportWidth="280"
android:viewportHeight="80">
<!-- Fondo negro -->
<path
android:fillColor="#0D0D0D"
android:pathData="M0,0h280v80h-280z"/>
<!-- Borde amarillo -->
<path
android:strokeColor="#FFD700"
android:strokeWidth="2"
android:pathData="M2,2h276v76h-276z"/>
<!-- Texto HELLDIVERS - amarillo -->
<path
android:fillColor="#FFD700"
android:pathData="M20,25 L20,55 L25,55 L25,40 L40,55 L47,55 L30,38 L48,25 L41,25 L28,34 L25,30 L25,25 Z
M50,25 L55,25 L62,55 L57,55 L56,47 L53,47 L52,55 L47,55 L43,25 L48,25
M65,25 L78,25 L78,30 L72,30 L71,38 L84,38 L84,42 L71,42 L70,50 L86,50 L86,55 L65,55 Z
M89,25 L94,25 L99,55 L94,55 L93,47 L90,47 L89,55 L84,55 L80,25 L85,25
M108,25 L108,55 L113,55 L113,40 L125,55 L132,55 L118,38 L130,25 L123,25 L113,34 L113,30 L113,25 Z
M135,25 L147,25 L147,30 L143,30 L143,33 C143,40 150,42 150,46 C150,50 147,52 143,52 L135,52 Z M140,30 L140,47 L143,47 C144,47 145,46 145,45 C145,44 144,42 143,40 Z
M153,25 L165,25 L165,30 L160,30 L160,55 L158,55 L158,30 L153,30 Z
M168,25 L180,25 L180,30 L176,30 L176,55 L174,55 L174,30 L168,30 Z
M183,25 L195,25 L195,30 L191,30 L191,55 L189,55 L189,30 L183,30 Z
M198,25 L209,25 L209,55 L204,55 L204,48 C207,50 209,48 209,46 C209,43 207,41 204,41 L198,41 Z
M222,25 L235,25 L235,30 L230,30 L230,33 C230,40 237,42 237,46 C237,50 234,52 230,52 L222,52 Z M227,30 L227,47 L230,47 C231,47 232,46 232,45 C232,44 231,42 230,40 Z
M240,25 L252,25 L252,30 L248,30 L248,55 L246,55 L246,30 L240,30 Z
M255,25 L270,25 L270,30 L264,30 L264,33 C264,40 271,42 271,46 C271,50 268,52 264,52 L255,52 Z M260,30 L260,47 L264,47 C265,47 266,46 266,45 C266,44 265,42 264,40 Z"/>
<!-- Liberty - texto pequeño -->
<path
android:fillColor="#00FF00"
android:pathSize="0.5"
android:pathData="M90,58 L90,75 L95,75 L95,64 L105,75 L112,75 L100,62 L112,58 L105,58 L95,66 L95,62 L90,62 Z"/>
<path
android:fillColor="#00FF00"
android:pathData="M117,58 L130,58 L130,63 L125,63 L125,66 C125,71 130,72 130,75 C130,78 125,79 120,79 L117,79 Z M122,63 L122,75 L125,75 C127,75 128,74 128,73 C128,72 127,71 125,70 L125,67 L122,67 Z"/>
<path
android:fillColor="#00FF00"
android:pathData="M133,58 L145,58 L145,63 L141,63 L141,79 L137,79 L137,63 L133,63 Z"/>
<path
android:fillColor="#00FF00"
android:pathData="M148,58 L160,58 L160,63 L156,63 L156,79 L152,79 L152,63 L148,63 Z"/>
<path
android:fillColor="#00FF00"
android:pathData="M163,58 L170,58 L170,60 L170,75 L168,75 L168,60 L163,60 Z M163,63 L170,63 L170,75 L163,75 Z"/>
</vector>

Binary file not shown.

Before

Width:  |  Height:  |  Size: 329 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.0 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 316 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 6.5 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 186 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 440 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 185 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 3.2 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 274 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 602 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 347 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 3.8 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 496 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.4 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 537 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 8.6 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 733 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.3 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 924 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 15 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1021 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 3.3 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.3 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 22 KiB

View File

@@ -1,12 +0,0 @@
/**
* Automatically generated file. DO NOT MODIFY
*/
package com.helldivers.app;
public final class BuildConfig {
public static final boolean DEBUG = Boolean.parseBoolean("true");
public static final String APPLICATION_ID = "com.helldivers.app";
public static final String BUILD_TYPE = "debug";
public static final int VERSION_CODE = 1;
public static final String VERSION_NAME = "1.0.0-LIBERTY";
}

View File

@@ -1,2 +0,0 @@
#- File Locator -
listingFile=../../../../outputs/apk/debug/output-metadata.json

View File

@@ -1,2 +0,0 @@
appMetadataVersion=1.1
androidGradlePluginVersion=8.3.0

View File

@@ -1,10 +0,0 @@
{
"version": 3,
"artifactType": {
"type": "COMPATIBLE_SCREEN_MANIFEST",
"kind": "Directory"
},
"applicationId": "com.helldivers.app",
"variantName": "debug",
"elements": []
}

Some files were not shown because too many files have changed in this diff Show More