Pandroid: Storage Access Framework (SAF) (#408)

This commit is contained in:
Gabriel Machado 2024-02-17 12:09:46 -04:00 committed by GitHub
parent 3c25be4c63
commit 6af4a04987
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
20 changed files with 292 additions and 63 deletions

View file

@ -0,0 +1,5 @@
#pragma once
namespace AndroidUtils {
int openDocument(const char* directory, const char* mode);
}

View file

@ -21,6 +21,10 @@
#include <unistd.h> // For ftruncate #include <unistd.h> // For ftruncate
#endif #endif
#ifdef __ANDROID__
#include "android_utils.hpp"
#endif
IOFile::IOFile(const std::filesystem::path& path, const char* permissions) : handle(nullptr) { open(path, permissions); } IOFile::IOFile(const std::filesystem::path& path, const char* permissions) : handle(nullptr) { open(path, permissions); }
bool IOFile::open(const std::filesystem::path& path, const char* permissions) { bool IOFile::open(const std::filesystem::path& path, const char* permissions) {
@ -34,8 +38,19 @@ bool IOFile::open(const char* filename, const char* permissions) {
if (isOpen()) { if (isOpen()) {
close(); close();
} }
#ifdef __ANDROID__
std::string path(filename);
// Check if this is a URI directory, which will need special handling due to SAF
if (path.find("://") != std::string::npos ) {
handle = fdopen(AndroidUtils::openDocument(filename, permissions), permissions);
} else {
handle = std::fopen(filename, permissions);
}
#else
handle = std::fopen(filename, permissions);
#endif
handle = std::fopen(filename, permissions);
return isOpen(); return isOpen();
} }

View file

@ -7,6 +7,7 @@
#include "emulator.hpp" #include "emulator.hpp"
#include "renderer_gl/renderer_gl.hpp" #include "renderer_gl/renderer_gl.hpp"
#include "services/hid.hpp" #include "services/hid.hpp"
#include "android_utils.hpp"
std::unique_ptr<Emulator> emulator = nullptr; std::unique_ptr<Emulator> emulator = nullptr;
HIDService* hidService = nullptr; HIDService* hidService = nullptr;
@ -14,6 +15,9 @@ RendererGL* renderer = nullptr;
bool romLoaded = false; bool romLoaded = false;
JavaVM* jvm = nullptr; JavaVM* jvm = nullptr;
jclass alberClass;
jmethodID alberClassOpenDocument;
#define AlberFunction(type, name) JNIEXPORT type JNICALL Java_com_panda3ds_pandroid_AlberDriver_##name #define AlberFunction(type, name) JNIEXPORT type JNICALL Java_com_panda3ds_pandroid_AlberDriver_##name
void throwException(JNIEnv* env, const char* message) { void throwException(JNIEnv* env, const char* message) {
@ -42,7 +46,13 @@ MAKE_SETTING(setShaderJitEnabled, jboolean, shaderJitEnabled)
#undef MAKE_SETTING #undef MAKE_SETTING
AlberFunction(void, Setup)(JNIEnv* env, jobject obj) { env->GetJavaVM(&jvm); } AlberFunction(void, Setup)(JNIEnv* env, jobject obj) {
env->GetJavaVM(&jvm);
alberClass = (jclass)env->NewGlobalRef((jclass)env->FindClass("com/panda3ds/pandroid/AlberDriver"));
alberClassOpenDocument = env->GetStaticMethodID(alberClass, "openDocument", "(Ljava/lang/String;Ljava/lang/String;)I");
}
AlberFunction(void, Pause)(JNIEnv* env, jobject obj) { emulator->pause(); } AlberFunction(void, Pause)(JNIEnv* env, jobject obj) { emulator->pause(); }
AlberFunction(void, Resume)(JNIEnv* env, jobject obj) { emulator->resume(); } AlberFunction(void, Resume)(JNIEnv* env, jobject obj) { emulator->resume(); }
@ -116,3 +126,17 @@ AlberFunction(jbyteArray, GetSmdh)(JNIEnv* env, jobject obj) {
} }
#undef AlberFunction #undef AlberFunction
int AndroidUtils::openDocument(const char* path, const char* perms) {
auto env = jniEnv();
jstring uri = env->NewStringUTF(path);
jstring jmode = env->NewStringUTF(perms);
jint result = env->CallStaticIntMethod(alberClass, alberClassOpenDocument, uri, jmode);
env->DeleteLocalRef(uri);
env->DeleteLocalRef(jmode);
return (int)result;
}

View file

@ -2,10 +2,6 @@
<manifest xmlns:android="http://schemas.android.com/apk/res/android" <manifest xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"> xmlns:tools="http://schemas.android.com/tools">
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" android:maxSdkVersion="28" />
<uses-permission android:name="android.permission.MANAGE_EXTERNAL_STORAGE" tools:ignore="ScopedStorage"/>
<uses-feature <uses-feature
android:required="true" android:required="true"
android:glEsVersion="0x0030001"/> android:glEsVersion="0x0030001"/>

View file

@ -1,6 +1,14 @@
package com.panda3ds.pandroid; package com.panda3ds.pandroid;
import android.util.Log; import android.content.Context;
import android.net.Uri;
import android.os.ParcelFileDescriptor;
import com.panda3ds.pandroid.app.PandroidApplication;
import com.panda3ds.pandroid.utils.FileUtils;
import com.panda3ds.pandroid.utils.GameUtils;
import java.util.Objects;
public class AlberDriver { public class AlberDriver {
AlberDriver() { super(); } AlberDriver() { super(); }
@ -24,5 +32,26 @@ public class AlberDriver {
public static native void setShaderJitEnabled(boolean enable); public static native void setShaderJitEnabled(boolean enable);
public static int openDocument(String path, String mode) {
try {
mode = FileUtils.parseNativeMode(mode);
Context context = PandroidApplication.getAppContext();
Uri uri = FileUtils.obtainUri(path);
ParcelFileDescriptor parcel;
if (Objects.equals(uri.getScheme(), "game")) {
if (mode.contains("w")) {
throw new IllegalArgumentException("Cannot open ROM file as writable");
}
uri = FileUtils.obtainUri(GameUtils.getCurrentGame().getRealPath());
}
parcel = context.getContentResolver().openFileDescriptor(uri, mode);
int fd = parcel.detachFd();
parcel.close();
return fd;
} catch (Exception e) {
throw new RuntimeException(e);
}
}
static { System.loadLibrary("Alber"); } static { System.loadLibrary("Alber"); }
} }

View file

@ -1,32 +1,18 @@
package com.panda3ds.pandroid.app; package com.panda3ds.pandroid.app;
import static android.Manifest.permission.READ_EXTERNAL_STORAGE;
import static android.Manifest.permission.WRITE_EXTERNAL_STORAGE;
import static android.provider.Settings.ACTION_MANAGE_ALL_FILES_ACCESS_PERMISSION;
import android.content.Intent;
import android.os.Build;
import android.os.Bundle; import android.os.Bundle;
import android.os.Environment;
import android.view.MenuItem; import android.view.MenuItem;
import androidx.annotation.NonNull; import androidx.annotation.NonNull;
import androidx.core.app.ActivityCompat;
import androidx.fragment.app.Fragment; import androidx.fragment.app.Fragment;
import androidx.fragment.app.FragmentManager; import androidx.fragment.app.FragmentManager;
import com.google.android.material.navigation.NavigationBarView; import com.google.android.material.navigation.NavigationBarView;
import com.panda3ds.pandroid.R; import com.panda3ds.pandroid.R;
import com.panda3ds.pandroid.app.editor.CodeEditorActivity;
import com.panda3ds.pandroid.app.main.GamesFragment; import com.panda3ds.pandroid.app.main.GamesFragment;
import com.panda3ds.pandroid.app.main.SearchFragment; import com.panda3ds.pandroid.app.main.SearchFragment;
import com.panda3ds.pandroid.app.main.SettingsFragment; import com.panda3ds.pandroid.app.main.SettingsFragment;
import java.io.File;
public class MainActivity extends BaseActivity implements NavigationBarView.OnItemSelectedListener { public class MainActivity extends BaseActivity implements NavigationBarView.OnItemSelectedListener {
private static final int PICK_ROM = 2;
private static final int PERMISSION_REQUEST_CODE = 3;
private final GamesFragment gamesFragment = new GamesFragment(); private final GamesFragment gamesFragment = new GamesFragment();
private final SearchFragment searchFragment = new SearchFragment(); private final SearchFragment searchFragment = new SearchFragment();
private final SettingsFragment settingsFragment = new SettingsFragment(); private final SettingsFragment settingsFragment = new SettingsFragment();
@ -34,16 +20,6 @@ public class MainActivity extends BaseActivity implements NavigationBarView.OnIt
@Override @Override
protected void onCreate(Bundle savedInstanceState) { protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState); super.onCreate(savedInstanceState);
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.R) {
if (!Environment.isExternalStorageManager()) {
Intent intent = new Intent(ACTION_MANAGE_ALL_FILES_ACCESS_PERMISSION);
startActivity(intent);
}
} else {
ActivityCompat.requestPermissions(this, new String[] {READ_EXTERNAL_STORAGE}, PERMISSION_REQUEST_CODE);
ActivityCompat.requestPermissions(this, new String[] {WRITE_EXTERNAL_STORAGE}, PERMISSION_REQUEST_CODE);
}
setContentView(R.layout.activity_main); setContentView(R.layout.activity_main);
NavigationBarView bar = findViewById(R.id.navigation); NavigationBarView bar = findViewById(R.id.navigation);

View file

@ -0,0 +1,22 @@
package com.panda3ds.pandroid.app.base;
import android.content.Context;
import android.view.LayoutInflater;
import android.view.View;
import androidx.annotation.NonNull;
import androidx.annotation.StringRes;
import androidx.appcompat.widget.AppCompatTextView;
import com.panda3ds.pandroid.R;
public class LoadingAlertDialog extends BottomAlertDialog {
public LoadingAlertDialog(@NonNull Context context, @StringRes int title) {
super(context);
View view = LayoutInflater.from(context).inflate(R.layout.dialog_loading,null, false);
setView(view);
setCancelable(false);
((AppCompatTextView)view.findViewById(R.id.title))
.setText(title);
}
}

View file

@ -105,7 +105,7 @@ public class DrawerFragment extends Fragment implements DrawerLayout.DrawerListe
close(); close();
} else if (id == R.id.exit) { } else if (id == R.id.exit) {
requireActivity().finish(); requireActivity().finish();
} else if (id == R.id.lua_script){ } else if (id == R.id.lua_script) {
new LuaDialogFragment().show(getParentFragmentManager(), null); new LuaDialogFragment().show(getParentFragmentManager(), null);
} else if (id == R.id.change_orientation) { } else if (id == R.id.change_orientation) {
boolean isLandscape = getResources().getDisplayMetrics().widthPixels > getResources().getDisplayMetrics().heightPixels; boolean isLandscape = getResources().getDisplayMetrics().widthPixels > getResources().getDisplayMetrics().heightPixels;

View file

@ -19,6 +19,7 @@ import com.panda3ds.pandroid.app.base.BottomAlertDialog;
import com.panda3ds.pandroid.app.base.BottomDialogFragment; import com.panda3ds.pandroid.app.base.BottomDialogFragment;
import com.panda3ds.pandroid.app.editor.CodeEditorActivity; import com.panda3ds.pandroid.app.editor.CodeEditorActivity;
import com.panda3ds.pandroid.lang.Task; import com.panda3ds.pandroid.lang.Task;
import com.panda3ds.pandroid.utils.Constants;
import com.panda3ds.pandroid.utils.FileUtils; import com.panda3ds.pandroid.utils.FileUtils;
import com.panda3ds.pandroid.view.recycler.AutoFitGridLayout; import com.panda3ds.pandroid.view.recycler.AutoFitGridLayout;
import com.panda3ds.pandroid.view.recycler.SimpleListAdapter; import com.panda3ds.pandroid.view.recycler.SimpleListAdapter;
@ -94,9 +95,8 @@ public class LuaDialogFragment extends BottomDialogFragment {
((RecyclerView) view.findViewById(R.id.recycler)).setAdapter(adapter); ((RecyclerView) view.findViewById(R.id.recycler)).setAdapter(adapter);
((RecyclerView) view.findViewById(R.id.recycler)).setLayoutManager(new AutoFitGridLayout(getContext(), 140)); ((RecyclerView) view.findViewById(R.id.recycler)).setLayoutManager(new AutoFitGridLayout(getContext(), 140));
FileUtils.createDir(FileUtils.getResourcesPath(), "Lua Scripts");
ArrayList<LuaFile> files = new ArrayList<>(); ArrayList<LuaFile> files = new ArrayList<>();
String path = FileUtils.getResourcesPath() + "/Lua Scripts/"; String path = FileUtils.getResourcePath(Constants.RESOURCE_FOLDER_LUA_SCRIPTS);
for (String file : FileUtils.listFiles(path)) { for (String file : FileUtils.listFiles(path)) {
files.add(new LuaFile(file)); files.add(new LuaFile(file));
} }
@ -167,7 +167,7 @@ public class LuaDialogFragment extends BottomDialogFragment {
} }
private LuaFile(String name) { private LuaFile(String name) {
this(FileUtils.getResourcesPath() + "/Lua Scripts/", name); this(FileUtils.getResourcePath(Constants.RESOURCE_FOLDER_LUA_SCRIPTS), name);
} }
private String absolutePath() { private String absolutePath() {

View file

@ -11,13 +11,17 @@ import androidx.activity.result.ActivityResultLauncher;
import androidx.activity.result.contract.ActivityResultContracts; import androidx.activity.result.contract.ActivityResultContracts;
import androidx.annotation.NonNull; import androidx.annotation.NonNull;
import androidx.annotation.Nullable; import androidx.annotation.Nullable;
import androidx.appcompat.app.AlertDialog;
import androidx.fragment.app.Fragment; import androidx.fragment.app.Fragment;
import com.panda3ds.pandroid.R; import com.panda3ds.pandroid.R;
import com.panda3ds.pandroid.app.base.LoadingAlertDialog;
import com.panda3ds.pandroid.data.game.GameMetadata; import com.panda3ds.pandroid.data.game.GameMetadata;
import com.panda3ds.pandroid.lang.Task;
import com.panda3ds.pandroid.utils.Constants;
import com.panda3ds.pandroid.utils.FileUtils; import com.panda3ds.pandroid.utils.FileUtils;
import com.panda3ds.pandroid.utils.GameUtils; import com.panda3ds.pandroid.utils.GameUtils;
import com.panda3ds.pandroid.view.gamesgrid.GamesGridView; import com.panda3ds.pandroid.view.gamesgrid.GamesGridView;
import java.util.UUID;
public class GamesFragment extends Fragment implements ActivityResultCallback<Uri> { public class GamesFragment extends Fragment implements ActivityResultCallback<Uri> {
private final ActivityResultContracts.OpenDocument openRomContract = new ActivityResultContracts.OpenDocument(); private final ActivityResultContracts.OpenDocument openRomContract = new ActivityResultContracts.OpenDocument();
@ -49,18 +53,45 @@ public class GamesFragment extends Fragment implements ActivityResultCallback<Ur
if (result != null) { if (result != null) {
String uri = result.toString(); String uri = result.toString();
if (GameUtils.findByRomPath(uri) == null) { if (GameUtils.findByRomPath(uri) == null) {
if (FileUtils.obtainRealPath(uri) == null) { if (!FileUtils.exists(uri)) {
Toast.makeText(getContext(), "Invalid file path", Toast.LENGTH_LONG).show(); Toast.makeText(getContext(), "Invalid file path", Toast.LENGTH_LONG).show();
return; return;
} }
FileUtils.makeUriPermanent(uri, FileUtils.MODE_READ);
GameMetadata game = new GameMetadata(uri, FileUtils.getName(uri).split("\\.")[0], "Unknown"); String extension = FileUtils.extension(uri);
GameUtils.addGame(game);
GameUtils.launch(requireActivity(), game); // For ELF and AXF files the emulator core uses the C++ iostreams API to be compatible with elfio unlike other file types
// As such, instead of writing more SAF code for operating with iostreams we just copy the ELF/AXF file to our own private directory
// And use it without caring about SAF
if (extension.equals("elf") || extension.endsWith("axf")) {
importELF(uri);
} else {
FileUtils.makeUriPermanent(uri, FileUtils.MODE_READ);
GameMetadata game = new GameMetadata(uri, FileUtils.getName(uri).split("\\.")[0], getString(R.string.unknown));
GameUtils.addGame(game);
GameUtils.launch(requireActivity(), game);
}
} }
} }
} }
private void importELF(String uri) {
AlertDialog dialog = new LoadingAlertDialog(requireActivity(), R.string.loading).create();
dialog.show();
new Task(() -> {
String uuid = UUID.randomUUID().toString() + "." + FileUtils.extension(uri);
String name = FileUtils.getName(uri);
FileUtils.copyFile(uri, FileUtils.getResourcePath(Constants.RESOURCE_FOLDER_ELF), uuid);
gameListView.post(() -> {
dialog.hide();
GameMetadata game = new GameMetadata("elf://" + uuid, name.substring(0, name.length() - 4).trim(), "");
GameUtils.addGame(game);
GameUtils.launch(requireActivity(), game);
});
}).start();
}
@Override @Override
public void onCreate(@Nullable Bundle savedInstanceState) { public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState); super.onCreate(savedInstanceState);

View file

@ -43,6 +43,10 @@ public class GameMetadata {
return romPath; return romPath;
} }
public String getRealPath() {
return GameUtils.resolvePath(romPath);
}
public String getId() { public String getId() {
return id; return id;
} }

View file

@ -26,4 +26,6 @@ public class Constants {
public static final String PREF_GAME_UTILS = "app.GameUtils"; public static final String PREF_GAME_UTILS = "app.GameUtils";
public static final String PREF_INPUT_MAP = "app.InputMap"; public static final String PREF_INPUT_MAP = "app.InputMap";
public static final String PREF_SCREEN_CONTROLLER_PROFILES = "app.input.ScreenControllerManager"; public static final String PREF_SCREEN_CONTROLLER_PROFILES = "app.input.ScreenControllerManager";
public static final String RESOURCE_FOLDER_ELF = "ELF"; // Folder for caching ELF files
public static final String RESOURCE_FOLDER_LUA_SCRIPTS = "Lua Scripts";
} }

View file

@ -39,7 +39,7 @@ public class FileUtils {
return parseFile(path).getName(); return parseFile(path).getName();
} }
public static String getResourcesPath(){ public static String getResourcesPath() {
File file = new File(getPrivatePath(), "config/resources"); File file = new File(getPrivatePath(), "config/resources");
if (!file.exists()) { if (!file.exists()) {
file.mkdirs(); file.mkdirs();
@ -48,6 +48,13 @@ public class FileUtils {
return file.getAbsolutePath(); return file.getAbsolutePath();
} }
public static String getResourcePath(String name) {
File file = new File(getResourcesPath(), name);
file.mkdirs();
return file.getAbsolutePath();
}
public static String getPrivatePath() { public static String getPrivatePath() {
File file = getContext().getFilesDir(); File file = getContext().getFilesDir();
if (!file.exists()) { if (!file.exists()) {
@ -66,11 +73,33 @@ public class FileUtils {
return file.getAbsolutePath(); return file.getAbsolutePath();
} }
public static String parseNativeMode(String mode) {
mode = mode.toLowerCase();
switch (mode) {
case "r":
case "rb":
return "r";
case "r+":
case "r+b":
case "rb+":
return "rw";
case "w+":
return "rwt";
case "w":
case "wb":
return "wt";
case "wa":
return "wa";
}
throw new IllegalArgumentException("Invalid file mode: "+mode);
}
public static boolean exists(String path) { public static boolean exists(String path) {
return parseFile(path).exists(); return parseFile(path).exists();
} }
public static void rename(String path, String newName){ public static void rename(String path, String newName) {
parseFile(path).renameTo(newName); parseFile(path).renameTo(newName);
} }
@ -206,7 +235,7 @@ public class FileUtils {
} }
} }
public static void updateFile(String path){ public static void updateFile(String path) {
DocumentFile file = parseFile(path); DocumentFile file = parseFile(path);
Uri uri = file.getUri(); Uri uri = file.getUri();
@ -232,15 +261,53 @@ public class FileUtils {
return parseFile(path).lastModified(); return parseFile(path).lastModified();
} }
public static String[] listFiles(String path){ public static String[] listFiles(String path) {
DocumentFile folder = parseFile(path); DocumentFile folder = parseFile(path);
DocumentFile[] files = folder.listFiles(); DocumentFile[] files = folder.listFiles();
String[] result = new String[files.length]; String[] result = new String[files.length];
for (int i = 0; i < result.length; i++){ for (int i = 0; i < result.length; i++) {
result[i] = files[i].getName(); result[i] = files[i].getName();
} }
return result; return result;
} }
public static Uri obtainUri(String path) {
return parseFile(path).getUri();
}
public static String extension(String uri) {
String name = getName(uri);
if (!name.contains(".")) {
return name.toLowerCase();
}
String[] parts = name.split("\\.");
return parts[parts.length-1].toLowerCase();
}
public static boolean copyFile(String source, String path, String name) {
try {
String fullPath = path + "/" + name;
if (!FileUtils.exists(fullPath)) {
FileUtils.delete(fullPath);
}
FileUtils.createFile(path, name);
InputStream in = getInputStream(source);
OutputStream out = getOutputStream(fullPath);
byte[] buffer = new byte[1024 * 128]; //128 KB
int length;
while ((length = in.read(buffer)) != -1) {
out.write(buffer, 0, length);
}
out.flush();
out.close();
in.close();
} catch (Exception e) {
Log.e(Constants.LOG_TAG, "ERROR ON COPY FILE", e);
return false;
}
return true;
}
} }

View file

@ -31,7 +31,7 @@ public class GameUtils {
public static GameMetadata findByRomPath(String romPath) { public static GameMetadata findByRomPath(String romPath) {
for (GameMetadata game : data.games) { for (GameMetadata game : data.games) {
if (Objects.equals(romPath, game.getRomPath())) { if (Objects.equals(romPath, game.getRealPath())) {
return game; return game;
} }
} }
@ -40,7 +40,13 @@ public class GameUtils {
public static void launch(Context context, GameMetadata game) { public static void launch(Context context, GameMetadata game) {
currentGame = game; currentGame = game;
String path = FileUtils.obtainRealPath(game.getRomPath()); String path = game.getRealPath();
if (path.contains("://")) {
String[] parts = Uri.decode(game.getRomPath()).split("/");
String name = parts[parts.length - 1];
path = "game://internal/" + name;
}
context.startActivity(new Intent(context, GameActivity.class).putExtra(Constants.ACTIVITY_PARAMETER_PATH, path)); context.startActivity(new Intent(context, GameActivity.class).putExtra(Constants.ACTIVITY_PARAMETER_PATH, path));
} }
@ -58,6 +64,22 @@ public class GameUtils {
writeChanges(); writeChanges();
} }
public static String resolvePath(String path) {
String lower = path.toLowerCase();
if (!lower.contains("://")) {
return path;
}
Uri uri = Uri.parse(path);
switch (uri.getScheme().toLowerCase()) {
case "elf": {
return FileUtils.getResourcePath(Constants.RESOURCE_FOLDER_ELF)+"/"+uri.getAuthority();
}
}
return path;
}
public static ArrayList<GameMetadata> getGames() { public static ArrayList<GameMetadata> getGames() {
return new ArrayList<>(data.games); return new ArrayList<>(data.games);
} }

View file

@ -93,7 +93,7 @@ public class BasicTextEditor extends AppCompatEditText {
super.scrollTo(scrollX, scrollY); super.scrollTo(scrollX, scrollY);
} }
public void adjustScroll(){ public void adjustScroll() {
setScroll(getScrollX(), getScrollY()); setScroll(getScrollX(), getScrollY());
} }

View file

@ -3,16 +3,17 @@ package com.panda3ds.pandroid.view.code.syntax;
import java.util.regex.Pattern; import java.util.regex.Pattern;
class PatternUtils { class PatternUtils {
public static Pattern buildGenericKeywords(String... keywords){ public static Pattern buildGenericKeywords(String... keywords) {
StringBuilder builder = new StringBuilder(); StringBuilder builder = new StringBuilder();
builder.append("\\b("); builder.append("\\b(");
for (int i = 0; i < keywords.length; i++){ for (int i = 0; i < keywords.length; i++) {
builder.append(keywords[i]); builder.append(keywords[i]);
if (i+1 != keywords.length){ if (i + 1 != keywords.length) {
builder.append("|"); builder.append("|");
} }
} }
builder.append(")\\b");
return Pattern.compile(builder.toString()); builder.append(")\\b");
} return Pattern.compile(builder.toString());
}
} }

View file

@ -34,7 +34,7 @@ public class PerformanceView extends AppCompatTextView {
setShadowLayer(padding,0,0,Color.BLACK); setShadowLayer(padding,0,0,Color.BLACK);
} }
public void refresh(){ public void refresh() {
running = isShown(); running = isShown();
if (!running) { if (!running) {
return; return;

View file

@ -0,0 +1,33 @@
<?xml version="1.0" encoding="utf-8"?>
<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
android:orientation="vertical"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:background="?colorSurface"
android:padding="30dp">
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:paddingBottom="20dp">
<androidx.appcompat.widget.AppCompatTextView
android:id="@+id/title"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="@string/app_name"
android:textSize="24sp"/>
</LinearLayout>
<ProgressBar
android:layout_width="match_parent"
android:layout_height="20dp"
android:indeterminate="true"
android:layout_gravity="bottom"
android:indeterminateTint="?colorPrimary"
android:background="#0000"
style="@style/Widget.AppCompat.ProgressBar.Horizontal"/>
</FrameLayout>

View file

@ -54,5 +54,6 @@
<string name="pref_shader_jit_title">Shader Jit</string> <string name="pref_shader_jit_title">Shader Jit</string>
<string name="pref_shader_jit_summary">Usar recompilador de shaders.</string> <string name="pref_shader_jit_summary">Usar recompilador de shaders.</string>
<string name="graphics">Gráficos</string> <string name="graphics">Gráficos</string>
<string name="loading">Carregando</string>
<string name="rotate">Rotacionar</string> <string name="rotate">Rotacionar</string>
</resources> </resources>

View file

@ -59,4 +59,5 @@
<string name="pref_shader_jit_title">Shader JIT</string> <string name="pref_shader_jit_title">Shader JIT</string>
<string name="pref_shader_jit_summary">Use shader recompiler.</string> <string name="pref_shader_jit_summary">Use shader recompiler.</string>
<string name="graphics">Graphics</string> <string name="graphics">Graphics</string>
<string name="loading">Loading</string>
</resources> </resources>