Hintergrund
Ich wollte Informationen über APK-Dateien (einschließlich geteilter APK-Dateien) erhalten, auch wenn sie sich in komprimierten Zip-Dateien befinden (ohne sie zu dekomprimieren). In meinem Fall gehören dazu verschiedene Dinge wie Paketname, Versionscode, Versionsname, App-Label, App-Symbol und ob es sich um eine geteilte APK-Datei handelt oder nicht.
Beachten Sie, dass ich alles in einer Android-App ausführen möchte, ohne einen PC zu verwenden, sodass einige Tools möglicherweise nicht verwendet werden können.
Das Problem
Dies bedeutet, dass ich die Funktion getPackageArchiveInfo nicht verwenden kann, da diese Funktion einen Pfad zur APK-Datei erfordert und nur für Nicht-Split-Apk-Dateien funktioniert.
Kurz gesagt, es gibt keine Framework-Funktion, daher muss ich einen Weg finden, dies zu tun, indem ich in die komprimierte Datei gehe und den InputStream als Eingabe für das Parsen in einer Funktion verwende.
Es gibt verschiedene Online-Lösungen, auch außerhalb von Android, aber ich kenne keine, die stabil ist und in allen Fällen funktioniert. Viele sind möglicherweise sogar für Android geeignet (Beispiel hier ), können jedoch nicht analysiert werden und erfordern möglicherweise einen Dateipfad anstelle von Uri / InputStream.
Was ich gefunden und versucht habe
Ich habe dies bei StackOverflow gefunden, aber nach meinen Tests werden leider immer Inhalte generiert, in einigen seltenen Fällen handelt es sich jedoch nicht um gültige XML-Inhalte.
Bisher habe ich diese Apps-Paketnamen und ihre Versionscodes gefunden, die der Parser nicht analysieren kann, da der XML-Ausgabeinhalt ungültig ist:
- com.farproc.wifi.analyzer 139
- com.teslacoilsw.launcherclientproxy 2
- com.hotornot.app 3072
- android 29 (das ist die "Android System" -System-App selbst)
- com.google.android.videos 41300042
- com.facebook.katana 201518851
- com.keramidas.TitaniumBackupPro 10
- com.google.android.apps.tachyon 2985033
- com.google.android.apps.photos 3594753
Bei Verwendung eines XML-Viewers und eines XML-Validators treten folgende Probleme mit diesen Apps auf:
- Für # 1, # 2 habe ich einen sehr seltsamen Inhalt bekommen, beginnend mit
<mnfs
. - Für # 3 mag es das "&" in nicht
<activity theme="resourceID 0x7f13000b" label="Features & Tests" ...
- Für # 4 fehlte am Ende das End-Tag von "manifest".
- Bei # 5 fehlten mehrere End-Tags, zumindest "Intent-Filter", "Receiver" und "Manifest". Vielleicht mehr.
- Für # 6 wurde das Attribut "allowBackup" aus irgendeinem Grund zweimal im Tag "application" angegeben.
- Für # 7 erhielt es einen Wert ohne Attribut im Manifest-Tag :
<manifest versionCode="resourceID 0xa" ="1.3.2"
. - Für # 8 fehlte viel Inhalt, nachdem einige "Verwendungs-Feature" -Tags erhalten wurden, und es gab kein End-Tag für "Manifest".
- Für # 9 fehlte viel Inhalt, nachdem einige "Verwendungsberechtigungs" -Tags erhalten wurden, und es gab kein Endetag für "Manifest".
Überraschenderweise habe ich kein Problem mit geteilten APK-Dateien gefunden. Nur mit Haupt-APK-Dateien.
Hier ist der Code (auch hier verfügbar ):
MainActivity .kt
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
thread {
val problematicApkFiles = HashMap<ApplicationInfo, HashSet<String>>()
val installedApplications = packageManager.getInstalledPackages(0)
val startTime = System.currentTimeMillis()
for ((index, packageInfo) in installedApplications.withIndex()) {
val applicationInfo = packageInfo.applicationInfo
val packageName = packageInfo.packageName
// Log.d("AppLog", "$index/${installedApplications.size} parsing app $packageName ${packageInfo.versionCode}...")
val mainApkFilePath = applicationInfo.publicSourceDir
val parsedManifestOfMainApkFile =
try {
val parsedManifest = ManifestParser.parse(mainApkFilePath)
if (parsedManifest?.isSplitApk != false)
Log.e("AppLog", "$packageName - parsed normal APK, but failed to identify it as such")
parsedManifest?.manifestAttributes
} catch (e: Exception) {
Log.e("AppLog", e.toString())
null
}
if (parsedManifestOfMainApkFile == null) {
problematicApkFiles.getOrPut(applicationInfo, { HashSet() }).add(mainApkFilePath)
Log.e("AppLog", "$packageName - failed to parse main APK file $mainApkFilePath")
}
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP)
applicationInfo.splitPublicSourceDirs?.forEach {
val parsedManifestOfSplitApkFile =
try {
val parsedManifest = ManifestParser.parse(it)
if (parsedManifest?.isSplitApk != true)
Log.e("AppLog", "$packageName - parsed split APK, but failed to identify it as such")
parsedManifest?.manifestAttributes
} catch (e: Exception) {
Log.e("AppLog", e.toString())
null
}
if (parsedManifestOfSplitApkFile == null) {
Log.e("AppLog", "$packageName - failed to parse main APK file $it")
problematicApkFiles.getOrPut(applicationInfo, { HashSet() }).add(it)
}
}
}
val endTime = System.currentTimeMillis()
Log.d("AppLog", "done parsing. number of files we failed to parse:${problematicApkFiles.size} time taken:${endTime - startTime} ms")
if (problematicApkFiles.isNotEmpty()) {
Log.d("AppLog", "list of files that we failed to get their manifest:")
for (entry in problematicApkFiles) {
Log.d("AppLog", "packageName:${entry.key.packageName} , files:${entry.value}")
}
}
}
}
}
ManifestParser.kt
class ManifestParser{
var isSplitApk: Boolean? = null
var manifestAttributes: HashMap<String, String>? = null
companion object {
fun parse(file: File) = parse(java.io.FileInputStream(file))
fun parse(filePath: String) = parse(File(filePath))
fun parse(inputStream: InputStream): ManifestParser? {
val result = ManifestParser()
val manifestXmlString = ApkManifestFetcher.getManifestXmlFromInputStream(inputStream)
?: return null
val factory: DocumentBuilderFactory = DocumentBuilderFactory.newInstance()
val builder: DocumentBuilder = factory.newDocumentBuilder()
val document: Document? = builder.parse(manifestXmlString.byteInputStream())
if (document != null) {
document.documentElement.normalize()
val manifestNode: Node? = document.getElementsByTagName("manifest")?.item(0)
if (manifestNode != null) {
val manifestAttributes = HashMap<String, String>()
for (i in 0 until manifestNode.attributes.length) {
val node = manifestNode.attributes.item(i)
manifestAttributes[node.nodeName] = node.nodeValue
}
result.manifestAttributes = manifestAttributes
}
}
result.manifestAttributes?.let {
result.isSplitApk = (it["android:isFeatureSplit"]?.toBoolean()
?: false) || (it.containsKey("split"))
}
return result
}
}
}
ApkManifestFetcher.kt
object ApkManifestFetcher {
fun getManifestXmlFromFile(apkFile: File) = getManifestXmlFromInputStream(FileInputStream(apkFile))
fun getManifestXmlFromFilePath(apkFilePath: String) = getManifestXmlFromInputStream(FileInputStream(File(apkFilePath)))
fun getManifestXmlFromInputStream(ApkInputStream: InputStream): String? {
ZipInputStream(ApkInputStream).use { zipInputStream: ZipInputStream ->
while (true) {
val entry = zipInputStream.nextEntry ?: break
if (entry.name == "AndroidManifest.xml") {
// zip.getInputStream(entry).use { input ->
return decompressXML(zipInputStream.readBytes())
// }
}
}
}
return null
}
/**
* Binary XML doc ending Tag
*/
private var endDocTag = 0x00100101
/**
* Binary XML start Tag
*/
private var startTag = 0x00100102
/**
* Binary XML end Tag
*/
private var endTag = 0x00100103
/**
* Reference var for spacing
* Used in prtIndent()
*/
private var spaces = " "
/**
* Parse the 'compressed' binary form of Android XML docs
* such as for AndroidManifest.xml in .apk files
* Source: http://stackoverflow.com/questions/2097813/how-to-parse-the-androidmanifest-xml-file-inside-an-apk-package/4761689#4761689
*
* @param xml Encoded XML content to decompress
*/
private fun decompressXML(xml: ByteArray): String {
val resultXml = StringBuilder()
// Compressed XML file/bytes starts with 24x bytes of data,
// 9 32 bit words in little endian order (LSB first):
// 0th word is 03 00 08 00
// 3rd word SEEMS TO BE: Offset at then of StringTable
// 4th word is: Number of strings in string table
// WARNING: Sometime I indiscriminently display or refer to word in
// little endian storage format, or in integer format (ie MSB first).
val numbStrings = lew(xml, 4 * 4)
// StringIndexTable starts at offset 24x, an array of 32 bit LE offsets
// of the length/string data in the StringTable.
val sitOff = 0x24 // Offset of start of StringIndexTable
// StringTable, each string is represented with a 16 bit little endian
// character count, followed by that number of 16 bit (LE) (Unicode) chars.
val stOff = sitOff + numbStrings * 4 // StringTable follows StrIndexTable
// XMLTags, The XML tag tree starts after some unknown content after the
// StringTable. There is some unknown data after the StringTable, scan
// forward from this point to the flag for the start of an XML start tag.
var xmlTagOff = lew(xml, 3 * 4) // Start from the offset in the 3rd word.
// Scan forward until we find the bytes: 0x02011000(x00100102 in normal int)
run {
var ii = xmlTagOff
while (ii < xml.size - 4) {
if (lew(xml, ii) == startTag) {
xmlTagOff = ii
break
}
ii += 4
}
} // end of hack, scanning for start of first start tag
// XML tags and attributes:
// Every XML start and end tag consists of 6 32 bit words:
// 0th word: 02011000 for startTag and 03011000 for endTag
// 1st word: a flag?, like 38000000
// 2nd word: Line of where this tag appeared in the original source file
// 3rd word: FFFFFFFF ??
// 4th word: StringIndex of NameSpace name, or FFFFFFFF for default NS
// 5th word: StringIndex of Element Name
// (Note: 01011000 in 0th word means end of XML document, endDocTag)
// Start tags (not end tags) contain 3 more words:
// 6th word: 14001400 meaning??
// 7th word: Number of Attributes that follow this tag(follow word 8th)
// 8th word: 00000000 meaning??
// Attributes consist of 5 words:
// 0th word: StringIndex of Attribute Name's Namespace, or FFFFFFFF
// 1st word: StringIndex of Attribute Name
// 2nd word: StringIndex of Attribute Value, or FFFFFFF if ResourceId used
// 3rd word: Flags?
// 4th word: str ind of attr value again, or ResourceId of value
// TMP, dump string table to tr for debugging
//tr.addSelect("strings", null);
//for (int ii=0; ii<numbStrings; ii++) {
// // Length of string starts at StringTable plus offset in StrIndTable
// String str = compXmlString(xml, sitOff, stOff, ii);
// tr.add(String.valueOf(ii), str);
//}
//tr.parent();
// Step through the XML tree element tags and attributes
var off = xmlTagOff
var indent = 0
// var startTagLineNo = -2
while (off < xml.size) {
val tag0 = lew(xml, off)
//int tag1 = LEW(xml, off+1*4);
// val lineNo = lew(xml, off + 2 * 4)
//int tag3 = LEW(xml, off+3*4);
// val nameNsSi = lew(xml, off + 4 * 4)
val nameSi = lew(xml, off + 5 * 4)
if (tag0 == startTag) { // XML START TAG
// val tag6 = lew(xml, off + 6 * 4) // Expected to be 14001400
val numbAttrs = lew(xml, off + 7 * 4) // Number of Attributes to follow
//int tag8 = LEW(xml, off+8*4); // Expected to be 00000000
off += 9 * 4 // Skip over 6+3 words of startTag data
val name = compXmlString(xml, sitOff, stOff, nameSi)
//tr.addSelect(name, null);
// startTagLineNo = lineNo
// Look for the Attributes
val sb = StringBuffer()
for (ii in 0 until numbAttrs) {
// val attrNameNsSi = lew(xml, off) // AttrName Namespace Str Ind, or FFFFFFFF
val attrNameSi = lew(xml, off + 1 * 4) // AttrName String Index
val attrValueSi = lew(xml, off + 2 * 4) // AttrValue Str Ind, or FFFFFFFF
// val attrFlags = lew(xml, off + 3 * 4)
val attrResId = lew(xml, off + 4 * 4) // AttrValue ResourceId or dup AttrValue StrInd
off += 5 * 4 // Skip over the 5 words of an attribute
val attrName = compXmlString(xml, sitOff, stOff, attrNameSi)
val attrValue = if (attrValueSi != -1)
compXmlString(xml, sitOff, stOff, attrValueSi)
else
"resourceID 0x" + Integer.toHexString(attrResId)
sb.append(" $attrName=\"$attrValue\"")
//tr.add(attrName, attrValue);
}
resultXml.append(prtIndent(indent, "<$name$sb>"))
indent++
} else if (tag0 == endTag) { // XML END TAG
indent--
off += 6 * 4 // Skip over 6 words of endTag data
val name = compXmlString(xml, sitOff, stOff, nameSi)
resultXml.append(prtIndent(indent, "</$name>")) // (line $startTagLineNo-$lineNo)
//tr.parent(); // Step back up the NobTree
} else if (tag0 == endDocTag) { // END OF XML DOC TAG
break
} else {
// println(" Unrecognized tag code '" + Integer.toHexString(tag0)
// + "' at offset " + off
// )
break
}
} // end of while loop scanning tags and attributes of XML tree
// println(" end at offset $off")
return resultXml.toString()
} // end of decompressXML
/**
* Tool Method for decompressXML();
* Compute binary XML to its string format
* Source: Source: http://stackoverflow.com/questions/2097813/how-to-parse-the-androidmanifest-xml-file-inside-an-apk-package/4761689#4761689
*
* @param xml Binary-formatted XML
* @param sitOff
* @param stOff
* @param strInd
* @return String-formatted XML
*/
private fun compXmlString(xml: ByteArray, @Suppress("SameParameterValue") sitOff: Int, stOff: Int, strInd: Int): String? {
if (strInd < 0) return null
val strOff = stOff + lew(xml, sitOff + strInd * 4)
return compXmlStringAt(xml, strOff)
}
/**
* Tool Method for decompressXML();
* Apply indentation
*
* @param indent Indentation level
* @param str String to indent
* @return Indented string
*/
private fun prtIndent(indent: Int, str: String): String {
return spaces.substring(0, min(indent * 2, spaces.length)) + str
}
/**
* Tool method for decompressXML()
* Return the string stored in StringTable format at
* offset strOff. This offset points to the 16 bit string length, which
* is followed by that number of 16 bit (Unicode) chars.
*
* @param arr StringTable array
* @param strOff Offset to get string from
* @return String from StringTable at offset strOff
*/
private fun compXmlStringAt(arr: ByteArray, strOff: Int): String {
val strLen = (arr[strOff + 1] shl (8 and 0xff00)) or (arr[strOff].toInt() and 0xff)
val chars = ByteArray(strLen)
for (ii in 0 until strLen) {
chars[ii] = arr[strOff + 2 + ii * 2]
}
return String(chars) // Hack, just use 8 byte chars
} // end of compXmlStringAt
/**
* Return value of a Little Endian 32 bit word from the byte array
* at offset off.
*
* @param arr Byte array with 32 bit word
* @param off Offset to get word from
* @return Value of Little Endian 32 bit word specified
*/
private fun lew(arr: ByteArray, off: Int): Int {
return (arr[off + 3] shl 24 and -0x1000000 or ((arr[off + 2] shl 16) and 0xff0000)
or (arr[off + 1] shl 8 and 0xff00) or (arr[off].toInt() and 0xFF))
} // end of LEW
private infix fun Byte.shl(i: Int): Int = (this.toInt() shl i)
// private infix fun Int.shl(i: Int): Int = (this shl i)
}
Die Fragen
- Wie kommt es, dass ich für einige APK-Manifestdateien einen ungültigen XML-Inhalt erhalte (daher schlägt die XML-Analyse für sie fehl)?
- Wie kann ich es immer zum Laufen bringen?
- Gibt es eine bessere Möglichkeit, die Manifestdatei in ein gültiges XML zu analysieren? Vielleicht eine bessere Alternative, die mit allen Arten von APK-Dateien funktionieren könnte, einschließlich komprimierter Dateien, ohne sie zu dekomprimieren?
Antworten:
Wahrscheinlich müssten Sie alle Sonderfälle behandeln, die Sie bereits identifiziert haben.
Aliase und hexadezimale Referenzen könnten es verwirren. diese müssten gelöst werden.
Zum Beispiel zum Rückfall
manifest
zumnfs
wäre zumindest ein Problem lösen:„Features & Tests“ erfordern würden
TextUtils.htmlEncode()
für&
oder andere Parser - Konfiguration.Das Parsen einzelner
AndroidManifest.xml
Dateien würde das Testen erleichtern, da untereinander möglicherweise unerwartetere Eingaben auftreten - bis es dem vom Betriebssystem verwendeten Manifest-Parser nahe kommt (der Quellcode kann hilfreich sein). Wie man sehen kann, werden möglicherweise Cookies zum Lesen gesetzt. Nehmen Sie diese Liste von Paketnamen und richten Sie für jeden einen Testfall ein. Dann sind die Probleme eher isoliert. Das Hauptproblem ist jedoch, dass diese Cookies höchstwahrscheinlich nicht für Anwendungen von Drittanbietern verfügbar sind.quelle
Es scheint, dass ApkManifestFetcher nicht alle Fälle wie Text (zwischen Tags) und Namensraumdeklarationen und möglicherweise einige andere Dinge behandelt. Unten finden Sie eine Überarbeitung von ApkManifestFetcher , die alle über 300 APKs auf meinem Telefon verarbeitet, mit Ausnahme der Netflix-APK, die einige leere Attribute enthält.
Ich glaube nicht mehr, dass die Dateien, die mit beginnen
<mnfs
, etwas mit Verschleierung zu tun haben, sondern mit UTF-8 anstatt mit UTF-16 codiert werden, das die App annimmt (16 Bit gegenüber 8 Bit). Die überarbeitete App verarbeitet die UTF-8-Codierung und kann diese Dateien analysieren.Wie oben erwähnt, werden Namensräume von der ursprünglichen Klasse oder dieser Überarbeitung nicht korrekt behandelt, obwohl die Überarbeitung sie überspringen kann. Kommentare im Code beschreiben dies ein wenig.
Der folgende Code kann jedoch für bestimmte Anwendungen ausreichend sein. Die bessere, wenn auch längere Vorgehensweise wäre die Verwendung von Code aus apktool, der anscheinend alle APKs verarbeiten kann.
ApkManifestFetcher
quelle