commit 0c69cd11c5eec91696f7a161ec6a186a64c2cb54 Author: Marvin Date: Tue Mar 17 14:24:48 2026 -0300 Initial commit: Notes App with text and checklist support Features: - Create, edit, and delete notes (text or checklist) - Sort notes by date or alphabetically - Dark theme UI with Material Design components - Checklist items with checkboxes and progress tracking - Floating action buttons for adding/deleting checklist items - Auto-save functionality - Swipe to delete from list Technical: - Android Studio project with Gradle build system - SQLite database via Room-like storage (SharedPreferences) - RecyclerView for efficient note/item lists - Fragment-based navigation Bug Fixes: - Fixed new notes not appearing in main view after creation - Added onResume() refresh to NotesListFragment - Corrected ID assignment and counter logic in NotesStorage diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..79ad4c8 --- /dev/null +++ b/.gitignore @@ -0,0 +1,86 @@ +# Built application files +*.apk +*.aar +*.ap_ +*.aab + +# Files for the ART/Dalvik VM +*.dex + +# Java class files +*.class + +# Generated files +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/ + +# Local configuration file (sdk path, etc) +local.properties + +# Proguard folder generated by Eclipse +proguard/ + +# Log Files +*.log + +# Android Studio Navigation editor temp files +.navigation/ + +# Android Studio captures folder +captures/ + +# IntelliJ +*.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 + +# Keystore files +# Uncomment the following lines if you do not want to check your keystore files in. +#*.jks +#*.keystore + +# External native build folder generated in Android Studio 2.2 and later +.externalNativeBuild +.cxx/ + +# Google Services (e.g. APIs or Firebase) +google-services.json + +# Freeline +freeline.py +freeline/ +freeline_project_description.yml + +# fastlane +fastlane/report.xml +fastlane/Preview.html +fastlane/screenshots +fastlane/test_output +fastlane/readme.md + +# Version control +vcs.xml + +# lint +lint/intermediates/ +lint/reports/ +lint/generated/ + +# Android Profiling +*.hprof diff --git a/README.md b/README.md new file mode 100644 index 0000000..463dfc1 --- /dev/null +++ b/README.md @@ -0,0 +1,66 @@ +# Notes App + +A lightweight personal notes app for Android with plain text and checklist note types. + +## Features + +- **Two Note Types**: Plain text notes and checklists +- **Dark Mode Only**: Optimized for low-light usage +- **Sortable List**: Sort by date (most/oldest) or alphabetically (A-Z/Z-A) +- **Swipe to Delete**: Swipe any note left/right to delete with confirmation +- **Auto-save**: Notes are automatically saved as you type +- **Checklist Features**: + - Add/remove items + - Toggle checkboxes + - Progress indicator (X/Y completed) + - **"Delete All Checked" button** - Remove all checked items at once + +## Requirements + +- Android Studio Hedgehog or later +- JDK 17 +- Minimum SDK: API 24 (Android 7.0) +- Target SDK: API 34 (Android 14) + +## How to Build + +1. Open Android Studio +2. Select **File > Open** and navigate to the `NotesApp` folder +3. Wait for Gradle sync to complete +4. Connect an Android device or start an emulator (API 24+) +5. Click **Run** (Shift+F10) or select **Run > Run 'app'** + +## Project Structure + +``` +NotesApp/ +├── app/src/main/java/com/notesapp/ +│ ├── MainActivity.java # Main activity hosting fragments +│ ├── fragments/ +│ │ ├── NotesListFragment.java # Note list with sorting & swipe-to-delete +│ │ └── NoteEditorFragment.java # Editor for text and checklist notes +│ ├── adapters/ +│ │ ├── NotesAdapter.java # RecyclerView adapter for note cards +│ │ └── ChecklistAdapter.java # RecyclerView adapter for checklist items +│ ├── models/ +│ │ ├── Note.java # Data model with JSON serialization +│ │ └── ChecklistItem.java # Checklist item data model +│ └── utils/ +│ └── NotesStorage.java # SharedPreferences storage layer +├── app/src/main/res/ +│ ├── layout/ # XML layouts +│ ├── drawable/ # Vector icons +│ └── values/ # Colors, strings, themes +└── build.gradle # App configuration +``` + +## Storage + +Notes are stored in SharedPreferences with the following structure: +- `note_count`: Next available ID +- `sort_order`: Current sort preference +- Per-note data (JSON serialized): type, title, content/items, timestamp + +## License + +Personal use only. diff --git a/app/build.gradle b/app/build.gradle new file mode 100644 index 0000000..dc108c4 --- /dev/null +++ b/app/build.gradle @@ -0,0 +1,36 @@ +plugins { + id 'com.android.application' +} + +android { + namespace 'com.notesapp' + compileSdk 34 + + defaultConfig { + applicationId "com.notesapp" + minSdk 24 + targetSdk 34 + versionCode 1 + versionName "1.0" + } + + buildTypes { + release { + minifyEnabled false + proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro' + } + } + + compileOptions { + sourceCompatibility JavaVersion.VERSION_17 + targetCompatibility JavaVersion.VERSION_17 + } +} + +dependencies { + implementation 'androidx.appcompat:appcompat:1.6.1' + implementation 'com.google.android.material:material:1.9.0' + implementation 'androidx.recyclerview:recyclerview:1.3.2' + implementation 'androidx.cardview:cardview:1.0.0' + implementation 'androidx.constraintlayout:constraintlayout:2.1.4' +} diff --git a/app/proguard-rules.pro b/app/proguard-rules.pro new file mode 100644 index 0000000..c18a71d --- /dev/null +++ b/app/proguard-rules.pro @@ -0,0 +1,5 @@ +# Add project specific ProGuard rules here. +-keepattributes *Annotation* +-keepclassmembers class * { + @android.webkit.JavascriptInterface ; +} diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml new file mode 100644 index 0000000..83f244c --- /dev/null +++ b/app/src/main/AndroidManifest.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + diff --git a/app/src/main/java/com/notesapp/MainActivity.java b/app/src/main/java/com/notesapp/MainActivity.java new file mode 100644 index 0000000..4503da9 --- /dev/null +++ b/app/src/main/java/com/notesapp/MainActivity.java @@ -0,0 +1,25 @@ +package com.notesapp; + +import android.os.Bundle; + +import androidx.appcompat.app.AppCompatActivity; +import androidx.fragment.app.Fragment; + +import com.notesapp.fragments.NotesListFragment; + +public class MainActivity extends AppCompatActivity { + + @Override + protected void onCreate(Bundle savedInstanceState) { + super.onCreate(savedInstanceState); + setContentView(R.layout.activity_main); + + if (savedInstanceState == null) { + Fragment fragment = new NotesListFragment(); + getSupportFragmentManager() + .beginTransaction() + .replace(R.id.fragment_container, fragment) + .commit(); + } + } +} diff --git a/app/src/main/java/com/notesapp/adapters/ChecklistAdapter.java b/app/src/main/java/com/notesapp/adapters/ChecklistAdapter.java new file mode 100644 index 0000000..926c32f --- /dev/null +++ b/app/src/main/java/com/notesapp/adapters/ChecklistAdapter.java @@ -0,0 +1,103 @@ +package com.notesapp.adapters; + +import android.view.LayoutInflater; +import android.view.View; +import android.view.ViewGroup; +import android.widget.CheckBox; +import android.widget.EditText; +import android.widget.ImageButton; + +import androidx.annotation.NonNull; +import androidx.recyclerview.widget.RecyclerView; + +import com.notesapp.R; +import com.notesapp.models.ChecklistItem; + +import java.util.List; + +public class ChecklistAdapter extends RecyclerView.Adapter { + private List items; + private OnItemChangeListener listener; + + public interface OnItemChangeListener { + void onTextChange(ChecklistItem item, String text); + void onCheckedChange(ChecklistItem item, boolean checked); + void onDeleteClick(int position, ChecklistItem item); + } + + public ChecklistAdapter(OnItemChangeListener listener) { + this.listener = listener; + this.items = new java.util.ArrayList<>(); + } + + @NonNull + @Override + public ChecklistViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) { + View view = LayoutInflater.from(parent.getContext()).inflate(R.layout.item_checklist_row, parent, false); + return new ChecklistViewHolder(view); + } + + @Override + public void onBindViewHolder(@NonNull ChecklistViewHolder holder, int position) { + final ChecklistItem item = items.get(position); + + holder.editText.setText(item.getText()); + holder.checkBox.setChecked(item.isChecked()); + + holder.editText.addTextChangedListener(new android.text.TextWatcher() { + @Override + public void beforeTextChanged(CharSequence s, int start, int count, int after) {} + + @Override + public void onTextChanged(CharSequence s, int start, int before, int count) { + item.setText(s.toString()); + if (listener != null) { + listener.onTextChange(item, s.toString()); + } + } + + @Override + public void afterTextChanged(android.text.Editable s) {} + }); + + holder.checkBox.setOnCheckedChangeListener((buttonView, isChecked) -> { + item.setChecked(isChecked); + if (listener != null) { + listener.onCheckedChange(item, isChecked); + } + }); + + holder.deleteButton.setOnClickListener(v -> { + if (listener != null) { + listener.onDeleteClick(position, item); + } + }); + } + + @Override + public int getItemCount() { + return items.size(); + } + + public void setItems(List items) { + this.items = items; + notifyDataSetChanged(); + } + + public List getItems() { + return items; + } + + static class ChecklistViewHolder extends RecyclerView.ViewHolder { + CheckBox checkBox; + EditText editText; + ImageButton deleteButton; + + public ChecklistViewHolder(@NonNull View itemView) { + super(itemView); + checkBox = itemView.findViewById(R.id.check_box); + editText = itemView.findViewById(R.id.item_text); + deleteButton = itemView.findViewById(R.id.delete_button); + } + } +} diff --git a/app/src/main/java/com/notesapp/adapters/NotesAdapter.java b/app/src/main/java/com/notesapp/adapters/NotesAdapter.java new file mode 100644 index 0000000..5ea662d --- /dev/null +++ b/app/src/main/java/com/notesapp/adapters/NotesAdapter.java @@ -0,0 +1,97 @@ +package com.notesapp.adapters; + +import android.content.Context; +import android.view.LayoutInflater; +import android.view.View; +import android.view.ViewGroup; +import android.widget.ImageView; +import android.widget.TextView; + +import androidx.annotation.NonNull; +import androidx.recyclerview.widget.RecyclerView; + +import com.google.android.material.card.MaterialCardView; +import com.notesapp.R; +import com.notesapp.models.Note; +import com.notesapp.models.Note.NoteType; + +import java.text.SimpleDateFormat; +import java.util.Date; +import java.util.List; +import java.util.Locale; + +public class NotesAdapter extends RecyclerView.Adapter { + private List notes; + private Context context; + private OnNoteClickListener listener; + private SimpleDateFormat dateFormat; + + public interface OnNoteClickListener { + void onNoteClick(Note note); + void onDeleteNote(int position, Note note); + } + + public NotesAdapter(Context context, OnNoteClickListener listener) { + this.context = context; + this.listener = listener; + this.dateFormat = new SimpleDateFormat("MMM dd, yyyy HH:mm", Locale.getDefault()); + } + + @NonNull + @Override + public NotesViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) { + View view = LayoutInflater.from(context).inflate(R.layout.item_note_card, parent, false); + return new NotesViewHolder(view); + } + + @Override + public void onBindViewHolder(@NonNull NotesViewHolder holder, int position) { + Note note = notes.get(position); + + holder.titleText.setText(note.getTitle().isEmpty() ? "Untitled" : note.getTitle()); + holder.previewText.setText(note.getPreview()); + holder.timestampText.setText(dateFormat.format(new Date(note.getModifiedTimestamp()))); + + if (note.getType() == NoteType.TEXT) { + holder.typeIcon.setImageResource(R.drawable.ic_text); + } else { + holder.typeIcon.setImageResource(R.drawable.ic_checklist); + } + + holder.cardView.setOnClickListener(v -> listener.onNoteClick(note)); + } + + @Override + public int getItemCount() { + return notes == null ? 0 : notes.size(); + } + + public void setNotes(List notes) { + this.notes = notes; + notifyDataSetChanged(); + } + + public Note getNoteAt(int position) { + if (notes != null && position >= 0 && position < notes.size()) { + return notes.get(position); + } + return null; + } + + static class NotesViewHolder extends RecyclerView.ViewHolder { + MaterialCardView cardView; + ImageView typeIcon; + TextView titleText; + TextView previewText; + TextView timestampText; + + public NotesViewHolder(@NonNull View itemView) { + super(itemView); + cardView = itemView.findViewById(R.id.card_view); + typeIcon = itemView.findViewById(R.id.type_icon); + titleText = itemView.findViewById(R.id.title_text); + previewText = itemView.findViewById(R.id.preview_text); + timestampText = itemView.findViewById(R.id.timestamp_text); + } + } +} diff --git a/app/src/main/java/com/notesapp/fragments/NoteEditorFragment.java b/app/src/main/java/com/notesapp/fragments/NoteEditorFragment.java new file mode 100644 index 0000000..23e7ae5 --- /dev/null +++ b/app/src/main/java/com/notesapp/fragments/NoteEditorFragment.java @@ -0,0 +1,286 @@ +package com.notesapp.fragments; + +import android.os.Bundle; +import android.text.Editable; +import android.text.TextWatcher; +import android.view.LayoutInflater; +import android.view.View; +import android.view.ViewGroup; +import android.widget.EditText; +import android.widget.ImageButton; +import android.widget.TextView; +import android.widget.Toast; + +import androidx.annotation.NonNull; +import androidx.annotation.Nullable; +import androidx.fragment.app.Fragment; +import androidx.recyclerview.widget.LinearLayoutManager; +import androidx.recyclerview.widget.RecyclerView; + +import com.google.android.material.floatingactionbutton.FloatingActionButton; +import com.notesapp.R; +import com.notesapp.adapters.ChecklistAdapter; +import com.notesapp.models.ChecklistItem; +import com.notesapp.models.Note; +import com.notesapp.utils.NotesStorage; + +import java.util.ArrayList; +import java.util.List; + +public class NoteEditorFragment extends Fragment { + private static final String ARG_NOTE = "note"; + private static final String ARG_IS_NEW = "is_new"; + + private EditText titleEditText; + private EditText contentEditText; + private View textContainer; + private View checklistContainer; + + private RecyclerView checklistRecyclerView; + private FloatingActionButton addImageButton; + private FloatingActionButton deleteCheckedButton; + private TextView progressText; + + private Note note; + private boolean isNewNote; + private NotesStorage storage; + private ChecklistAdapter checklistAdapter; + + private android.os.Handler saveHandler = new android.os.Handler(); + private Runnable saveRunnable; + + public static NoteEditorFragment newInstance(Note note, boolean isNew) { + NoteEditorFragment fragment = new NoteEditorFragment(); + Bundle args = new Bundle(); + args.putSerializable(ARG_NOTE, note); + args.putBoolean(ARG_IS_NEW, isNew); + fragment.setArguments(args); + return fragment; + } + + @Nullable + @Override + public View onCreateView(@NonNull LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) { + return inflater.inflate(R.layout.fragment_note_editor, container, false); + } + + @Override + public void onViewCreated(@NonNull View view, @Nullable Bundle savedInstanceState) { + super.onViewCreated(view, savedInstanceState); + + storage = new NotesStorage(requireContext()); + + if (getArguments() != null) { + note = (Note) getArguments().getSerializable(ARG_NOTE); + isNewNote = getArguments().getBoolean(ARG_IS_NEW); + } + + titleEditText = view.findViewById(R.id.title_edit_text); + contentEditText = view.findViewById(R.id.content_edit_text); + textContainer = view.findViewById(R.id.text_container); + checklistContainer = view.findViewById(R.id.checklist_container); + + checklistRecyclerView = view.findViewById(R.id.checklist_recycler_view); + addImageButton = view.findViewById(R.id.add_item_button); + deleteCheckedButton = view.findViewById(R.id.delete_checked_button); + progressText = view.findViewById(R.id.progress_text); + + setupTitleListener(); + setupBackButton(view); + + if (note.getType() == Note.NoteType.TEXT) { + showTextEditor(); + } else { + showChecklistEditor(); + } + } + + private void setupTitleListener() { + titleEditText.setText(note.getTitle()); + titleEditText.addTextChangedListener(new TextWatcher() { + @Override + public void beforeTextChanged(CharSequence s, int start, int count, int after) {} + + @Override + public void onTextChanged(CharSequence s, int start, int before, int count) { + note.setTitle(s.toString()); + scheduleSave(); + } + + @Override + public void afterTextChanged(Editable s) {} + }); + } + + private void setupBackButton(View view) { + ImageButton backButton = view.findViewById(R.id.back_button); + backButton.setOnClickListener(v -> requireActivity().onBackPressed()); + } + + private void showTextEditor() { + textContainer.setVisibility(View.VISIBLE); + checklistContainer.setVisibility(View.GONE); + addImageButton.setVisibility(View.GONE); + deleteCheckedButton.setVisibility(View.GONE); + progressText.setVisibility(View.GONE); + + contentEditText.setText(note.getContent()); + contentEditText.addTextChangedListener(new TextWatcher() { + @Override + public void beforeTextChanged(CharSequence s, int start, int count, int after) {} + + @Override + public void onTextChanged(CharSequence s, int start, int before, int count) { + note.setContent(s.toString()); + scheduleSave(); + } + + @Override + public void afterTextChanged(Editable s) {} + }); + } + + private void showChecklistEditor() { + textContainer.setVisibility(View.GONE); + checklistContainer.setVisibility(View.VISIBLE); + addImageButton.setVisibility(View.VISIBLE); + deleteCheckedButton.setVisibility(View.VISIBLE); + progressText.setVisibility(View.VISIBLE); + + setupChecklistRecyclerView(); + updateProgress(); + } + + private void setupChecklistRecyclerView() { + if (note.getItems() == null) { + note.setItems(new ArrayList<>()); + } + + checklistAdapter = new ChecklistAdapter(new ChecklistAdapter.OnItemChangeListener() { + @Override + public void onTextChange(ChecklistItem item, String text) { + scheduleSave(); + } + + @Override + public void onCheckedChange(ChecklistItem item, boolean checked) { + updateProgress(); + scheduleSave(); + } + + @Override + public void onDeleteClick(int position, ChecklistItem item) { + note.getItems().remove(position); + checklistAdapter.notifyItemRemoved(position); + updateProgress(); + saveNoteImmediately(); + } + }); + + checklistAdapter.setItems(note.getItems()); + checklistRecyclerView.setLayoutManager(new LinearLayoutManager(requireContext())); + checklistRecyclerView.setAdapter(checklistAdapter); + + addImageButton.setOnClickListener(v -> { + ChecklistItem newItem = new ChecklistItem(""); + note.getItems().add(newItem); + checklistAdapter.notifyItemInserted(note.getItems().size() - 1); + updateProgress(); + + androidx.recyclerview.widget.RecyclerView.ViewHolder holder = + checklistRecyclerView.findViewHolderForAdapterPosition(note.getItems().size() - 1); + if (holder != null) { + EditText lastEditText = holder.itemView.findViewById(R.id.item_text); + lastEditText.requestFocus(); + } + }); + + deleteCheckedButton.setOnClickListener(v -> { + int checkedCount = countCheckedItems(); + if (checkedCount > 0) { + showDeleteCheckedConfirmation(checkedCount); + } + }); + } + + private int countCheckedItems() { + int count = 0; + for (ChecklistItem item : note.getItems()) { + if (item.isChecked()) count++; + } + return count; + } + + private void updateProgress() { + int total = note.getItems().size(); + int checked = countCheckedItems(); + + progressText.setText(String.format("%d/%d completed", checked, total)); + + if (checked > 0) { + deleteCheckedButton.setEnabled(true); + } else { + deleteCheckedButton.setEnabled(false); + } + } + + private void showDeleteCheckedConfirmation(int count) { + new android.app.AlertDialog.Builder(requireContext()) + .setTitle("Delete Checked Items") + .setMessage("Are you sure you want to delete " + count + " checked items? This cannot be undone.") + .setPositiveButton("Delete", (dialog, which) -> { + List unchecked = new ArrayList<>(); + for (ChecklistItem item : note.getItems()) { + if (!item.isChecked()) { + unchecked.add(item); + } + } + + note.getItems().clear(); + note.getItems().addAll(unchecked); + checklistAdapter.setItems(note.getItems()); + updateProgress(); + saveNoteImmediately(); + Toast.makeText(requireContext(), count + " items deleted", Toast.LENGTH_SHORT).show(); + }) + .setNegativeButton("Cancel", null) + .show(); + } + + private void scheduleSave() { + if (saveRunnable != null) { + saveHandler.removeCallbacks(saveRunnable); + } + + saveRunnable = () -> saveNoteImmediately(); + saveHandler.postDelayed(saveRunnable, 500); + } + + private void saveNoteImmediately() { + note.setModifiedTimestamp(System.currentTimeMillis()); + storage.saveNote(note); + } + + @Override + public void onResume() { + super.onResume(); + + if (note.getType() == Note.NoteType.TEXT) { + contentEditText.setText(note.getContent()); + } else { + if (checklistAdapter != null) { + checklistAdapter.setItems(note.getItems()); + } + updateProgress(); + } + } + + @Override + public void onDestroyView() { + super.onDestroyView(); + if (saveRunnable != null) { + saveHandler.removeCallbacks(saveRunnable); + saveNoteImmediately(); + } + } +} diff --git a/app/src/main/java/com/notesapp/fragments/NotesListFragment.java b/app/src/main/java/com/notesapp/fragments/NotesListFragment.java new file mode 100644 index 0000000..f076a1e --- /dev/null +++ b/app/src/main/java/com/notesapp/fragments/NotesListFragment.java @@ -0,0 +1,179 @@ +package com.notesapp.fragments; + +import android.app.AlertDialog; +import android.os.Bundle; +import android.view.LayoutInflater; +import android.view.View; +import android.view.ViewGroup; +import android.widget.AdapterView; +import android.widget.Spinner; + +import androidx.annotation.NonNull; +import androidx.annotation.Nullable; +import androidx.fragment.app.Fragment; +import androidx.recyclerview.widget.ItemTouchHelper; +import androidx.recyclerview.widget.LinearLayoutManager; +import androidx.recyclerview.widget.RecyclerView; + +import com.google.android.material.floatingactionbutton.FloatingActionButton; +import com.notesapp.R; +import com.notesapp.adapters.NotesAdapter; +import com.notesapp.models.Note; +import com.notesapp.utils.NotesStorage; + +public class NotesListFragment extends Fragment implements NotesAdapter.OnNoteClickListener { + private RecyclerView recyclerView; + private Spinner sortSpinner; + private FloatingActionButton fab; + private NotesAdapter adapter; + private NotesStorage storage; + private ItemTouchHelper itemTouchHelper; + + @Nullable + @Override + public View onCreateView(@NonNull LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) { + return inflater.inflate(R.layout.fragment_notes_list, container, false); + } + + @Override + public void onViewCreated(@NonNull View view, @Nullable Bundle savedInstanceState) { + super.onViewCreated(view, savedInstanceState); + + storage = new NotesStorage(requireContext()); + + recyclerView = view.findViewById(R.id.recycler_view); + sortSpinner = view.findViewById(R.id.sort_spinner); + fab = view.findViewById(R.id.fab); + + setupRecyclerView(); + setupSortSpinner(); + setupFab(); + loadNotes(); + } + + private void setupRecyclerView() { + adapter = new NotesAdapter(requireContext(), this); + recyclerView.setLayoutManager(new LinearLayoutManager(requireContext())); + recyclerView.setAdapter(adapter); + + itemTouchHelper = new ItemTouchHelper(new ItemTouchHelper.SimpleCallback(0, ItemTouchHelper.LEFT | ItemTouchHelper.RIGHT) { + @Override + public boolean onMove(@NonNull RecyclerView recyclerView, @NonNull RecyclerView.ViewHolder viewHolder, @NonNull RecyclerView.ViewHolder target) { + return false; + } + + @Override + public void onSwiped(@NonNull RecyclerView.ViewHolder viewHolder, int direction) { + Note note = adapter.getNoteAt(viewHolder.getAdapterPosition()); + if (note != null) { + showDeleteConfirmation(note); + } + } + }); + itemTouchHelper.attachToRecyclerView(recyclerView); + } + + private void setupSortSpinner() { + sortSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() { + @Override + public void onItemSelected(AdapterView parent, View view, int position, long id) { + String sortOrder = (String) parent.getItemAtPosition(position); + storage.setSortOrder(sortOrder); + loadNotes(); + } + + @Override + public void onNothingSelected(AdapterView parent) {} + }); + } + + private void setupFab() { + fab.setOnClickListener(v -> showCreateNoteDialog()); + } + + private void loadNotes() { + String currentSort = storage.getSortOrder(); + + switch (currentSort) { + case "OLDEST_FIRST": + sortSpinner.setSelection(1); + break; + case "A_TO_Z": + sortSpinner.setSelection(2); + break; + case "Z_TO_A": + sortSpinner.setSelection(3); + break; + default: + sortSpinner.setSelection(0); + } + + adapter.setNotes(storage.getAllNotes()); + } + + private void showCreateNoteDialog() { + AlertDialog.Builder builder = new AlertDialog.Builder(requireContext()); + builder.setTitle("Create New Note"); + + String[] options = {"Text Note", "Checklist"}; + builder.setItems(options, (dialog, which) -> { + if (which == 0) { + openNoteEditor(Note.NoteType.TEXT); + } else { + openNoteEditor(Note.NoteType.CHECKLIST); + } + }); + + builder.setNegativeButton("Cancel", null); + builder.show(); + } + + private void openNoteEditor(Note.NoteType type) { + Note newNote = new Note(storage.getNextId() + 1, "", type); + + NoteEditorFragment editorFragment = NoteEditorFragment.newInstance(newNote, true); + requireActivity().getSupportFragmentManager() + .beginTransaction() + .replace(R.id.fragment_container, editorFragment) + .addToBackStack(null) + .commit(); + } + + private void showDeleteConfirmation(Note note) { + AlertDialog.Builder builder = new AlertDialog.Builder(requireContext()); + builder.setTitle("Delete Note"); + builder.setMessage("Are you sure you want to delete \"" + (note.getTitle().isEmpty() ? "Untitled" : note.getTitle()) + "\"?"); + + builder.setPositiveButton("Delete", (dialog, which) -> { + storage.deleteNote(note.getId()); + loadNotes(); + }); + + builder.setNegativeButton("Cancel", (dialog, which) -> { + loadNotes(); + }); + + builder.show(); + } + + @Override + public void onNoteClick(Note note) { + NoteEditorFragment editorFragment = NoteEditorFragment.newInstance(note, false); + requireActivity().getSupportFragmentManager() + .beginTransaction() + .replace(R.id.fragment_container, editorFragment) + .addToBackStack(null) + .commit(); + } + + @Override + public void onDeleteNote(int position, Note note) { + showDeleteConfirmation(note); + } + + @Override + public void onResume() { + super.onResume(); + loadNotes(); + } +} diff --git a/app/src/main/java/com/notesapp/models/ChecklistItem.java b/app/src/main/java/com/notesapp/models/ChecklistItem.java new file mode 100644 index 0000000..eb892d2 --- /dev/null +++ b/app/src/main/java/com/notesapp/models/ChecklistItem.java @@ -0,0 +1,49 @@ +package com.notesapp.models; + +public class ChecklistItem { + private String id; + private String text; + private boolean checked; + + public ChecklistItem() { + this.id = java.util.UUID.randomUUID().toString(); + this.text = ""; + this.checked = false; + } + + public ChecklistItem(String text) { + this.id = java.util.UUID.randomUUID().toString(); + this.text = text; + this.checked = false; + } + + public ChecklistItem(String id, String text, boolean checked) { + this.id = id; + this.text = text; + this.checked = checked; + } + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public String getText() { + return text; + } + + public void setText(String text) { + this.text = text; + } + + public boolean isChecked() { + return checked; + } + + public void setChecked(boolean checked) { + this.checked = checked; + } +} diff --git a/app/src/main/java/com/notesapp/models/Note.java b/app/src/main/java/com/notesapp/models/Note.java new file mode 100644 index 0000000..c0e5b01 --- /dev/null +++ b/app/src/main/java/com/notesapp/models/Note.java @@ -0,0 +1,240 @@ +package com.notesapp.models; + +import java.io.Serializable; +import java.util.ArrayList; +import java.util.List; + +public class Note implements Serializable { + private static final long serialVersionUID = 1L; + public enum NoteType { + TEXT, CHECKLIST + } + + private int id; + private String title; + private NoteType type; + private long modifiedTimestamp; + private String content; + private List items; + + public Note() { + this.id = 0; + this.title = ""; + this.type = NoteType.TEXT; + this.modifiedTimestamp = System.currentTimeMillis(); + this.content = ""; + this.items = new ArrayList<>(); + } + + public Note(int id, String title, NoteType type) { + this.id = id; + this.title = title; + this.type = type; + this.modifiedTimestamp = System.currentTimeMillis(); + this.content = ""; + this.items = new ArrayList<>(); + } + + public int getId() { + return id; + } + + public void setId(int id) { + this.id = id; + } + + public String getTitle() { + return title; + } + + public void setTitle(String title) { + this.title = title; + } + + public NoteType getType() { + return type; + } + + public void setType(NoteType type) { + this.type = type; + } + + public long getModifiedTimestamp() { + return modifiedTimestamp; + } + + public void setModifiedTimestamp(long modifiedTimestamp) { + this.modifiedTimestamp = modifiedTimestamp; + } + + public String getContent() { + return content; + } + + public void setContent(String content) { + this.content = content; + } + + public List getItems() { + return items; + } + + public void setItems(List items) { + this.items = items; + } + + public String getPreview() { + if (type == NoteType.TEXT) { + if (content == null || content.isEmpty()) { + return "Empty note"; + } + int maxLength = 50; + String preview = content.substring(0, Math.min(content.length(), maxLength)); + if (content.length() > maxLength) { + preview += "..."; + } + return preview; + } else { + int checkedCount = 0; + for (ChecklistItem item : items) { + if (item.isChecked()) checkedCount++; + } + return String.format("%d/%d completed", checkedCount, items.size()); + } + } + + public static String toJson(Note note) { + StringBuilder json = new StringBuilder(); + json.append("{"); + json.append("\"id\":").append(note.id).append(","); + json.append("\"title\":\"").append(escapeJson(note.title)).append("\","); + json.append("\"type\":\"").append(note.type.name()).append("\","); + json.append("\"modified\":").append(note.modifiedTimestamp).append(","); + + if (note.type == NoteType.TEXT) { + json.append("\"content\":\"").append(escapeJson(note.content)).append("\","); + json.append("\"items\":[]"); + } else { + json.append("\"content\":\"\","); + json.append("\"items\":["); + for (int i = 0; i < note.items.size(); i++) { + ChecklistItem item = note.items.get(i); + if (i > 0) json.append(","); + json.append("{"); + json.append("\"id\":\"").append(escapeJson(item.getId())).append("\","); + json.append("\"text\":\"").append(escapeJson(item.getText())).append("\","); + json.append("\"checked\":").append(item.isChecked()); + json.append("}"); + } + json.append("]"); + } + + json.append("}"); + return json.toString(); + } + + public static Note fromJson(String json) { + Note note = new Note(); + + note.id = parseInt(json, "id"); + note.title = parseString(json, "title"); + String typeStr = parseString(json, "type"); + note.type = typeStr.equals("CHECKLIST") ? NoteType.CHECKLIST : NoteType.TEXT; + note.modifiedTimestamp = parseLong(json, "modified"); + + if (note.type == NoteType.TEXT) { + note.content = parseString(json, "content"); + note.items = new ArrayList<>(); + } else { + note.content = ""; + String itemsJson = extractArrayContent(json, "items"); + note.items = parseChecklistItems(itemsJson); + } + + return note; + } + + private static String escapeJson(String s) { + if (s == null) return ""; + return s.replace("\\", "\\\\") + .replace("\"", "\\\"") + .replace("\n", "\\n") + .replace("\r", "\\r") + .replace("\t", "\\t"); + } + + private static int parseInt(String json, String key) { + String pattern = "\"" + key + "\":([0-9]+)"; + java.util.regex.Pattern p = java.util.regex.Pattern.compile(pattern); + java.util.regex.Matcher m = p.matcher(json); + if (m.find()) { + return Integer.parseInt(m.group(1)); + } + return 0; + } + + private static long parseLong(String json, String key) { + String pattern = "\"" + key + "\":([0-9]+)"; + java.util.regex.Pattern p = java.util.regex.Pattern.compile(pattern); + java.util.regex.Matcher m = p.matcher(json); + if (m.find()) { + return Long.parseLong(m.group(1)); + } + return 0; + } + + private static String parseString(String json, String key) { + String pattern = "\"" + key + "\":\"((?:[^\"\\\\]|\\\\.)*)\""; + java.util.regex.Pattern p = java.util.regex.Pattern.compile(pattern); + java.util.regex.Matcher m = p.matcher(json); + if (m.find()) { + return unescapeJson(m.group(1)); + } + return ""; + } + + private static String unescapeJson(String s) { + if (s == null) return ""; + return s.replace("\\\\", "\\") + .replace("\\\"", "\"") + .replace("\\n", "\n") + .replace("\\r", "\r") + .replace("\\t", "\t"); + } + + private static String extractArrayContent(String json, String key) { + int start = json.indexOf("\"" + key + "\":["); + if (start == -1) return "[]"; + start += ("\"" + key + "\"[").length(); + int bracketCount = 1; + int end = start; + while (end < json.length() && bracketCount > 0) { + char c = json.charAt(end); + if (c == '[') bracketCount++; + else if (c == ']') bracketCount--; + end++; + } + return json.substring(start, end - 1); + } + + private static List parseChecklistItems(String itemsJson) { + List items = new ArrayList<>(); + if (itemsJson.isEmpty() || itemsJson.equals("[]")) { + return items; + } + + String pattern = "\\{\"id\":\"((?:[^\"\\\\]|\\\\.)*)\",\"text\":\"((?:[^\"\\\\]|\\\\.)*)\",\"checked\":(true|false)\\}"; + java.util.regex.Pattern p = java.util.regex.Pattern.compile(pattern); + java.util.regex.Matcher m = p.matcher(itemsJson); + + while (m.find()) { + ChecklistItem item = new ChecklistItem(); + item.setId(unescapeJson(m.group(1))); + item.setText(unescapeJson(m.group(2))); + item.setChecked(Boolean.parseBoolean(m.group(3))); + items.add(item); + } + + return items; + } +} diff --git a/app/src/main/java/com/notesapp/utils/NotesStorage.java b/app/src/main/java/com/notesapp/utils/NotesStorage.java new file mode 100644 index 0000000..aba7908 --- /dev/null +++ b/app/src/main/java/com/notesapp/utils/NotesStorage.java @@ -0,0 +1,163 @@ +package com.notesapp.utils; + +import android.content.Context; +import android.content.SharedPreferences; + +import com.notesapp.models.ChecklistItem; +import com.notesapp.models.Note; + +import java.util.ArrayList; +import java.util.Collections; +import java.util.Comparator; +import java.util.List; + +public class NotesStorage { + private static final String PREFS_NAME = "notes_app_prefs"; + private static final String KEY_NOTE_COUNT = "note_count"; + private static final String KEY_SORT_ORDER = "sort_order"; + + private Context context; + private SharedPreferences prefs; + + public NotesStorage(Context context) { + this.context = context.getApplicationContext(); + this.prefs = context.getSharedPreferences(PREFS_NAME, Context.MODE_PRIVATE); + } + + public int getNextId() { + return prefs.getInt(KEY_NOTE_COUNT, 0); + } + + private void incrementNoteCount() { + int count = prefs.getInt(KEY_NOTE_COUNT, 0); + prefs.edit().putInt(KEY_NOTE_COUNT, count + 1).apply(); + } + + public String getNoteKey(int id) { + return "note_" + id; + } + + public void saveNote(Note note) { + String key = getNoteKey(note.getId()); + + prefs.edit() + .putString(key + "_type", note.getType().name()) + .putString(key + "_title", note.getTitle()) + .putString(key + "_content", Note.toJson(note)) + .putLong(key + "_modified", note.getModifiedTimestamp()) + .apply(); + + int count = prefs.getInt(KEY_NOTE_COUNT, 0); + if (note.getId() >= count) { + prefs.edit().putInt(KEY_NOTE_COUNT, note.getId() + 1).apply(); + } + } + + public Note getNote(int id) { + String key = getNoteKey(id); + String content = prefs.getString(key + "_content", null); + + if (content != null && !content.isEmpty()) { + return Note.fromJson(content); + } else if (content != null) { + // Content exists but is empty - still try to parse it + return Note.fromJson(content); + } + return null; + } + + public void deleteNote(int id) { + String key = getNoteKey(id); + prefs.edit() + .remove(key + "_type") + .remove(key + "_title") + .remove(key + "_content") + .remove(key + "_modified") + .apply(); + } + + public List getAllNotes() { + List notes = new ArrayList<>(); + + int count = prefs.getInt(KEY_NOTE_COUNT, 0); + for (int i = 1; i <= count; i++) { + Note note = getNote(i); + if (note != null) { + notes.add(note); + } + } + + String sortOrder = prefs.getString(KEY_SORT_ORDER, "MOST_RECENT"); + sortNotes(notes, sortOrder); + + return notes; + } + + public void setSortOrder(String sortOrder) { + prefs.edit().putString(KEY_SORT_ORDER, sortOrder).apply(); + } + + public String getSortOrder() { + return prefs.getString(KEY_SORT_ORDER, "MOST_RECENT"); + } + + private void sortNotes(List notes, String sortOrder) { + switch (sortOrder) { + case "OLDEST_FIRST": + Collections.sort(notes, new Comparator() { + @Override + public int compare(Note n1, Note n2) { + return Long.compare(n1.getModifiedTimestamp(), n2.getModifiedTimestamp()); + } + }); + break; + case "A_TO_Z": + Collections.sort(notes, new Comparator() { + @Override + public int compare(Note n1, Note n2) { + return n1.getTitle().compareToIgnoreCase(n2.getTitle()); + } + }); + break; + case "Z_TO_A": + Collections.sort(notes, new Comparator() { + @Override + public int compare(Note n1, Note n2) { + return n2.getTitle().compareToIgnoreCase(n1.getTitle()); + } + }); + break; + case "MOST_RECENT": + default: + Collections.sort(notes, new Comparator() { + @Override + public int compare(Note n1, Note n2) { + return Long.compare(n2.getModifiedTimestamp(), n1.getModifiedTimestamp()); + } + }); + break; + } + } + + public void deleteCheckedItems(List items) { + List unchecked = new ArrayList<>(); + for (ChecklistItem item : items) { + if (!item.isChecked()) { + unchecked.add(item); + } + } + items.clear(); + items.addAll(unchecked); + } + + public boolean hasNotes() { + int count = prefs.getInt(KEY_NOTE_COUNT, 0); + for (int i = 1; i < count; i++) { + String content = prefs.getString(getNoteKey(i) + "_content", null); + if (content != null && !content.isEmpty()) { + return true; + } + } + return false; + } +} diff --git a/app/src/main/res/drawable/ic_add.xml b/app/src/main/res/drawable/ic_add.xml new file mode 100644 index 0000000..877891a --- /dev/null +++ b/app/src/main/res/drawable/ic_add.xml @@ -0,0 +1,13 @@ + + + + + + diff --git a/app/src/main/res/drawable/ic_checklist.xml b/app/src/main/res/drawable/ic_checklist.xml new file mode 100644 index 0000000..22d5f81 --- /dev/null +++ b/app/src/main/res/drawable/ic_checklist.xml @@ -0,0 +1,13 @@ + + + + + + diff --git a/app/src/main/res/drawable/ic_delete.xml b/app/src/main/res/drawable/ic_delete.xml new file mode 100644 index 0000000..a274a33 --- /dev/null +++ b/app/src/main/res/drawable/ic_delete.xml @@ -0,0 +1,13 @@ + + + + + + diff --git a/app/src/main/res/drawable/ic_launcher_foreground.xml b/app/src/main/res/drawable/ic_launcher_foreground.xml new file mode 100644 index 0000000..5e85ead --- /dev/null +++ b/app/src/main/res/drawable/ic_launcher_foreground.xml @@ -0,0 +1,34 @@ + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/drawable/ic_note.xml b/app/src/main/res/drawable/ic_note.xml new file mode 100644 index 0000000..ab8157d --- /dev/null +++ b/app/src/main/res/drawable/ic_note.xml @@ -0,0 +1,18 @@ + + + + + + + + diff --git a/app/src/main/res/drawable/ic_text.xml b/app/src/main/res/drawable/ic_text.xml new file mode 100644 index 0000000..bb046ab --- /dev/null +++ b/app/src/main/res/drawable/ic_text.xml @@ -0,0 +1,23 @@ + + + + + + + + + + diff --git a/app/src/main/res/drawable/ic_trash.xml b/app/src/main/res/drawable/ic_trash.xml new file mode 100644 index 0000000..fbc9595 --- /dev/null +++ b/app/src/main/res/drawable/ic_trash.xml @@ -0,0 +1,13 @@ + + + + + + diff --git a/app/src/main/res/layout/activity_main.xml b/app/src/main/res/layout/activity_main.xml new file mode 100644 index 0000000..6ab319e --- /dev/null +++ b/app/src/main/res/layout/activity_main.xml @@ -0,0 +1,16 @@ + + + + + + diff --git a/app/src/main/res/layout/fragment_note_editor.xml b/app/src/main/res/layout/fragment_note_editor.xml new file mode 100644 index 0000000..2b6fb5d --- /dev/null +++ b/app/src/main/res/layout/fragment_note_editor.xml @@ -0,0 +1,124 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/fragment_notes_list.xml b/app/src/main/res/layout/fragment_notes_list.xml new file mode 100644 index 0000000..112f5f8 --- /dev/null +++ b/app/src/main/res/layout/fragment_notes_list.xml @@ -0,0 +1,39 @@ + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_checklist_row.xml b/app/src/main/res/layout/item_checklist_row.xml new file mode 100644 index 0000000..2044bf8 --- /dev/null +++ b/app/src/main/res/layout/item_checklist_row.xml @@ -0,0 +1,36 @@ + + + + + + + + + + diff --git a/app/src/main/res/layout/item_note_card.xml b/app/src/main/res/layout/item_note_card.xml new file mode 100644 index 0000000..0aecd3a --- /dev/null +++ b/app/src/main/res/layout/item_note_card.xml @@ -0,0 +1,64 @@ + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml b/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml new file mode 100644 index 0000000..d528976 --- /dev/null +++ b/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml @@ -0,0 +1,5 @@ + + + + + diff --git a/app/src/main/res/mipmap-hdpi/ic_launcher.xml b/app/src/main/res/mipmap-hdpi/ic_launcher.xml new file mode 100644 index 0000000..60d7e42 --- /dev/null +++ b/app/src/main/res/mipmap-hdpi/ic_launcher.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/mipmap-mdpi/ic_launcher.xml b/app/src/main/res/mipmap-mdpi/ic_launcher.xml new file mode 100644 index 0000000..60d7e42 --- /dev/null +++ b/app/src/main/res/mipmap-mdpi/ic_launcher.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/mipmap-xhdpi/ic_launcher.xml b/app/src/main/res/mipmap-xhdpi/ic_launcher.xml new file mode 100644 index 0000000..60d7e42 --- /dev/null +++ b/app/src/main/res/mipmap-xhdpi/ic_launcher.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/mipmap-xxhdpi/ic_launcher.xml b/app/src/main/res/mipmap-xxhdpi/ic_launcher.xml new file mode 100644 index 0000000..60d7e42 --- /dev/null +++ b/app/src/main/res/mipmap-xxhdpi/ic_launcher.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/mipmap-xxxhdpi/ic_launcher.xml b/app/src/main/res/mipmap-xxxhdpi/ic_launcher.xml new file mode 100644 index 0000000..60d7e42 --- /dev/null +++ b/app/src/main/res/mipmap-xxxhdpi/ic_launcher.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/values/colors.xml b/app/src/main/res/values/colors.xml new file mode 100644 index 0000000..514a7cb --- /dev/null +++ b/app/src/main/res/values/colors.xml @@ -0,0 +1,10 @@ + + + #121212 + #1E1E1E + #BB86FC + #3700B3 + #FFFFFF + #B0B0B0 + #2C2C2C + diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml new file mode 100644 index 0000000..12ac133 --- /dev/null +++ b/app/src/main/res/values/strings.xml @@ -0,0 +1,11 @@ + + + Notes + + + Most Recent + Oldest First + A to Z + Z to A + + diff --git a/app/src/main/res/values/themes.xml b/app/src/main/res/values/themes.xml new file mode 100644 index 0000000..a98a9e5 --- /dev/null +++ b/app/src/main/res/values/themes.xml @@ -0,0 +1,9 @@ + + + + diff --git a/build.gradle b/build.gradle new file mode 100644 index 0000000..47d549f --- /dev/null +++ b/build.gradle @@ -0,0 +1,4 @@ +// Top-level build file where you can add configuration options common to all sub-projects/modules. +plugins { + id 'com.android.application' version '8.1.0' apply false +} diff --git a/gradle-8.0/LICENSE b/gradle-8.0/LICENSE new file mode 100644 index 0000000..f013fd5 --- /dev/null +++ b/gradle-8.0/LICENSE @@ -0,0 +1,420 @@ + + Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + +============================================================================== +Licenses for included components: + +------------------------------------------------------------------------------ +Eclipse Public License 1.0 +https://opensource.org/licenses/EPL-1.0 + +junit:junit +org.sonatype.aether:aether-api +org.sonatype.aether:aether-connector-wagon +org.sonatype.aether:aether-impl +org.sonatype.aether:aether-spi +org.sonatype.aether:aether-util + +------------------------------------------------------------------------------ +3-Clause BSD +https://opensource.org/licenses/BSD-3-Clause + +com.google.code.findbugs:jsr305 + +org.hamcrest:hamcrest-core +BSD License + +Copyright (c) 2000-2015 www.hamcrest.org +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are met: + +Redistributions of source code must retain the above copyright notice, this list of +conditions and the following disclaimer. Redistributions in binary form must reproduce +the above copyright notice, this list of conditions and the following disclaimer in +the documentation and/or other materials provided with the distribution. + +Neither the name of Hamcrest nor the names of its contributors may be used to endorse +or promote products derived from this software without specific prior written +permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY +EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES +OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT +SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED +TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR +BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN +CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY +WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH +DAMAGE. + +com.esotericsoftware.kryo:kryo +com.esotericsoftware.minlog:minlog +Copyright (c) 2008-2018, Nathan Sweet All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: + +Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. +Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. +Neither the name of Esoteric Software nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +org.ow2.asm:asm +org.ow2.asm:asm-analysis +org.ow2.asm:asm-commons +org.ow2.asm:asm-tree +org.ow2.asm:asm-util +ASM: a very small and fast Java bytecode manipulation framework + Copyright (c) 2000-2011 INRIA, France Telecom + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions + are met: + 1. Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + 2. Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + 3. Neither the name of the copyright holders nor the names of its + contributors may be used to endorse or promote products derived from + this software without specific prior written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" + AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE + IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE + ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE + LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR + CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF + SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS + INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN + CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) + ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF + THE POSSIBILITY OF SUCH DAMAGE. + +------------------------------------------------------------------------------ +MIT + +com.googlecode.plist:dd-plist +dd-plist - An open source library to parse and generate property lists +Copyright (C) 2016 Daniel Dreibrodt + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + +org.bouncycastle:bcpg-jdk15on +org.bouncycastle:bcprov-jdk15on +Copyright (c) 2000 - 2019 The Legion of the Bouncy Castle Inc. (https://www.bouncycastle.org) + +Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + +org.slf4j:jcl-over-slf4j +org.slf4j:jul-to-slf4j +org.slf4j:log4j-over-slf4j +org.slf4j:slf4j-api + Copyright (c) 2004-2017 QOS.ch + All rights reserved. + + Permission is hereby granted, free of charge, to any person obtaining + a copy of this software and associated documentation files (the + "Software"), to deal in the Software without restriction, including + without limitation the rights to use, copy, modify, merge, publish, + distribute, sublicense, and/or sell copies of the Software, and to + permit persons to whom the Software is furnished to do so, subject to + the following conditions: + + The above copyright notice and this permission notice shall be + included in all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND + NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE + LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION + OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION + WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + +------------------------------------------------------------------------------ +CDDL +https://opensource.org/licenses/CDDL-1.0 + +com.sun.xml.bind:jaxb-impl + +------------------------------------------------------------------------------ +LGPL 2.1 +https://www.gnu.org/licenses/old-licenses/lgpl-2.1.en.html + +org.samba.jcifs:jcifs + +org.jetbrains.intellij.deps:trove4j + +------------------------------------------------------------------------------ +License for the GNU Trove library included by the Kotlin embeddable compiler +------------------------------------------------------------------------------ +The source code for GNU Trove is licensed under the Lesser GNU Public License (LGPL). + + Copyright (c) 2001, Eric D. Friedman All Rights Reserved. This library is free software; you can redistribute it and/or modify it under + the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2.1 of the License, or + (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without + even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. + You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software + Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. + + +Two classes (HashFunctions and PrimeFinder) included in Trove are licensed under the following terms: + + Copyright (c) 1999 CERN - European Organization for Nuclear Research. Permission to use, copy, modify, distribute and sell this software + and its documentation for any purpose is hereby granted without fee, provided that the above copyright notice appear in all copies and + that both that copyright notice and this permission notice appear in supporting documentation. CERN makes no representations about the + suitability of this software for any purpose. It is provided "as is" without expressed or implied warranty. + +The source code of modified GNU Trove library is available at + https://github.com/JetBrains/intellij-deps-trove4j (with trove4j_changes.txt describing the changes) + +------------------------------------------------------------------------------ +Eclipse Distribution License 1.0 +https://www.eclipse.org/org/documents/edl-v10.php + +org.eclipse.jgit:org.eclipse.jgit + +------------------------------------------------------------------------------ +BSD-style + +com.jcraft:jsch +com.jcraft:jzlib + +Copyright (c) 2000-2011 ymnk, JCraft,Inc. All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, + this list of conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in + the documentation and/or other materials provided with the distribution. + + 3. The names of the authors may not be used to endorse or promote products + derived from this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESSED OR IMPLIED WARRANTIES, +INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL JCRAFT, +INC. OR ANY CONTRIBUTORS TO THIS SOFTWARE BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, +OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF +LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, +EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +------------------------------------------------------------------------------ +Eclipse Public License 2.0 +https://www.eclipse.org/legal/epl-2.0/ + +org.junit.platform:junit-platform-launcher + +------------------------------------------------------------------------------ +Mozilla Public License 2.0 +https://www.mozilla.org/en-US/MPL/2.0/ + +org.mozilla:rhino diff --git a/gradle-8.0/NOTICE b/gradle-8.0/NOTICE new file mode 100644 index 0000000..00a36ef --- /dev/null +++ b/gradle-8.0/NOTICE @@ -0,0 +1,21 @@ +========================================================================= +== NOTICE file corresponding to the section 4 d of == +== the Apache License, Version 2.0, == +== in this case for the Gradle distribution. == +========================================================================= + +This product includes software developed by +The Apache Software Foundation (http://www.apache.org/). + +It includes the following other software: + +Groovy (http://groovy-lang.org) +SLF4J (http://www.slf4j.org) +JUnit (http://www.junit.org) +JCIFS (http://jcifs.samba.org) +HttpClient (https://hc.apache.org/httpcomponents-client-4.5.x/) + +For licenses, see the LICENSE file. + +If any software distributed with Gradle does not have an Apache 2 License, its license is explicitly listed in the +LICENSE file. diff --git a/gradle-8.0/README b/gradle-8.0/README new file mode 100644 index 0000000..97d48bd --- /dev/null +++ b/gradle-8.0/README @@ -0,0 +1,11 @@ +Gradle is a build tool with a focus on build automation and support for multi-language development. If you are building, testing, publishing, and deploying software on any platform, Gradle offers a flexible model that can support the entire development lifecycle from compiling and packaging code to publishing web sites. Gradle has been designed to support build automation across multiple languages and platforms including Java, Scala, Android, C/C++, and Groovy, and is closely integrated with development tools and continuous integration servers including Eclipse, IntelliJ, and Jenkins. + +For more information about Gradle, please visit: https://gradle.org + +If you are using the "all" distribution, the User Manual is included in your distribution. + +If you are using the "bin" distribution, a copy of the User Manual is available on https://docs.gradle.org. + +Typing `gradle help` prints the command line help. + +Typing `gradle tasks` shows all the tasks of a Gradle build. diff --git a/gradle-8.0/init.d/readme.txt b/gradle-8.0/init.d/readme.txt new file mode 100644 index 0000000..d8e210f --- /dev/null +++ b/gradle-8.0/init.d/readme.txt @@ -0,0 +1 @@ +You can add .gradle (e.g. test.gradle) init scripts to this directory. Each one is executed at the start of the build. diff --git a/gradle-8.0/lib/annotations-20.1.0.jar b/gradle-8.0/lib/annotations-20.1.0.jar new file mode 100644 index 0000000..8bd96c5 Binary files /dev/null and b/gradle-8.0/lib/annotations-20.1.0.jar differ diff --git a/gradle-8.0/lib/ant-1.10.11.jar b/gradle-8.0/lib/ant-1.10.11.jar new file mode 100644 index 0000000..0441f0f Binary files /dev/null and b/gradle-8.0/lib/ant-1.10.11.jar differ diff --git a/gradle-8.0/lib/ant-antlr-1.10.12.jar b/gradle-8.0/lib/ant-antlr-1.10.12.jar new file mode 100644 index 0000000..909f37e Binary files /dev/null and b/gradle-8.0/lib/ant-antlr-1.10.12.jar differ diff --git a/gradle-8.0/lib/ant-junit-1.10.12.jar b/gradle-8.0/lib/ant-junit-1.10.12.jar new file mode 100644 index 0000000..d6cae3e Binary files /dev/null and b/gradle-8.0/lib/ant-junit-1.10.12.jar differ diff --git a/gradle-8.0/lib/ant-launcher-1.10.11.jar b/gradle-8.0/lib/ant-launcher-1.10.11.jar new file mode 100644 index 0000000..23df186 Binary files /dev/null and b/gradle-8.0/lib/ant-launcher-1.10.11.jar differ diff --git a/gradle-8.0/lib/antlr4-runtime-4.7.2.jar b/gradle-8.0/lib/antlr4-runtime-4.7.2.jar new file mode 100644 index 0000000..7a27e1b Binary files /dev/null and b/gradle-8.0/lib/antlr4-runtime-4.7.2.jar differ diff --git a/gradle-8.0/lib/asm-9.3.jar b/gradle-8.0/lib/asm-9.3.jar new file mode 100644 index 0000000..bd8b948 Binary files /dev/null and b/gradle-8.0/lib/asm-9.3.jar differ diff --git a/gradle-8.0/lib/asm-analysis-9.3.jar b/gradle-8.0/lib/asm-analysis-9.3.jar new file mode 100644 index 0000000..6bbfb05 Binary files /dev/null and b/gradle-8.0/lib/asm-analysis-9.3.jar differ diff --git a/gradle-8.0/lib/asm-commons-9.3.jar b/gradle-8.0/lib/asm-commons-9.3.jar new file mode 100644 index 0000000..3ce4b82 Binary files /dev/null and b/gradle-8.0/lib/asm-commons-9.3.jar differ diff --git a/gradle-8.0/lib/asm-tree-9.3.jar b/gradle-8.0/lib/asm-tree-9.3.jar new file mode 100644 index 0000000..55ef2a9 Binary files /dev/null and b/gradle-8.0/lib/asm-tree-9.3.jar differ diff --git a/gradle-8.0/lib/commons-compress-1.21.jar b/gradle-8.0/lib/commons-compress-1.21.jar new file mode 100644 index 0000000..4892334 Binary files /dev/null and b/gradle-8.0/lib/commons-compress-1.21.jar differ diff --git a/gradle-8.0/lib/commons-io-2.11.0.jar b/gradle-8.0/lib/commons-io-2.11.0.jar new file mode 100644 index 0000000..be507d9 Binary files /dev/null and b/gradle-8.0/lib/commons-io-2.11.0.jar differ diff --git a/gradle-8.0/lib/commons-lang-2.6.jar b/gradle-8.0/lib/commons-lang-2.6.jar new file mode 100644 index 0000000..98467d3 Binary files /dev/null and b/gradle-8.0/lib/commons-lang-2.6.jar differ diff --git a/gradle-8.0/lib/failureaccess-1.0.1.jar b/gradle-8.0/lib/failureaccess-1.0.1.jar new file mode 100644 index 0000000..9b56dc7 Binary files /dev/null and b/gradle-8.0/lib/failureaccess-1.0.1.jar differ diff --git a/gradle-8.0/lib/fastutil-8.5.2-min.jar b/gradle-8.0/lib/fastutil-8.5.2-min.jar new file mode 100644 index 0000000..3acea1c Binary files /dev/null and b/gradle-8.0/lib/fastutil-8.5.2-min.jar differ diff --git a/gradle-8.0/lib/file-events-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-0.22-milestone-24.jar new file mode 100644 index 0000000..9ba31fe Binary files /dev/null and b/gradle-8.0/lib/file-events-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-linux-aarch64-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-linux-aarch64-0.22-milestone-24.jar new file mode 100644 index 0000000..a9c5f4a Binary files /dev/null and b/gradle-8.0/lib/file-events-linux-aarch64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-linux-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-linux-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..dd01fa3 Binary files /dev/null and b/gradle-8.0/lib/file-events-linux-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-osx-aarch64-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-osx-aarch64-0.22-milestone-24.jar new file mode 100644 index 0000000..a6f5fa1 Binary files /dev/null and b/gradle-8.0/lib/file-events-osx-aarch64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-osx-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-osx-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..7720a40 Binary files /dev/null and b/gradle-8.0/lib/file-events-osx-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-windows-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-windows-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..79a1ae2 Binary files /dev/null and b/gradle-8.0/lib/file-events-windows-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-windows-amd64-min-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-windows-amd64-min-0.22-milestone-24.jar new file mode 100644 index 0000000..88d1a9b Binary files /dev/null and b/gradle-8.0/lib/file-events-windows-amd64-min-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-windows-i386-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-windows-i386-0.22-milestone-24.jar new file mode 100644 index 0000000..5e98b6a Binary files /dev/null and b/gradle-8.0/lib/file-events-windows-i386-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/file-events-windows-i386-min-0.22-milestone-24.jar b/gradle-8.0/lib/file-events-windows-i386-min-0.22-milestone-24.jar new file mode 100644 index 0000000..631ac28 Binary files /dev/null and b/gradle-8.0/lib/file-events-windows-i386-min-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/gradle-api-metadata-8.0.jar b/gradle-8.0/lib/gradle-api-metadata-8.0.jar new file mode 100644 index 0000000..8bba4a3 Binary files /dev/null and b/gradle-8.0/lib/gradle-api-metadata-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-base-annotations-8.0.jar b/gradle-8.0/lib/gradle-base-annotations-8.0.jar new file mode 100644 index 0000000..ac7425f Binary files /dev/null and b/gradle-8.0/lib/gradle-base-annotations-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-base-services-8.0.jar b/gradle-8.0/lib/gradle-base-services-8.0.jar new file mode 100644 index 0000000..2e17e21 Binary files /dev/null and b/gradle-8.0/lib/gradle-base-services-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-base-services-groovy-8.0.jar b/gradle-8.0/lib/gradle-base-services-groovy-8.0.jar new file mode 100644 index 0000000..97c30fa Binary files /dev/null and b/gradle-8.0/lib/gradle-base-services-groovy-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-bootstrap-8.0.jar b/gradle-8.0/lib/gradle-bootstrap-8.0.jar new file mode 100644 index 0000000..296ef42 Binary files /dev/null and b/gradle-8.0/lib/gradle-bootstrap-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-cache-8.0.jar b/gradle-8.0/lib/gradle-build-cache-8.0.jar new file mode 100644 index 0000000..6e4a72a Binary files /dev/null and b/gradle-8.0/lib/gradle-build-cache-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-cache-base-8.0.jar b/gradle-8.0/lib/gradle-build-cache-base-8.0.jar new file mode 100644 index 0000000..4d40b86 Binary files /dev/null and b/gradle-8.0/lib/gradle-build-cache-base-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-cache-packaging-8.0.jar b/gradle-8.0/lib/gradle-build-cache-packaging-8.0.jar new file mode 100644 index 0000000..54335dc Binary files /dev/null and b/gradle-8.0/lib/gradle-build-cache-packaging-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-events-8.0.jar b/gradle-8.0/lib/gradle-build-events-8.0.jar new file mode 100644 index 0000000..9acc866 Binary files /dev/null and b/gradle-8.0/lib/gradle-build-events-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-operations-8.0.jar b/gradle-8.0/lib/gradle-build-operations-8.0.jar new file mode 100644 index 0000000..21f2613 Binary files /dev/null and b/gradle-8.0/lib/gradle-build-operations-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-build-option-8.0.jar b/gradle-8.0/lib/gradle-build-option-8.0.jar new file mode 100644 index 0000000..4dee84e Binary files /dev/null and b/gradle-8.0/lib/gradle-build-option-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-cli-8.0.jar b/gradle-8.0/lib/gradle-cli-8.0.jar new file mode 100644 index 0000000..6175184 Binary files /dev/null and b/gradle-8.0/lib/gradle-cli-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-core-8.0.jar b/gradle-8.0/lib/gradle-core-8.0.jar new file mode 100644 index 0000000..70a5990 Binary files /dev/null and b/gradle-8.0/lib/gradle-core-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-core-api-8.0.jar b/gradle-8.0/lib/gradle-core-api-8.0.jar new file mode 100644 index 0000000..d929be9 Binary files /dev/null and b/gradle-8.0/lib/gradle-core-api-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-enterprise-logging-8.0.jar b/gradle-8.0/lib/gradle-enterprise-logging-8.0.jar new file mode 100644 index 0000000..432ca15 Binary files /dev/null and b/gradle-8.0/lib/gradle-enterprise-logging-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-enterprise-operations-8.0.jar b/gradle-8.0/lib/gradle-enterprise-operations-8.0.jar new file mode 100644 index 0000000..84ba0d8 Binary files /dev/null and b/gradle-8.0/lib/gradle-enterprise-operations-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-enterprise-workers-8.0.jar b/gradle-8.0/lib/gradle-enterprise-workers-8.0.jar new file mode 100644 index 0000000..eac321e Binary files /dev/null and b/gradle-8.0/lib/gradle-enterprise-workers-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-execution-8.0.jar b/gradle-8.0/lib/gradle-execution-8.0.jar new file mode 100644 index 0000000..c04a548 Binary files /dev/null and b/gradle-8.0/lib/gradle-execution-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-file-collections-8.0.jar b/gradle-8.0/lib/gradle-file-collections-8.0.jar new file mode 100644 index 0000000..2325feb Binary files /dev/null and b/gradle-8.0/lib/gradle-file-collections-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-file-temp-8.0.jar b/gradle-8.0/lib/gradle-file-temp-8.0.jar new file mode 100644 index 0000000..d762f13 Binary files /dev/null and b/gradle-8.0/lib/gradle-file-temp-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-file-watching-8.0.jar b/gradle-8.0/lib/gradle-file-watching-8.0.jar new file mode 100644 index 0000000..3c411d0 Binary files /dev/null and b/gradle-8.0/lib/gradle-file-watching-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-files-8.0.jar b/gradle-8.0/lib/gradle-files-8.0.jar new file mode 100644 index 0000000..cb51d99 Binary files /dev/null and b/gradle-8.0/lib/gradle-files-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-functional-8.0.jar b/gradle-8.0/lib/gradle-functional-8.0.jar new file mode 100644 index 0000000..5c453f5 Binary files /dev/null and b/gradle-8.0/lib/gradle-functional-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-hashing-8.0.jar b/gradle-8.0/lib/gradle-hashing-8.0.jar new file mode 100644 index 0000000..c10724a Binary files /dev/null and b/gradle-8.0/lib/gradle-hashing-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-installation-beacon-8.0.jar b/gradle-8.0/lib/gradle-installation-beacon-8.0.jar new file mode 100644 index 0000000..ae90f3a Binary files /dev/null and b/gradle-8.0/lib/gradle-installation-beacon-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-jvm-services-8.0.jar b/gradle-8.0/lib/gradle-jvm-services-8.0.jar new file mode 100644 index 0000000..7be84f0 Binary files /dev/null and b/gradle-8.0/lib/gradle-jvm-services-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-kotlin-dsl-8.0.jar b/gradle-8.0/lib/gradle-kotlin-dsl-8.0.jar new file mode 100644 index 0000000..60f4fb1 Binary files /dev/null and b/gradle-8.0/lib/gradle-kotlin-dsl-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-kotlin-dsl-tooling-models-8.0.jar b/gradle-8.0/lib/gradle-kotlin-dsl-tooling-models-8.0.jar new file mode 100644 index 0000000..00234de Binary files /dev/null and b/gradle-8.0/lib/gradle-kotlin-dsl-tooling-models-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-launcher-8.0.jar b/gradle-8.0/lib/gradle-launcher-8.0.jar new file mode 100644 index 0000000..28292ae Binary files /dev/null and b/gradle-8.0/lib/gradle-launcher-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-logging-8.0.jar b/gradle-8.0/lib/gradle-logging-8.0.jar new file mode 100644 index 0000000..c94481d Binary files /dev/null and b/gradle-8.0/lib/gradle-logging-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-logging-api-8.0.jar b/gradle-8.0/lib/gradle-logging-api-8.0.jar new file mode 100644 index 0000000..cb47243 Binary files /dev/null and b/gradle-8.0/lib/gradle-logging-api-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-messaging-8.0.jar b/gradle-8.0/lib/gradle-messaging-8.0.jar new file mode 100644 index 0000000..3bd8eb6 Binary files /dev/null and b/gradle-8.0/lib/gradle-messaging-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-model-core-8.0.jar b/gradle-8.0/lib/gradle-model-core-8.0.jar new file mode 100644 index 0000000..0ee3f30 Binary files /dev/null and b/gradle-8.0/lib/gradle-model-core-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-model-groovy-8.0.jar b/gradle-8.0/lib/gradle-model-groovy-8.0.jar new file mode 100644 index 0000000..75eae21 Binary files /dev/null and b/gradle-8.0/lib/gradle-model-groovy-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-native-8.0.jar b/gradle-8.0/lib/gradle-native-8.0.jar new file mode 100644 index 0000000..b4fbf79 Binary files /dev/null and b/gradle-8.0/lib/gradle-native-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-normalization-java-8.0.jar b/gradle-8.0/lib/gradle-normalization-java-8.0.jar new file mode 100644 index 0000000..2c9a5d0 Binary files /dev/null and b/gradle-8.0/lib/gradle-normalization-java-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-persistent-cache-8.0.jar b/gradle-8.0/lib/gradle-persistent-cache-8.0.jar new file mode 100644 index 0000000..0d79c80 Binary files /dev/null and b/gradle-8.0/lib/gradle-persistent-cache-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-problems-8.0.jar b/gradle-8.0/lib/gradle-problems-8.0.jar new file mode 100644 index 0000000..960cdcb Binary files /dev/null and b/gradle-8.0/lib/gradle-problems-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-process-services-8.0.jar b/gradle-8.0/lib/gradle-process-services-8.0.jar new file mode 100644 index 0000000..d617d8b Binary files /dev/null and b/gradle-8.0/lib/gradle-process-services-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-resources-8.0.jar b/gradle-8.0/lib/gradle-resources-8.0.jar new file mode 100644 index 0000000..0c923c0 Binary files /dev/null and b/gradle-8.0/lib/gradle-resources-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-runtime-api-info-8.0.jar b/gradle-8.0/lib/gradle-runtime-api-info-8.0.jar new file mode 100644 index 0000000..0e62226 Binary files /dev/null and b/gradle-8.0/lib/gradle-runtime-api-info-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-snapshots-8.0.jar b/gradle-8.0/lib/gradle-snapshots-8.0.jar new file mode 100644 index 0000000..6e6c8f9 Binary files /dev/null and b/gradle-8.0/lib/gradle-snapshots-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-tooling-api-8.0.jar b/gradle-8.0/lib/gradle-tooling-api-8.0.jar new file mode 100644 index 0000000..c3c5aa3 Binary files /dev/null and b/gradle-8.0/lib/gradle-tooling-api-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-worker-processes-8.0.jar b/gradle-8.0/lib/gradle-worker-processes-8.0.jar new file mode 100644 index 0000000..8528917 Binary files /dev/null and b/gradle-8.0/lib/gradle-worker-processes-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-worker-services-8.0.jar b/gradle-8.0/lib/gradle-worker-services-8.0.jar new file mode 100644 index 0000000..ccc472b Binary files /dev/null and b/gradle-8.0/lib/gradle-worker-services-8.0.jar differ diff --git a/gradle-8.0/lib/gradle-wrapper-shared-8.0.jar b/gradle-8.0/lib/gradle-wrapper-shared-8.0.jar new file mode 100644 index 0000000..d7b1d2c Binary files /dev/null and b/gradle-8.0/lib/gradle-wrapper-shared-8.0.jar differ diff --git a/gradle-8.0/lib/groovy-3.0.13.jar b/gradle-8.0/lib/groovy-3.0.13.jar new file mode 100644 index 0000000..9f3a433 Binary files /dev/null and b/gradle-8.0/lib/groovy-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-ant-3.0.13.jar b/gradle-8.0/lib/groovy-ant-3.0.13.jar new file mode 100644 index 0000000..104b3ce Binary files /dev/null and b/gradle-8.0/lib/groovy-ant-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-astbuilder-3.0.13.jar b/gradle-8.0/lib/groovy-astbuilder-3.0.13.jar new file mode 100644 index 0000000..5d3e566 Binary files /dev/null and b/gradle-8.0/lib/groovy-astbuilder-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-console-3.0.13.jar b/gradle-8.0/lib/groovy-console-3.0.13.jar new file mode 100644 index 0000000..029182d Binary files /dev/null and b/gradle-8.0/lib/groovy-console-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-datetime-3.0.13.jar b/gradle-8.0/lib/groovy-datetime-3.0.13.jar new file mode 100644 index 0000000..64273e0 Binary files /dev/null and b/gradle-8.0/lib/groovy-datetime-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-dateutil-3.0.13.jar b/gradle-8.0/lib/groovy-dateutil-3.0.13.jar new file mode 100644 index 0000000..860331e Binary files /dev/null and b/gradle-8.0/lib/groovy-dateutil-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-docgenerator-3.0.13.jar b/gradle-8.0/lib/groovy-docgenerator-3.0.13.jar new file mode 100644 index 0000000..2bd82f9 Binary files /dev/null and b/gradle-8.0/lib/groovy-docgenerator-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-groovydoc-3.0.13.jar b/gradle-8.0/lib/groovy-groovydoc-3.0.13.jar new file mode 100644 index 0000000..de3af05 Binary files /dev/null and b/gradle-8.0/lib/groovy-groovydoc-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-json-3.0.13.jar b/gradle-8.0/lib/groovy-json-3.0.13.jar new file mode 100644 index 0000000..ba872eb Binary files /dev/null and b/gradle-8.0/lib/groovy-json-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-nio-3.0.13.jar b/gradle-8.0/lib/groovy-nio-3.0.13.jar new file mode 100644 index 0000000..e61fa29 Binary files /dev/null and b/gradle-8.0/lib/groovy-nio-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-sql-3.0.13.jar b/gradle-8.0/lib/groovy-sql-3.0.13.jar new file mode 100644 index 0000000..c0adf8a Binary files /dev/null and b/gradle-8.0/lib/groovy-sql-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-swing-3.0.13.jar b/gradle-8.0/lib/groovy-swing-3.0.13.jar new file mode 100644 index 0000000..37f8a1c Binary files /dev/null and b/gradle-8.0/lib/groovy-swing-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-templates-3.0.13.jar b/gradle-8.0/lib/groovy-templates-3.0.13.jar new file mode 100644 index 0000000..461942b Binary files /dev/null and b/gradle-8.0/lib/groovy-templates-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-test-3.0.13.jar b/gradle-8.0/lib/groovy-test-3.0.13.jar new file mode 100644 index 0000000..f722c3a Binary files /dev/null and b/gradle-8.0/lib/groovy-test-3.0.13.jar differ diff --git a/gradle-8.0/lib/groovy-xml-3.0.13.jar b/gradle-8.0/lib/groovy-xml-3.0.13.jar new file mode 100644 index 0000000..db37751 Binary files /dev/null and b/gradle-8.0/lib/groovy-xml-3.0.13.jar differ diff --git a/gradle-8.0/lib/guava-31.1-jre.jar b/gradle-8.0/lib/guava-31.1-jre.jar new file mode 100644 index 0000000..1681922 Binary files /dev/null and b/gradle-8.0/lib/guava-31.1-jre.jar differ diff --git a/gradle-8.0/lib/hamcrest-core-1.3.jar b/gradle-8.0/lib/hamcrest-core-1.3.jar new file mode 100644 index 0000000..9d5fe16 Binary files /dev/null and b/gradle-8.0/lib/hamcrest-core-1.3.jar differ diff --git a/gradle-8.0/lib/jansi-1.18.jar b/gradle-8.0/lib/jansi-1.18.jar new file mode 100644 index 0000000..a7be6db Binary files /dev/null and b/gradle-8.0/lib/jansi-1.18.jar differ diff --git a/gradle-8.0/lib/javaparser-core-3.17.0.jar b/gradle-8.0/lib/javaparser-core-3.17.0.jar new file mode 100644 index 0000000..8d65838 Binary files /dev/null and b/gradle-8.0/lib/javaparser-core-3.17.0.jar differ diff --git a/gradle-8.0/lib/javax.inject-1.jar b/gradle-8.0/lib/javax.inject-1.jar new file mode 100644 index 0000000..b2a9d0b Binary files /dev/null and b/gradle-8.0/lib/javax.inject-1.jar differ diff --git a/gradle-8.0/lib/jcl-over-slf4j-1.7.30.jar b/gradle-8.0/lib/jcl-over-slf4j-1.7.30.jar new file mode 100644 index 0000000..44e9f63 Binary files /dev/null and b/gradle-8.0/lib/jcl-over-slf4j-1.7.30.jar differ diff --git a/gradle-8.0/lib/jna-5.10.0.jar b/gradle-8.0/lib/jna-5.10.0.jar new file mode 100644 index 0000000..e73c2c2 Binary files /dev/null and b/gradle-8.0/lib/jna-5.10.0.jar differ diff --git a/gradle-8.0/lib/jsr305-3.0.2.jar b/gradle-8.0/lib/jsr305-3.0.2.jar new file mode 100644 index 0000000..59222d9 Binary files /dev/null and b/gradle-8.0/lib/jsr305-3.0.2.jar differ diff --git a/gradle-8.0/lib/jul-to-slf4j-1.7.30.jar b/gradle-8.0/lib/jul-to-slf4j-1.7.30.jar new file mode 100644 index 0000000..7dea58b Binary files /dev/null and b/gradle-8.0/lib/jul-to-slf4j-1.7.30.jar differ diff --git a/gradle-8.0/lib/junit-4.13.2.jar b/gradle-8.0/lib/junit-4.13.2.jar new file mode 100644 index 0000000..6da55d8 Binary files /dev/null and b/gradle-8.0/lib/junit-4.13.2.jar differ diff --git a/gradle-8.0/lib/kotlin-compiler-embeddable-1.8.10.jar b/gradle-8.0/lib/kotlin-compiler-embeddable-1.8.10.jar new file mode 100644 index 0000000..69413a6 Binary files /dev/null and b/gradle-8.0/lib/kotlin-compiler-embeddable-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-daemon-embeddable-1.8.10.jar b/gradle-8.0/lib/kotlin-daemon-embeddable-1.8.10.jar new file mode 100644 index 0000000..d9377b9 Binary files /dev/null and b/gradle-8.0/lib/kotlin-daemon-embeddable-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-reflect-1.8.10.jar b/gradle-8.0/lib/kotlin-reflect-1.8.10.jar new file mode 100644 index 0000000..da711f8 Binary files /dev/null and b/gradle-8.0/lib/kotlin-reflect-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-sam-with-receiver-compiler-plugin-1.8.10.jar b/gradle-8.0/lib/kotlin-sam-with-receiver-compiler-plugin-1.8.10.jar new file mode 100644 index 0000000..3c29bd9 Binary files /dev/null and b/gradle-8.0/lib/kotlin-sam-with-receiver-compiler-plugin-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-script-runtime-1.8.10.jar b/gradle-8.0/lib/kotlin-script-runtime-1.8.10.jar new file mode 100644 index 0000000..b70d1fb Binary files /dev/null and b/gradle-8.0/lib/kotlin-script-runtime-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-scripting-common-1.8.10.jar b/gradle-8.0/lib/kotlin-scripting-common-1.8.10.jar new file mode 100644 index 0000000..2aefe86 Binary files /dev/null and b/gradle-8.0/lib/kotlin-scripting-common-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-scripting-compiler-embeddable-1.8.10.jar b/gradle-8.0/lib/kotlin-scripting-compiler-embeddable-1.8.10.jar new file mode 100644 index 0000000..a3fd993 Binary files /dev/null and b/gradle-8.0/lib/kotlin-scripting-compiler-embeddable-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-scripting-compiler-impl-embeddable-1.8.10.jar b/gradle-8.0/lib/kotlin-scripting-compiler-impl-embeddable-1.8.10.jar new file mode 100644 index 0000000..cfb9d83 Binary files /dev/null and b/gradle-8.0/lib/kotlin-scripting-compiler-impl-embeddable-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-scripting-jvm-1.8.10.jar b/gradle-8.0/lib/kotlin-scripting-jvm-1.8.10.jar new file mode 100644 index 0000000..0438d8d Binary files /dev/null and b/gradle-8.0/lib/kotlin-scripting-jvm-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-scripting-jvm-host-1.8.10.jar b/gradle-8.0/lib/kotlin-scripting-jvm-host-1.8.10.jar new file mode 100644 index 0000000..81abd64 Binary files /dev/null and b/gradle-8.0/lib/kotlin-scripting-jvm-host-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-stdlib-1.8.10.jar b/gradle-8.0/lib/kotlin-stdlib-1.8.10.jar new file mode 100644 index 0000000..7fcb13d Binary files /dev/null and b/gradle-8.0/lib/kotlin-stdlib-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-stdlib-common-1.8.10.jar b/gradle-8.0/lib/kotlin-stdlib-common-1.8.10.jar new file mode 100644 index 0000000..6d2e971 Binary files /dev/null and b/gradle-8.0/lib/kotlin-stdlib-common-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-stdlib-jdk7-1.8.10.jar b/gradle-8.0/lib/kotlin-stdlib-jdk7-1.8.10.jar new file mode 100644 index 0000000..705e0cc Binary files /dev/null and b/gradle-8.0/lib/kotlin-stdlib-jdk7-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlin-stdlib-jdk8-1.8.10.jar b/gradle-8.0/lib/kotlin-stdlib-jdk8-1.8.10.jar new file mode 100644 index 0000000..2ad62a7 Binary files /dev/null and b/gradle-8.0/lib/kotlin-stdlib-jdk8-1.8.10.jar differ diff --git a/gradle-8.0/lib/kotlinx-metadata-jvm-0.5.0.jar b/gradle-8.0/lib/kotlinx-metadata-jvm-0.5.0.jar new file mode 100644 index 0000000..e6c983e Binary files /dev/null and b/gradle-8.0/lib/kotlinx-metadata-jvm-0.5.0.jar differ diff --git a/gradle-8.0/lib/kryo-2.24.0.jar b/gradle-8.0/lib/kryo-2.24.0.jar new file mode 100644 index 0000000..4d18180 Binary files /dev/null and b/gradle-8.0/lib/kryo-2.24.0.jar differ diff --git a/gradle-8.0/lib/log4j-over-slf4j-1.7.30.jar b/gradle-8.0/lib/log4j-over-slf4j-1.7.30.jar new file mode 100644 index 0000000..d94b90e Binary files /dev/null and b/gradle-8.0/lib/log4j-over-slf4j-1.7.30.jar differ diff --git a/gradle-8.0/lib/minlog-1.2.jar b/gradle-8.0/lib/minlog-1.2.jar new file mode 100644 index 0000000..3d174a6 Binary files /dev/null and b/gradle-8.0/lib/minlog-1.2.jar differ diff --git a/gradle-8.0/lib/native-platform-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-0.22-milestone-24.jar new file mode 100644 index 0000000..9068be9 Binary files /dev/null and b/gradle-8.0/lib/native-platform-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-freebsd-amd64-libcpp-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-freebsd-amd64-libcpp-0.22-milestone-24.jar new file mode 100644 index 0000000..fcdb310 Binary files /dev/null and b/gradle-8.0/lib/native-platform-freebsd-amd64-libcpp-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-aarch64-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-aarch64-0.22-milestone-24.jar new file mode 100644 index 0000000..7caef80 Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-aarch64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-aarch64-ncurses5-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-aarch64-ncurses5-0.22-milestone-24.jar new file mode 100644 index 0000000..8f128be Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-aarch64-ncurses5-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-aarch64-ncurses6-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-aarch64-ncurses6-0.22-milestone-24.jar new file mode 100644 index 0000000..98673e4 Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-aarch64-ncurses6-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..9f078b0 Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-amd64-ncurses5-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-amd64-ncurses5-0.22-milestone-24.jar new file mode 100644 index 0000000..0a9cfbd Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-amd64-ncurses5-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-linux-amd64-ncurses6-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-linux-amd64-ncurses6-0.22-milestone-24.jar new file mode 100644 index 0000000..57e1fb4 Binary files /dev/null and b/gradle-8.0/lib/native-platform-linux-amd64-ncurses6-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-osx-aarch64-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-osx-aarch64-0.22-milestone-24.jar new file mode 100644 index 0000000..3fe7180 Binary files /dev/null and b/gradle-8.0/lib/native-platform-osx-aarch64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-osx-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-osx-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..a7ee520 Binary files /dev/null and b/gradle-8.0/lib/native-platform-osx-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-windows-amd64-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-windows-amd64-0.22-milestone-24.jar new file mode 100644 index 0000000..73f4f93 Binary files /dev/null and b/gradle-8.0/lib/native-platform-windows-amd64-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-windows-amd64-min-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-windows-amd64-min-0.22-milestone-24.jar new file mode 100644 index 0000000..be3ff2c Binary files /dev/null and b/gradle-8.0/lib/native-platform-windows-amd64-min-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-windows-i386-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-windows-i386-0.22-milestone-24.jar new file mode 100644 index 0000000..020bdf1 Binary files /dev/null and b/gradle-8.0/lib/native-platform-windows-i386-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/native-platform-windows-i386-min-0.22-milestone-24.jar b/gradle-8.0/lib/native-platform-windows-i386-min-0.22-milestone-24.jar new file mode 100644 index 0000000..0beabb1 Binary files /dev/null and b/gradle-8.0/lib/native-platform-windows-i386-min-0.22-milestone-24.jar differ diff --git a/gradle-8.0/lib/objenesis-2.6.jar b/gradle-8.0/lib/objenesis-2.6.jar new file mode 100644 index 0000000..b4b29d5 Binary files /dev/null and b/gradle-8.0/lib/objenesis-2.6.jar differ diff --git a/gradle-8.0/lib/plugins/aws-java-sdk-core-1.12.365.jar b/gradle-8.0/lib/plugins/aws-java-sdk-core-1.12.365.jar new file mode 100644 index 0000000..65d890b Binary files /dev/null and b/gradle-8.0/lib/plugins/aws-java-sdk-core-1.12.365.jar differ diff --git a/gradle-8.0/lib/plugins/aws-java-sdk-kms-1.12.365.jar b/gradle-8.0/lib/plugins/aws-java-sdk-kms-1.12.365.jar new file mode 100644 index 0000000..cc7c4e8 Binary files /dev/null and b/gradle-8.0/lib/plugins/aws-java-sdk-kms-1.12.365.jar differ diff --git a/gradle-8.0/lib/plugins/aws-java-sdk-s3-1.12.365.jar b/gradle-8.0/lib/plugins/aws-java-sdk-s3-1.12.365.jar new file mode 100644 index 0000000..cd4a39a Binary files /dev/null and b/gradle-8.0/lib/plugins/aws-java-sdk-s3-1.12.365.jar differ diff --git a/gradle-8.0/lib/plugins/aws-java-sdk-sts-1.12.365.jar b/gradle-8.0/lib/plugins/aws-java-sdk-sts-1.12.365.jar new file mode 100644 index 0000000..6e4bf0e Binary files /dev/null and b/gradle-8.0/lib/plugins/aws-java-sdk-sts-1.12.365.jar differ diff --git a/gradle-8.0/lib/plugins/bcpg-jdk15on-1.68.jar b/gradle-8.0/lib/plugins/bcpg-jdk15on-1.68.jar new file mode 100644 index 0000000..340eefc Binary files /dev/null and b/gradle-8.0/lib/plugins/bcpg-jdk15on-1.68.jar differ diff --git a/gradle-8.0/lib/plugins/bcpkix-jdk15on-1.68.jar b/gradle-8.0/lib/plugins/bcpkix-jdk15on-1.68.jar new file mode 100644 index 0000000..1b6385d Binary files /dev/null and b/gradle-8.0/lib/plugins/bcpkix-jdk15on-1.68.jar differ diff --git a/gradle-8.0/lib/plugins/bcprov-jdk15on-1.68.jar b/gradle-8.0/lib/plugins/bcprov-jdk15on-1.68.jar new file mode 100644 index 0000000..84ae485 Binary files /dev/null and b/gradle-8.0/lib/plugins/bcprov-jdk15on-1.68.jar differ diff --git a/gradle-8.0/lib/plugins/bsh-2.0b6.jar b/gradle-8.0/lib/plugins/bsh-2.0b6.jar new file mode 100644 index 0000000..29d71a9 Binary files /dev/null and b/gradle-8.0/lib/plugins/bsh-2.0b6.jar differ diff --git a/gradle-8.0/lib/plugins/capsule-0.6.3.jar b/gradle-8.0/lib/plugins/capsule-0.6.3.jar new file mode 100644 index 0000000..e4a88e8 Binary files /dev/null and b/gradle-8.0/lib/plugins/capsule-0.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/commons-codec-1.15.jar b/gradle-8.0/lib/plugins/commons-codec-1.15.jar new file mode 100644 index 0000000..f14985a Binary files /dev/null and b/gradle-8.0/lib/plugins/commons-codec-1.15.jar differ diff --git a/gradle-8.0/lib/plugins/dd-plist-1.21.jar b/gradle-8.0/lib/plugins/dd-plist-1.21.jar new file mode 100644 index 0000000..cdf1472 Binary files /dev/null and b/gradle-8.0/lib/plugins/dd-plist-1.21.jar differ diff --git a/gradle-8.0/lib/plugins/google-api-client-1.34.0.jar b/gradle-8.0/lib/plugins/google-api-client-1.34.0.jar new file mode 100644 index 0000000..e1bd4ed Binary files /dev/null and b/gradle-8.0/lib/plugins/google-api-client-1.34.0.jar differ diff --git a/gradle-8.0/lib/plugins/google-api-services-storage-v1-rev20220705-1.32.1.jar b/gradle-8.0/lib/plugins/google-api-services-storage-v1-rev20220705-1.32.1.jar new file mode 100644 index 0000000..91d26e4 Binary files /dev/null and b/gradle-8.0/lib/plugins/google-api-services-storage-v1-rev20220705-1.32.1.jar differ diff --git a/gradle-8.0/lib/plugins/google-http-client-1.42.2.jar b/gradle-8.0/lib/plugins/google-http-client-1.42.2.jar new file mode 100644 index 0000000..e8a4497 Binary files /dev/null and b/gradle-8.0/lib/plugins/google-http-client-1.42.2.jar differ diff --git a/gradle-8.0/lib/plugins/google-http-client-apache-v2-1.42.2.jar b/gradle-8.0/lib/plugins/google-http-client-apache-v2-1.42.2.jar new file mode 100644 index 0000000..edf37d0 Binary files /dev/null and b/gradle-8.0/lib/plugins/google-http-client-apache-v2-1.42.2.jar differ diff --git a/gradle-8.0/lib/plugins/google-http-client-gson-1.42.2.jar b/gradle-8.0/lib/plugins/google-http-client-gson-1.42.2.jar new file mode 100644 index 0000000..77d3af1 Binary files /dev/null and b/gradle-8.0/lib/plugins/google-http-client-gson-1.42.2.jar differ diff --git a/gradle-8.0/lib/plugins/google-oauth-client-1.34.1.jar b/gradle-8.0/lib/plugins/google-oauth-client-1.34.1.jar new file mode 100644 index 0000000..795f7e4 Binary files /dev/null and b/gradle-8.0/lib/plugins/google-oauth-client-1.34.1.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-antlr-8.0.jar b/gradle-8.0/lib/plugins/gradle-antlr-8.0.jar new file mode 100644 index 0000000..322d092 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-antlr-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-build-cache-http-8.0.jar b/gradle-8.0/lib/plugins/gradle-build-cache-http-8.0.jar new file mode 100644 index 0000000..277aaeb Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-build-cache-http-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-build-init-8.0.jar b/gradle-8.0/lib/plugins/gradle-build-init-8.0.jar new file mode 100644 index 0000000..07577b0 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-build-init-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-build-profile-8.0.jar b/gradle-8.0/lib/plugins/gradle-build-profile-8.0.jar new file mode 100644 index 0000000..52fc22b Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-build-profile-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-code-quality-8.0.jar b/gradle-8.0/lib/plugins/gradle-code-quality-8.0.jar new file mode 100644 index 0000000..5989b31 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-code-quality-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-composite-builds-8.0.jar b/gradle-8.0/lib/plugins/gradle-composite-builds-8.0.jar new file mode 100644 index 0000000..76429d0 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-composite-builds-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-configuration-cache-8.0.jar b/gradle-8.0/lib/plugins/gradle-configuration-cache-8.0.jar new file mode 100644 index 0000000..237c255 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-configuration-cache-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-dependency-management-8.0.jar b/gradle-8.0/lib/plugins/gradle-dependency-management-8.0.jar new file mode 100644 index 0000000..89355b0 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-dependency-management-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-diagnostics-8.0.jar b/gradle-8.0/lib/plugins/gradle-diagnostics-8.0.jar new file mode 100644 index 0000000..d02d0b0 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-diagnostics-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-ear-8.0.jar b/gradle-8.0/lib/plugins/gradle-ear-8.0.jar new file mode 100644 index 0000000..6ba0910 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-ear-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-enterprise-8.0.jar b/gradle-8.0/lib/plugins/gradle-enterprise-8.0.jar new file mode 100644 index 0000000..0ea33e0 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-enterprise-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-ide-8.0.jar b/gradle-8.0/lib/plugins/gradle-ide-8.0.jar new file mode 100644 index 0000000..e2506e6 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-ide-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-ide-native-8.0.jar b/gradle-8.0/lib/plugins/gradle-ide-native-8.0.jar new file mode 100644 index 0000000..80fa3f2 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-ide-native-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-ivy-8.0.jar b/gradle-8.0/lib/plugins/gradle-ivy-8.0.jar new file mode 100644 index 0000000..f174492 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-ivy-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-jacoco-8.0.jar b/gradle-8.0/lib/plugins/gradle-jacoco-8.0.jar new file mode 100644 index 0000000..8d52158 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-jacoco-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-java-compiler-plugin-8.0.jar b/gradle-8.0/lib/plugins/gradle-java-compiler-plugin-8.0.jar new file mode 100644 index 0000000..c608eb3 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-java-compiler-plugin-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-kotlin-dsl-provider-plugins-8.0.jar b/gradle-8.0/lib/plugins/gradle-kotlin-dsl-provider-plugins-8.0.jar new file mode 100644 index 0000000..6c2eaa7 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-kotlin-dsl-provider-plugins-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-kotlin-dsl-tooling-builders-8.0.jar b/gradle-8.0/lib/plugins/gradle-kotlin-dsl-tooling-builders-8.0.jar new file mode 100644 index 0000000..3021729 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-kotlin-dsl-tooling-builders-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-language-groovy-8.0.jar b/gradle-8.0/lib/plugins/gradle-language-groovy-8.0.jar new file mode 100644 index 0000000..63d0c0e Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-language-groovy-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-language-java-8.0.jar b/gradle-8.0/lib/plugins/gradle-language-java-8.0.jar new file mode 100644 index 0000000..ce2116a Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-language-java-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-language-jvm-8.0.jar b/gradle-8.0/lib/plugins/gradle-language-jvm-8.0.jar new file mode 100644 index 0000000..5ae28b8 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-language-jvm-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-language-native-8.0.jar b/gradle-8.0/lib/plugins/gradle-language-native-8.0.jar new file mode 100644 index 0000000..b2aa326 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-language-native-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-maven-8.0.jar b/gradle-8.0/lib/plugins/gradle-maven-8.0.jar new file mode 100644 index 0000000..c07edf6 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-maven-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-platform-base-8.0.jar b/gradle-8.0/lib/plugins/gradle-platform-base-8.0.jar new file mode 100644 index 0000000..47e9019 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-platform-base-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-platform-jvm-8.0.jar b/gradle-8.0/lib/plugins/gradle-platform-jvm-8.0.jar new file mode 100644 index 0000000..e666382 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-platform-jvm-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-platform-native-8.0.jar b/gradle-8.0/lib/plugins/gradle-platform-native-8.0.jar new file mode 100644 index 0000000..8c09ec5 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-platform-native-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-plugin-development-8.0.jar b/gradle-8.0/lib/plugins/gradle-plugin-development-8.0.jar new file mode 100644 index 0000000..f8a9e30 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-plugin-development-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-plugin-use-8.0.jar b/gradle-8.0/lib/plugins/gradle-plugin-use-8.0.jar new file mode 100644 index 0000000..2517fe3 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-plugin-use-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-plugins-8.0.jar b/gradle-8.0/lib/plugins/gradle-plugins-8.0.jar new file mode 100644 index 0000000..31b5379 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-plugins-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-publish-8.0.jar b/gradle-8.0/lib/plugins/gradle-publish-8.0.jar new file mode 100644 index 0000000..cbceb36 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-publish-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-reporting-8.0.jar b/gradle-8.0/lib/plugins/gradle-reporting-8.0.jar new file mode 100644 index 0000000..d2cc0f7 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-reporting-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-resources-gcs-8.0.jar b/gradle-8.0/lib/plugins/gradle-resources-gcs-8.0.jar new file mode 100644 index 0000000..8489e0b Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-resources-gcs-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-resources-http-8.0.jar b/gradle-8.0/lib/plugins/gradle-resources-http-8.0.jar new file mode 100644 index 0000000..88e06b3 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-resources-http-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-resources-s3-8.0.jar b/gradle-8.0/lib/plugins/gradle-resources-s3-8.0.jar new file mode 100644 index 0000000..cf931a4 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-resources-s3-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-resources-sftp-8.0.jar b/gradle-8.0/lib/plugins/gradle-resources-sftp-8.0.jar new file mode 100644 index 0000000..65a4818 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-resources-sftp-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-scala-8.0.jar b/gradle-8.0/lib/plugins/gradle-scala-8.0.jar new file mode 100644 index 0000000..b2ff9bc Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-scala-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-security-8.0.jar b/gradle-8.0/lib/plugins/gradle-security-8.0.jar new file mode 100644 index 0000000..b617060 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-security-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-signing-8.0.jar b/gradle-8.0/lib/plugins/gradle-signing-8.0.jar new file mode 100644 index 0000000..b878e24 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-signing-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-test-kit-8.0.jar b/gradle-8.0/lib/plugins/gradle-test-kit-8.0.jar new file mode 100644 index 0000000..1eea103 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-test-kit-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-testing-base-8.0.jar b/gradle-8.0/lib/plugins/gradle-testing-base-8.0.jar new file mode 100644 index 0000000..633dc69 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-testing-base-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-testing-junit-platform-8.0.jar b/gradle-8.0/lib/plugins/gradle-testing-junit-platform-8.0.jar new file mode 100644 index 0000000..fbcd026 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-testing-junit-platform-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-testing-jvm-8.0.jar b/gradle-8.0/lib/plugins/gradle-testing-jvm-8.0.jar new file mode 100644 index 0000000..6414e19 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-testing-jvm-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-testing-jvm-infrastructure-8.0.jar b/gradle-8.0/lib/plugins/gradle-testing-jvm-infrastructure-8.0.jar new file mode 100644 index 0000000..2fa7327 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-testing-jvm-infrastructure-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-testing-native-8.0.jar b/gradle-8.0/lib/plugins/gradle-testing-native-8.0.jar new file mode 100644 index 0000000..7c443fa Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-testing-native-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-tooling-api-builders-8.0.jar b/gradle-8.0/lib/plugins/gradle-tooling-api-builders-8.0.jar new file mode 100644 index 0000000..f684d37 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-tooling-api-builders-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-tooling-native-8.0.jar b/gradle-8.0/lib/plugins/gradle-tooling-native-8.0.jar new file mode 100644 index 0000000..1db0e93 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-tooling-native-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-version-control-8.0.jar b/gradle-8.0/lib/plugins/gradle-version-control-8.0.jar new file mode 100644 index 0000000..f08fd70 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-version-control-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-workers-8.0.jar b/gradle-8.0/lib/plugins/gradle-workers-8.0.jar new file mode 100644 index 0000000..b4c139c Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-workers-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/gradle-wrapper-8.0.jar b/gradle-8.0/lib/plugins/gradle-wrapper-8.0.jar new file mode 100644 index 0000000..7859940 Binary files /dev/null and b/gradle-8.0/lib/plugins/gradle-wrapper-8.0.jar differ diff --git a/gradle-8.0/lib/plugins/grpc-context-1.27.2.jar b/gradle-8.0/lib/plugins/grpc-context-1.27.2.jar new file mode 100644 index 0000000..fd8615e Binary files /dev/null and b/gradle-8.0/lib/plugins/grpc-context-1.27.2.jar differ diff --git a/gradle-8.0/lib/plugins/gson-2.8.9.jar b/gradle-8.0/lib/plugins/gson-2.8.9.jar new file mode 100644 index 0000000..3351867 Binary files /dev/null and b/gradle-8.0/lib/plugins/gson-2.8.9.jar differ diff --git a/gradle-8.0/lib/plugins/httpclient-4.5.13.jar b/gradle-8.0/lib/plugins/httpclient-4.5.13.jar new file mode 100644 index 0000000..218ee25 Binary files /dev/null and b/gradle-8.0/lib/plugins/httpclient-4.5.13.jar differ diff --git a/gradle-8.0/lib/plugins/httpcore-4.4.14.jar b/gradle-8.0/lib/plugins/httpcore-4.4.14.jar new file mode 100644 index 0000000..349db18 Binary files /dev/null and b/gradle-8.0/lib/plugins/httpcore-4.4.14.jar differ diff --git a/gradle-8.0/lib/plugins/ion-java-1.0.2.jar b/gradle-8.0/lib/plugins/ion-java-1.0.2.jar new file mode 100644 index 0000000..192a98e Binary files /dev/null and b/gradle-8.0/lib/plugins/ion-java-1.0.2.jar differ diff --git a/gradle-8.0/lib/plugins/ivy-2.3.0.jar b/gradle-8.0/lib/plugins/ivy-2.3.0.jar new file mode 100644 index 0000000..543de46 Binary files /dev/null and b/gradle-8.0/lib/plugins/ivy-2.3.0.jar differ diff --git a/gradle-8.0/lib/plugins/jackson-annotations-2.14.1.jar b/gradle-8.0/lib/plugins/jackson-annotations-2.14.1.jar new file mode 100644 index 0000000..e908bd3 Binary files /dev/null and b/gradle-8.0/lib/plugins/jackson-annotations-2.14.1.jar differ diff --git a/gradle-8.0/lib/plugins/jackson-core-2.14.1.jar b/gradle-8.0/lib/plugins/jackson-core-2.14.1.jar new file mode 100644 index 0000000..cc02583 Binary files /dev/null and b/gradle-8.0/lib/plugins/jackson-core-2.14.1.jar differ diff --git a/gradle-8.0/lib/plugins/jackson-databind-2.14.1.jar b/gradle-8.0/lib/plugins/jackson-databind-2.14.1.jar new file mode 100644 index 0000000..1ac8096 Binary files /dev/null and b/gradle-8.0/lib/plugins/jackson-databind-2.14.1.jar differ diff --git a/gradle-8.0/lib/plugins/jakarta.activation-2.0.0.jar b/gradle-8.0/lib/plugins/jakarta.activation-2.0.0.jar new file mode 100644 index 0000000..973e486 Binary files /dev/null and b/gradle-8.0/lib/plugins/jakarta.activation-2.0.0.jar differ diff --git a/gradle-8.0/lib/plugins/jakarta.xml.bind-api-3.0.0.jar b/gradle-8.0/lib/plugins/jakarta.xml.bind-api-3.0.0.jar new file mode 100644 index 0000000..07a1662 Binary files /dev/null and b/gradle-8.0/lib/plugins/jakarta.xml.bind-api-3.0.0.jar differ diff --git a/gradle-8.0/lib/plugins/jatl-0.2.3.jar b/gradle-8.0/lib/plugins/jatl-0.2.3.jar new file mode 100644 index 0000000..b1609a7 Binary files /dev/null and b/gradle-8.0/lib/plugins/jatl-0.2.3.jar differ diff --git a/gradle-8.0/lib/plugins/jaxb-core-3.0.0.jar b/gradle-8.0/lib/plugins/jaxb-core-3.0.0.jar new file mode 100644 index 0000000..cad08ec Binary files /dev/null and b/gradle-8.0/lib/plugins/jaxb-core-3.0.0.jar differ diff --git a/gradle-8.0/lib/plugins/jaxb-impl-3.0.0.jar b/gradle-8.0/lib/plugins/jaxb-impl-3.0.0.jar new file mode 100644 index 0000000..a34baa7 Binary files /dev/null and b/gradle-8.0/lib/plugins/jaxb-impl-3.0.0.jar differ diff --git a/gradle-8.0/lib/plugins/jcifs-1.3.17.jar b/gradle-8.0/lib/plugins/jcifs-1.3.17.jar new file mode 100644 index 0000000..3f27e29 Binary files /dev/null and b/gradle-8.0/lib/plugins/jcifs-1.3.17.jar differ diff --git a/gradle-8.0/lib/plugins/jcommander-1.78.jar b/gradle-8.0/lib/plugins/jcommander-1.78.jar new file mode 100644 index 0000000..1d58673 Binary files /dev/null and b/gradle-8.0/lib/plugins/jcommander-1.78.jar differ diff --git a/gradle-8.0/lib/plugins/jmespath-java-1.12.365.jar b/gradle-8.0/lib/plugins/jmespath-java-1.12.365.jar new file mode 100644 index 0000000..879c286 Binary files /dev/null and b/gradle-8.0/lib/plugins/jmespath-java-1.12.365.jar differ diff --git a/gradle-8.0/lib/plugins/joda-time-2.10.4.jar b/gradle-8.0/lib/plugins/joda-time-2.10.4.jar new file mode 100644 index 0000000..62c7a53 Binary files /dev/null and b/gradle-8.0/lib/plugins/joda-time-2.10.4.jar differ diff --git a/gradle-8.0/lib/plugins/jsch-0.1.55.jar b/gradle-8.0/lib/plugins/jsch-0.1.55.jar new file mode 100644 index 0000000..c6fd21d Binary files /dev/null and b/gradle-8.0/lib/plugins/jsch-0.1.55.jar differ diff --git a/gradle-8.0/lib/plugins/jsoup-1.15.3.jar b/gradle-8.0/lib/plugins/jsoup-1.15.3.jar new file mode 100644 index 0000000..5506d7f Binary files /dev/null and b/gradle-8.0/lib/plugins/jsoup-1.15.3.jar differ diff --git a/gradle-8.0/lib/plugins/junit-platform-commons-1.8.2.jar b/gradle-8.0/lib/plugins/junit-platform-commons-1.8.2.jar new file mode 100644 index 0000000..e0cf087 Binary files /dev/null and b/gradle-8.0/lib/plugins/junit-platform-commons-1.8.2.jar differ diff --git a/gradle-8.0/lib/plugins/junit-platform-engine-1.8.2.jar b/gradle-8.0/lib/plugins/junit-platform-engine-1.8.2.jar new file mode 100644 index 0000000..85bac8a Binary files /dev/null and b/gradle-8.0/lib/plugins/junit-platform-engine-1.8.2.jar differ diff --git a/gradle-8.0/lib/plugins/junit-platform-launcher-1.8.2.jar b/gradle-8.0/lib/plugins/junit-platform-launcher-1.8.2.jar new file mode 100644 index 0000000..0f2cc40 Binary files /dev/null and b/gradle-8.0/lib/plugins/junit-platform-launcher-1.8.2.jar differ diff --git a/gradle-8.0/lib/plugins/jzlib-1.1.3.jar b/gradle-8.0/lib/plugins/jzlib-1.1.3.jar new file mode 100644 index 0000000..2fa60b1 Binary files /dev/null and b/gradle-8.0/lib/plugins/jzlib-1.1.3.jar differ diff --git a/gradle-8.0/lib/plugins/maven-builder-support-3.6.3.jar b/gradle-8.0/lib/plugins/maven-builder-support-3.6.3.jar new file mode 100644 index 0000000..34f941a Binary files /dev/null and b/gradle-8.0/lib/plugins/maven-builder-support-3.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/maven-model-3.6.3.jar b/gradle-8.0/lib/plugins/maven-model-3.6.3.jar new file mode 100644 index 0000000..8f3ff5f Binary files /dev/null and b/gradle-8.0/lib/plugins/maven-model-3.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/maven-repository-metadata-3.6.3.jar b/gradle-8.0/lib/plugins/maven-repository-metadata-3.6.3.jar new file mode 100644 index 0000000..a35af1a Binary files /dev/null and b/gradle-8.0/lib/plugins/maven-repository-metadata-3.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/maven-settings-3.6.3.jar b/gradle-8.0/lib/plugins/maven-settings-3.6.3.jar new file mode 100644 index 0000000..5cc532a Binary files /dev/null and b/gradle-8.0/lib/plugins/maven-settings-3.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/maven-settings-builder-3.6.3.jar b/gradle-8.0/lib/plugins/maven-settings-builder-3.6.3.jar new file mode 100644 index 0000000..12919fb Binary files /dev/null and b/gradle-8.0/lib/plugins/maven-settings-builder-3.6.3.jar differ diff --git a/gradle-8.0/lib/plugins/opencensus-api-0.31.1.jar b/gradle-8.0/lib/plugins/opencensus-api-0.31.1.jar new file mode 100644 index 0000000..32f2501 Binary files /dev/null and b/gradle-8.0/lib/plugins/opencensus-api-0.31.1.jar differ diff --git a/gradle-8.0/lib/plugins/opencensus-contrib-http-util-0.31.1.jar b/gradle-8.0/lib/plugins/opencensus-contrib-http-util-0.31.1.jar new file mode 100644 index 0000000..f96d0da Binary files /dev/null and b/gradle-8.0/lib/plugins/opencensus-contrib-http-util-0.31.1.jar differ diff --git a/gradle-8.0/lib/plugins/opentest4j-1.2.0.jar b/gradle-8.0/lib/plugins/opentest4j-1.2.0.jar new file mode 100644 index 0000000..d500636 Binary files /dev/null and b/gradle-8.0/lib/plugins/opentest4j-1.2.0.jar differ diff --git a/gradle-8.0/lib/plugins/org.eclipse.jgit-5.7.0.202003110725-r.jar b/gradle-8.0/lib/plugins/org.eclipse.jgit-5.7.0.202003110725-r.jar new file mode 100644 index 0000000..cb146f8 Binary files /dev/null and b/gradle-8.0/lib/plugins/org.eclipse.jgit-5.7.0.202003110725-r.jar differ diff --git a/gradle-8.0/lib/plugins/plexus-cipher-1.7.jar b/gradle-8.0/lib/plugins/plexus-cipher-1.7.jar new file mode 100644 index 0000000..21928b9 Binary files /dev/null and b/gradle-8.0/lib/plugins/plexus-cipher-1.7.jar differ diff --git a/gradle-8.0/lib/plugins/plexus-interpolation-1.26.jar b/gradle-8.0/lib/plugins/plexus-interpolation-1.26.jar new file mode 100644 index 0000000..cfcf162 Binary files /dev/null and b/gradle-8.0/lib/plugins/plexus-interpolation-1.26.jar differ diff --git a/gradle-8.0/lib/plugins/plexus-sec-dispatcher-1.4.jar b/gradle-8.0/lib/plugins/plexus-sec-dispatcher-1.4.jar new file mode 100644 index 0000000..c90fed8 Binary files /dev/null and b/gradle-8.0/lib/plugins/plexus-sec-dispatcher-1.4.jar differ diff --git a/gradle-8.0/lib/plugins/plexus-utils-3.3.0.jar b/gradle-8.0/lib/plugins/plexus-utils-3.3.0.jar new file mode 100644 index 0000000..81053c2 Binary files /dev/null and b/gradle-8.0/lib/plugins/plexus-utils-3.3.0.jar differ diff --git a/gradle-8.0/lib/plugins/snakeyaml-1.32.jar b/gradle-8.0/lib/plugins/snakeyaml-1.32.jar new file mode 100644 index 0000000..cd73a29 Binary files /dev/null and b/gradle-8.0/lib/plugins/snakeyaml-1.32.jar differ diff --git a/gradle-8.0/lib/plugins/testng-6.3.1.jar b/gradle-8.0/lib/plugins/testng-6.3.1.jar new file mode 100644 index 0000000..7479345 Binary files /dev/null and b/gradle-8.0/lib/plugins/testng-6.3.1.jar differ diff --git a/gradle-8.0/lib/qdox-1.12.1.jar b/gradle-8.0/lib/qdox-1.12.1.jar new file mode 100644 index 0000000..092fc51 Binary files /dev/null and b/gradle-8.0/lib/qdox-1.12.1.jar differ diff --git a/gradle-8.0/lib/slf4j-api-1.7.30.jar b/gradle-8.0/lib/slf4j-api-1.7.30.jar new file mode 100644 index 0000000..29ac26f Binary files /dev/null and b/gradle-8.0/lib/slf4j-api-1.7.30.jar differ diff --git a/gradle-8.0/lib/tomlj-1.0.0.jar b/gradle-8.0/lib/tomlj-1.0.0.jar new file mode 100644 index 0000000..56322a7 Binary files /dev/null and b/gradle-8.0/lib/tomlj-1.0.0.jar differ diff --git a/gradle-8.0/lib/trove4j-1.0.20200330.jar b/gradle-8.0/lib/trove4j-1.0.20200330.jar new file mode 100644 index 0000000..0b174bf Binary files /dev/null and b/gradle-8.0/lib/trove4j-1.0.20200330.jar differ diff --git a/gradle-8.0/lib/xml-apis-1.4.01.jar b/gradle-8.0/lib/xml-apis-1.4.01.jar new file mode 100644 index 0000000..4673346 Binary files /dev/null and b/gradle-8.0/lib/xml-apis-1.4.01.jar differ diff --git a/gradle.properties b/gradle.properties new file mode 100644 index 0000000..3c5e113 --- /dev/null +++ b/gradle.properties @@ -0,0 +1,2 @@ +org.gradle.jvmargs=-Xmx2048m -Dfile.encoding=UTF-8 +android.useAndroidX=true diff --git a/gradle/wrapper/gradle-wrapper.jar b/gradle/wrapper/gradle-wrapper.jar new file mode 100644 index 0000000..ccebba7 Binary files /dev/null and b/gradle/wrapper/gradle-wrapper.jar differ diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 0000000..42defcc --- /dev/null +++ b/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,6 @@ +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +distributionUrl=https\://services.gradle.org/distributions/gradle-8.0-bin.zip +networkTimeout=10000 +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists diff --git a/gradlew b/gradlew new file mode 100755 index 0000000..79a61d4 --- /dev/null +++ b/gradlew @@ -0,0 +1,244 @@ +#!/bin/sh + +# +# Copyright © 2015-2021 the original authors. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# https://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# + +############################################################################## +# +# Gradle start up script for POSIX generated by Gradle. +# +# Important for running: +# +# (1) You need a POSIX-compliant shell to run this script. If your /bin/sh is +# noncompliant, but you have some other compliant shell such as ksh or +# bash, then to run this script, type that shell name before the whole +# command line, like: +# +# ksh Gradle +# +# Busybox and similar reduced shells will NOT work, because this script +# requires all of these POSIX shell features: +# * functions; +# * expansions «$var», «${var}», «${var:-default}», «${var+SET}», +# «${var#prefix}», «${var%suffix}», and «$( cmd )»; +# * compound commands having a testable exit status, especially «case»; +# * various built-in commands including «command», «set», and «ulimit». +# +# Important for patching: +# +# (2) This script targets any POSIX shell, so it avoids extensions provided +# by Bash, Ksh, etc; in particular arrays are avoided. +# +# The "traditional" practice of packing multiple parameters into a +# space-separated string is a well documented source of bugs and security +# problems, so this is (mostly) avoided, by progressively accumulating +# options in "$@", and eventually passing that to Java. +# +# Where the inherited environment variables (DEFAULT_JVM_OPTS, JAVA_OPTS, +# and GRADLE_OPTS) rely on word-splitting, this is performed explicitly; +# see the in-line comments for details. +# +# There are tweaks for specific operating systems such as AIX, CygWin, +# 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 +# within the Gradle project. +# +# You can find Gradle at https://github.com/gradle/gradle/. +# +############################################################################## + +# Attempt to set APP_HOME + +# Resolve links: $0 may be a link +app_path=$0 + +# Need this for daisy-chained symlinks. +while + APP_HOME=${app_path%"${app_path##*/}"} # leaves a trailing /; empty if no leading path + [ -h "$app_path" ] +do + ls=$( ls -ld "$app_path" ) + link=${ls#*' -> '} + case $link in #( + /*) app_path=$link ;; #( + *) app_path=$APP_HOME$link ;; + esac +done + +# This is normally unused +# shellcheck disable=SC2034 +APP_BASE_NAME=${0##*/} +APP_HOME=$( cd "${APP_HOME:-./}" && pwd -P ) || exit + +# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"' + +# Use the maximum available, or set MAX_FD != -1 to use that value. +MAX_FD=maximum + +warn () { + echo "$*" +} >&2 + +die () { + echo + echo "$*" + echo + exit 1 +} >&2 + +# OS specific support (must be 'true' or 'false'). +cygwin=false +msys=false +darwin=false +nonstop=false +case "$( uname )" in #( + CYGWIN* ) cygwin=true ;; #( + Darwin* ) darwin=true ;; #( + MSYS* | MINGW* ) msys=true ;; #( + NONSTOP* ) nonstop=true ;; +esac + +CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar + + +# Determine the Java command to use to start the JVM. +if [ -n "$JAVA_HOME" ] ; then + if [ -x "$JAVA_HOME/jre/sh/java" ] ; then + # IBM's JDK on AIX uses strange locations for the executables + JAVACMD=$JAVA_HOME/jre/sh/java + else + JAVACMD=$JAVA_HOME/bin/java + fi + if [ ! -x "$JAVACMD" ] ; then + die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +else + JAVACMD=java + which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." +fi + +# Increase the maximum file descriptors if we can. +if ! "$cygwin" && ! "$darwin" && ! "$nonstop" ; then + case $MAX_FD in #( + max*) + # In POSIX sh, ulimit -H is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC3045 + MAX_FD=$( ulimit -H -n ) || + warn "Could not query maximum file descriptor limit" + esac + case $MAX_FD in #( + '' | soft) :;; #( + *) + # In POSIX sh, ulimit -n is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC3045 + ulimit -n "$MAX_FD" || + warn "Could not set maximum file descriptor limit to $MAX_FD" + esac +fi + +# Collect all arguments for the java command, stacking in reverse order: +# * args from the command line +# * the main class name +# * -classpath +# * -D...appname settings +# * --module-path (only if needed) +# * DEFAULT_JVM_OPTS, JAVA_OPTS, and GRADLE_OPTS environment variables. + +# For Cygwin or MSYS, switch paths to Windows format before running java +if "$cygwin" || "$msys" ; then + APP_HOME=$( cygpath --path --mixed "$APP_HOME" ) + CLASSPATH=$( cygpath --path --mixed "$CLASSPATH" ) + + JAVACMD=$( cygpath --unix "$JAVACMD" ) + + # Now convert the arguments - kludge to limit ourselves to /bin/sh + for arg do + if + case $arg in #( + -*) false ;; # don't mess with options #( + /?*) t=${arg#/} t=/${t%%/*} # looks like a POSIX filepath + [ -e "$t" ] ;; #( + *) false ;; + esac + then + arg=$( cygpath --path --ignore --mixed "$arg" ) + fi + # Roll the args list around exactly as many times as the number of + # args, so each arg winds up back in the position where it started, but + # possibly modified. + # + # NB: a `for` loop captures its iteration list before it begins, so + # changing the positional parameters here affects neither the number of + # iterations, nor the values presented in `arg`. + shift # remove old arg + set -- "$@" "$arg" # push replacement arg + done +fi + +# Collect all arguments for the java command; +# * $DEFAULT_JVM_OPTS, $JAVA_OPTS, and $GRADLE_OPTS can contain fragments of +# shell script including quotes and variable substitutions, so put them in +# double quotes to make sure that they get re-expanded; and +# * put everything else in single quotes, so that it's not re-expanded. + +set -- \ + "-Dorg.gradle.appname=$APP_BASE_NAME" \ + -classpath "$CLASSPATH" \ + org.gradle.wrapper.GradleWrapperMain \ + "$@" + +# Stop when "xargs" is not available. +if ! command -v xargs >/dev/null 2>&1 +then + die "xargs is not available" +fi + +# Use "xargs" to parse quoted args. +# +# With -n1 it outputs one arg per line, with the quotes and backslashes removed. +# +# In Bash we could simply go: +# +# readarray ARGS < <( xargs -n1 <<<"$var" ) && +# set -- "${ARGS[@]}" "$@" +# +# but POSIX shell has neither arrays nor command substitution, so instead we +# post-process each arg (as a line of input to sed) to backslash-escape any +# character that might be a shell metacharacter, then use eval to reverse +# that process (while maintaining the separation between arguments), and wrap +# the whole thing up as a single "set" statement. +# +# This will of course break if any of these variables contains a newline or +# an unmatched quote. +# + +eval "set -- $( + printf '%s\n' "$DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS" | + xargs -n1 | + sed ' s~[^-[:alnum:]+,./:=@_]~\\&~g; ' | + tr '\n' ' ' + )" '"$@"' + +exec "$JAVACMD" "$@" diff --git a/gradlew.bat b/gradlew.bat new file mode 100644 index 0000000..6689b85 --- /dev/null +++ b/gradlew.bat @@ -0,0 +1,92 @@ +@rem +@rem Copyright 2015 the original author or authors. +@rem +@rem Licensed under the Apache License, Version 2.0 (the "License"); +@rem you may not use this file except in compliance with the License. +@rem You may obtain a copy of the License at +@rem +@rem https://www.apache.org/licenses/LICENSE-2.0 +@rem +@rem Unless required by applicable law or agreed to in writing, software +@rem distributed under the License is distributed on an "AS IS" BASIS, +@rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +@rem See the License for the specific language governing permissions and +@rem limitations under the License. +@rem + +@if "%DEBUG%"=="" @echo off +@rem ########################################################################## +@rem +@rem Gradle startup script for Windows +@rem +@rem ########################################################################## + +@rem Set local scope for the variables with windows NT shell +if "%OS%"=="Windows_NT" setlocal + +set DIRNAME=%~dp0 +if "%DIRNAME%"=="" set DIRNAME=. +@rem This is normally unused +set APP_BASE_NAME=%~n0 +set APP_HOME=%DIRNAME% + +@rem Resolve any "." and ".." in APP_HOME to make it shorter. +for %%i in ("%APP_HOME%") do set APP_HOME=%%~fi + +@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m" + +@rem Find java.exe +if defined JAVA_HOME goto findJavaFromJavaHome + +set JAVA_EXE=java.exe +%JAVA_EXE% -version >NUL 2>&1 +if %ERRORLEVEL% equ 0 goto execute + +echo. +echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. +echo. +echo Please set the JAVA_HOME variable in your environment to match the +echo location of your Java installation. + +goto fail + +:findJavaFromJavaHome +set JAVA_HOME=%JAVA_HOME:"=% +set JAVA_EXE=%JAVA_HOME%/bin/java.exe + +if exist "%JAVA_EXE%" goto execute + +echo. +echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% +echo. +echo Please set the JAVA_HOME variable in your environment to match the +echo location of your Java installation. + +goto fail + +:execute +@rem Setup the command line + +set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar + + +@rem Execute Gradle +"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %* + +:end +@rem End local scope for the variables with windows NT shell +if %ERRORLEVEL% equ 0 goto mainEnd + +:fail +rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of +rem the _cmd.exe /c_ return code! +set EXIT_CODE=%ERRORLEVEL% +if %EXIT_CODE% equ 0 set EXIT_CODE=1 +if not ""=="%GRADLE_EXIT_CONSOLE%" exit %EXIT_CODE% +exit /b %EXIT_CODE% + +:mainEnd +if "%OS%"=="Windows_NT" endlocal + +:omega diff --git a/settings.gradle b/settings.gradle new file mode 100644 index 0000000..f1098c5 --- /dev/null +++ b/settings.gradle @@ -0,0 +1,17 @@ +pluginManagement { + repositories { + google() + mavenCentral() + gradlePluginPortal() + } +} +dependencyResolutionManagement { + repositoriesMode.set(RepositoriesMode.FAIL_ON_PROJECT_REPOS) + repositories { + google() + mavenCentral() + } +} + +rootProject.name = "NotesApp" +include ':app'