Список файлов в папке ресурсов и ее подпапках
У меня есть несколько папок с файлами HTML в папке "assets" в моем проекте Android. Мне нужно показать эти файлы HTML из подпапок активов в списке. Я уже написал некоторый код о создании этого списка.
lv1 = (ListView) findViewById(R.id.listView);
// Insert array in ListView
// In the next row I need to insert an array of strings of file names
// so please, tell me, how to get this array
lv1.setAdapter(new ArrayAdapter<String>(this, android.R.layout.simple_list_item_1, filel));
lv1.setTextFilterEnabled(true);
// onclick items in ListView:
lv1.setOnItemClickListener(new OnItemClickListener() {
public void onItemClick(AdapterView<?> a, View v, int position, long id) {
//Clicked item position
String itemname = new Integer(position).toString();
Intent intent = new Intent();
intent.setClass(DrugList.this, Web.class);
Bundle b = new Bundle();
//I don't know what it's doing here
b.putString("defStrID", itemname);
intent.putExtras(b);
//start Intent
startActivity(intent);
}
});
10 ответов
private boolean listAssetFiles(String path) {
String [] list;
try {
list = getAssets().list(path);
if (list.length > 0) {
// This is a folder
for (String file : list) {
if (!listAssetFiles(path + "/" + file))
return false;
else {
// This is a file
// TODO: add file name to an array list
}
}
}
} catch (IOException e) {
return false;
}
return true;
}
Вызовите список AssetFiles с именем корневой папки вашего ресурса.
listAssetFiles("root_folder_name_in_assets");
Если корневая папка является папкой ресурсов, тогда вызовите ее с
listAssetFiles("");
Попробуйте это будет работать в вашем случае
f = getAssets().list("");
for(String f1 : f){
Log.v("names",f1);
}
Приведенный выше фрагмент покажет содержимое корня ресурса.
Например... если ниже структура активов..
assets
|__Dir1
|__Dir2
|__File1
Вывод фрагмента будет.... Dir1 Dir2 File1
Если вам нужно содержимое каталога Dir1
Передайте имя Справочника в функции списка.
f = getAssets().list("Dir1");
Надеюсь, что эта помощь:
следующий код скопирует всю папку и ее содержимое, а также содержимое подпапки в расположение SDCard:
private void getAssetAppFolder(String dir) throws Exception{
{
File f = new File(sdcardLocation + "/" + dir);
if (!f.exists() || !f.isDirectory())
f.mkdirs();
}
AssetManager am=getAssets();
String [] aplist=am.list(dir);
for(String strf:aplist){
try{
InputStream is=am.open(dir+"/"+strf);
copyToDisk(dir,strf,is);
}catch(Exception ex){
getAssetAppFolder(dir+"/"+strf);
}
}
}
public void copyToDisk(String dir,String name,InputStream is) throws IOException{
int size;
byte[] buffer = new byte[2048];
FileOutputStream fout = new FileOutputStream(sdcardLocation +"/"+dir+"/" +name);
BufferedOutputStream bufferOut = new BufferedOutputStream(fout, buffer.length);
while ((size = is.read(buffer, 0, buffer.length)) != -1) {
bufferOut.write(buffer, 0, size);
}
bufferOut.flush();
bufferOut.close();
is.close();
fout.close();
}
Основано на ответе @Kammaar. Этот код kotlin сканирует дерево файлов на наличие листьев:
private fun listAssetFiles(path: String, context: Context): List<String> {
val result = ArrayList<String>()
context.assets.list(path).forEach { file ->
val innerFiles = listAssetFiles("$path/$file", context)
if (!innerFiles.isEmpty()) {
result.addAll(innerFiles)
} else {
// it can be an empty folder or file you don't like, you can check it here
result.add("$path/$file")
}
}
return result
}
Вот решение моей проблемы, которое я обнаружил, работая на 100%, перечисляя все каталоги и файлы, даже подкаталоги и файлы в подкаталогах.
Примечание: в моем случае
- Имена файлов имели. в них. т.е. .htm .txt и т. д.
Имен каталогов не было. в них.
listAssetFiles2(path); // <<-- Call function where required //function to list files and directories public void listAssetFiles2 (String path){ String [] list; try { list = getAssets().list(path); if(list.length > 0){ for(String file : list){ System.out.println("File path = "+file); if(file.indexOf(".") < 0) { // <<-- check if filename has a . then it is a file - hopefully directory names dont have . System.out.println("This is a folder = "+path+"/"+file); listAssetFiles2(file); // <<-- To get subdirectory files and directories list and check }else{ System.out.println("This is a file = "+path+"/"+file); } } }else{ System.out.println("Failed Path = "+path); System.out.println("Check path again."); } }catch(IOException e){ e.printStackTrace(); } }//now completed
Спасибо
Я думаю, что лучше всего, если файл проверки находится в каталоге или нет, попробуйте альтернативно, поймайте!
public static List<String> listAssetFiles(Context c,String rootPath) {
List<String> files =new ArrayList<>();
try {
String [] Paths = c.getAssets().list(rootPath);
if (Paths.length > 0) {
// This is a folder
for (String file : Paths) {
String path = rootPath + "/" + file;
if (new File(path).isDirectory())
files.addAll(listAssetFiles(c,path));
else files.add(path);
}
}
} catch (IOException e) {
e.printStackTrace();
}
return files;
}
Этот метод возвращает имена файлов в каталоге в папке Assets
private fun getListOfFilesFromAsset(path: String, context: Context): ArrayList<String> {
val listOfAudioFiles = ArrayList<String>()
context.assets.list(path)?.forEach { file ->
val innerFiles = getListOfFilesFromAsset("$path/$file", context)
if (innerFiles.isNotEmpty()) {
listOfAudioFiles.addAll(innerFiles)
} else {
// it can be an empty folder or file you don't like, you can check it here
listOfAudioFiles.add("$path/$file")
}
}
return listOfAudioFiles
}
Например, вы хотите загрузить путь к музыкальному файлу из папки со звуком.
Вы можете получить все звуки так:
private const val SOUND_DIRECTORY = "sound"
fun fetchSongsFromAssets(context: Context): ArrayList<String> {
return getListOfFilesFromAsset(SOUND_DIRECTORY, context)
}
public static String[] getDirectoryFilesRecursive(String path)
{
ArrayList<String> result = new ArrayList<String>();
try
{
String[] files = Storage.AssetMgr.list(path);
for(String file : files)
{
String filename = path + (path.isEmpty() ? "" : "/") + file;
String[] tmp = Storage.AssetMgr.list(filename);
if(tmp.length!=0) {
result.addAll(Arrays.asList(getDirectoryFilesRecursive(filename)));
}
else {
result.add(filename);
}
}
}
catch (IOException e)
{
Native.err("Failed to get asset file list: " + e);
}
Object[] objectList = result.toArray();
return Arrays.copyOf(objectList,objectList.length,String[].class);
}
Вот решение с использованием Kotlin:
val assetManager = context.resources.assets
assetManager
.list("myDirectoryNameInAssetsFolder")
.also { Log.i("Meow", "Detected files: ${it?.joinToString()}") }
?.map { "myDirectoryNameInAssetsFolder/$it" }
?.map(assetManager::open)
?.map { it.bufferedReader().use(BufferedReader::readText) }
?.also { Log.i("Meow", "Text of each file:") }
?.forEach { fileText -> Log.i("Meow", fileText) }
?: error("Could not access/read files in assets folder")
Улучшенная версия ответа @Kammaar в Котлине [рекурсивный]
fun listAssetFiles(
context: Context,
path: String,
dirCallback: ((dirPath: String) -> Unit)? = null,
fileCallback: (filePath: String) -> Unit,
): Boolean {
try {
context.assets.list(path)?.also { files ->
if (files.isNotEmpty()) {
for (file in files) {
val relativePath = if (path.isEmpty()) file else "$path${File.separatorChar}$file"
if (!listAssetFiles(context, relativePath, dirCallback,fileCallback))
fileCallback.invoke(relativePath) else dirCallback?.invoke( relativePath)
}
} else return false
}
} catch (e: IOException) {return false}
return true
}
Как использовать :
listAssetFiles(getApplication(), ""){Log.e("TAG", "File found -> $it")}
Другой пример получения отдельного списка файлов и папок:
val fileList = mutableListOf<String>()
val folderList = mutableListOf<String>()
listAssetFiles(
context = getApplication(),
path = "sample_folder",
dirCallback = {folderList.add(it)},
fileCallback = {fileList.add(it)})