- Read and parse XML with Kotlin
- Read XML File
- getElementValuesByAttributeNameAndAttributeValue
- getAttributeValuesByAttributeNameAndAttributeValue
- examineElementAttributes
- Полный список
- XML Pull Parser
- Read and parse XML with Kotlin
- Read XML File
- getElementValuesByAttributeNameAndAttributeValue
- getAttributeValuesByAttributeNameAndAttributeValue
- examineElementAttributes
- XML Parsing in Android using XmlPullParser
- What we are going to do?
- Approach
Read and parse XML with Kotlin
How do I read an XML or html file with Kotlin and examine its content? Here are some snippets of code how to read an XML or Html file with Kotlin and then examine the XML elements, their attributes and values. The following XML file is used as a sample file (items.xml):
Read XML File
The following snippet reads the Xml file into a Document:
getElementValuesByAttributeNameAndAttributeValue
The following code snippet shows how to read the value of the XML element based on an attribute and its attribute value.
An xPath is created that stores all Item elements from the Document in a NodeList. At the same time, in the xPath, the attributeName ( type ) is used to filter all item elements that have the value as the value in the attributeValue attribute T1 . If the function is called with the following parameters: getElementValuesByAttributeNameAndAttributeValue(doc, «T1», «type»)
After the xPath has been evaluated with evaluate , the values are read out in order and written to a new list. [Value1, Value2]
getAttributeValuesByAttributeNameAndAttributeValue
The following snippet shows how to filter the attribute values based on the attribute name and attribute value.
An xPath is created that stores all Item elements from the Document in a NodeList. At the same time, in the xPath, the attributeName ( type ) is used to filter all item elements that have the value as the value in the attributeValue attribute T1 . If the function is called with the following parameters: getAttributeValuesByAttributeNameAndAttributeValue(doc, «T1», «type», «count»)
After the xPath has been evaluated with evaluate , the values are read out in order and written to a new list. The result should be [1, 2] .
examineElementAttributes
The following code snippet shows how to extract all attributes of an Xml element.
The xPath selects all elements by its name elementName . After the xpath is evaluated the first element in the NodeList is examinded. All attributes are stored in a new List. The result should be [count, type] if the function is called with the following parameters: examineElementAttributes(doc, «Item») .
Please do not forget: This is not a perfect Kotlin code. These are code snippets that show how to work with Kotlin and Xml.
Источник
Полный список
— парсим XML с помощью XmlPullParser
XmlPullParser – XML-парсер, который можно использовать для разбора XML документа. Принцип его работы заключается в том, что он пробегает весь документ, останавливаясь на его элементах. Но пробегает он не сам, а с помощью метода next. Мы постоянно вызываем метод next и с помощью метода getEventType проверяем, на каком элементе парсер остановился.
Основные элементы документа, которые ловит парсер:
Напишем приложение, которое возьмет xml-файл и разберет его на тэги и аттрибуты.
Project name: P0791_ XmlPullParser
Build Target: Android 2.3.3
Application name: XmlPullParser
Package name: ru.startandroid.develop.p0791xmlpullparser
Create Activity: MainActivity
В папке res создайте папку xml, и в ней создайте файл data.xml:
Это файл с описанием телефона Samsung Galaxy. Указаны его цена, характеристики экрана и возможные цвета корпуса. Данные выдуманы и могут не совпадать с реальностью 🙂
В onCreate мы получаем XmlPullParser с помощью метода prepareXpp и начинаем его разбирать. Затем в цикле while мы запускаем прогон документа, пока не достигнем конца — END_DOCUMENT. Прогон обеспечивается методом next в конце цикла while. В switch мы проверяем на каком элементе остановился парсер.
START_DOCUMENT – начало документа
START_TAG – начало тега. Выводим в лог имя тэга, его уровень в дереве тэгов (глубину) и количество атрибутов. Следующей строкой выводим имена и значения атрибутов, если они есть.
END_TAG – конец тэга. Выводим только имя.
TEXT – содержимое тэга
В методе prepareXpp мы подготавливаем XmlPullParser. Для этого вытаскиваем данные из папки res/xml. Это аналогично вытаскиванию строк или картинок – сначала получаем доступ к ресурсам (getResources), затем вызываем метод, соответствующий ресурсу. В нашем случае это — метод getXml. Но возвращает он не xml-строку , а готовый XmlPullParser.
Все сохраним и запустим приложение.
START_DOCUMENT
START_DOCUMENT
START_TAG: name = data, depth = 1, attrCount = 0
START_TAG: name = phone, depth = 2, attrCount = 0
START_TAG: name = company, depth = 3, attrCount = 0
text = Samsung
END_TAG: name = company
START_TAG: name = model, depth = 3, attrCount = 0
text = Galaxy
END_TAG: name = model
START_TAG: name = price, depth = 3, attrCount = 0
text = 18000
END_TAG: name = price
START_TAG: name = screen, depth = 3, attrCount = 2
Attributes: multitouch = yes, resolution = 320×480,
text = 3
END_TAG: name = screen
START_TAG: name = colors, depth = 3, attrCount = 0
START_TAG: name = color, depth = 4, attrCount = 0
text = black
END_TAG: name = color
START_TAG: name = color, depth = 4, attrCount = 0
text = white
END_TAG: name = color
END_TAG: name = colors
END_TAG: name = phone
END_TAG: name = data
END_DOCUMENT
START_DOCUMENT
START_DOCUMENT
START_TAG: name = data, depth = 1, attrCount = 0
START_TAG: name = phone, depth = 2, attrCount = 0
START_TAG: name = company, depth = 3, attrCount = 0
text = Samsung
END_TAG: name = company
START_TAG: name = model, depth = 3, attrCount = 0
text = Galaxy
END_TAG: name = model
START_TAG: name = price, depth = 3, attrCount = 0
text = 18000
END_TAG: name = price
START_TAG: name = screen, depth = 3, attrCount = 2
Attributes: multitouch = yes, resolution = 320×480,
text = 3
END_TAG: name = screen
START_TAG: name = colors, depth = 3, attrCount = 0
START_TAG: name = color, depth = 4, attrCount = 0
text = black
END_TAG: name = color
START_TAG: name = color, depth = 4, attrCount = 0
text = white
END_TAG: name = color
END_TAG: name = colors
END_TAG: name = phone
END_TAG: name = data
END_DOCUMENT
START_DOCUMENT срабатывает два раза по неведомым мне причинам. Далее можно наблюдать, как парсер останавливается в начале каждого тега и дает нам информацию о нем: имя, уровень (глубина), количество атрибутов, имена и названия атрибутов, текст. Также он останавливается в конце тега и мы выводим имя. В конце парсер говорит, что документ закончен END_DOCUMENT.
Если xml у вас не в файле, а получен откуда-либо, то XmlPullParser надо создавать другим способом. Перепишем метод prepareXpp:
Здесь мы сами создаем парсер с помощью фабрики, включаем поддержку namespace (в нашем случае это не нужно, на всякий случай показываю) и даем парсеру на вход поток из xml-строки (укороченный вариант data.xml).
Все сохраним и запустим. Смотрим лог:
START_DOCUMENT
START_TAG: name = data, depth = 1, attrCount = 0
START_TAG: name = phone, depth = 2, attrCount = 0
START_TAG: name = company, depth = 3, attrCount = 0
text = Samsung
END_TAG: name = company
END_TAG: name = phone
END_TAG: name = data
END_DOCUMENT
Здесь уже START_DOCUMENT сработал один раз, как и должно быть. Ну и далее идут данные элементов документа.
Присоединяйтесь к нам в Telegram:
— в канале StartAndroid публикуются ссылки на новые статьи с сайта startandroid.ru и интересные материалы с хабра, medium.com и т.п.
— в чатах решаем возникающие вопросы и проблемы по различным темам: Android, Kotlin, RxJava, Dagger, Тестирование
— ну и если просто хочется поговорить с коллегами по разработке, то есть чат Флудильня
— новый чат Performance для обсуждения проблем производительности и для ваших пожеланий по содержанию курса по этой теме
Источник
XML Pull Parser
Рассмотрим парсер XML Pull Parser. Парсер позволяет разбирать XML-документы за один проход. После прохода парсер представляет элементы документа в виде последовательности событий и тегов. На данный момент именно его рекомендует использовать Google в Android-приложениях.
Посмотрим на документ глазами парсера. Он видит следующие элементы документа:
- START_DOCUMENT – начало документа
- START_TAG – начало тега
- TEXT – содержимое элемента
- END_TAG – конец тега
- END_DOCUMENT – конец документа
Каждый документ начинается с события START_DOCUMENT и заканчивается событием END_DOCUMENT. Позиция внутри документа представлена в виде текущего события, которое можно определить, вызвав метод getEventType().
Для последовательного перехода по тегам нужно вызывать метод next(), который перемещает нас по цепочке совпавших (иногда вложенных) событий START_TAG и END_TAG. Можно извлечь имя любого тега при помощи метода getName() и получить текст между каждым набором тегов с помощью метода getNextText().
Чтобы упаковать статический XML-документ вместе с вашим приложением, поместите его в каталог res/xml/. Вы получите возможность обращаться в коде программы к этому документу (операции чтения и записи). Рассмотрим загрузку XML-документа произвольной структуры из ресурсов в код программы.
Создадим пример приложения, способный читать список имён котов и их домашних телефонов, определённых в XML-файле.
В каталоге res создайте подкаталог xml, в котором будет располагаться наш ХМL-файл. В этом файле мы напишем список котов и телефонов, и сохраним его под именем contacts.xml.
Добавим в разметку компонент ListView:
Загрузить созданный файл contacts.xml можно следующим образом:
Метод getXml() возвращает XmlPullParser, который может прочитать загруженный XML-документ в цикле while:
Как это происходит? Запускаем цикл while с условием, что он будет работать пока не достигнет конца документа, т.е. закрывающего корневого тега (END_DOCUMENT).
Далее парсер начинает перемещаться по тегам. Мы говорим ему, что если (if) встретишь тег contact, то передай ему привет добавь в массив текст из первого атрибута. И из второго атрибута. И из третьего атрибута. После чего даём пинка парсеру с помощью метода next(), чтобы он шёл искать дальше.
У элемента contact мы определили три атрибута first_name, last_name и phone, которые загружаются в список. Первые два атрибута разделяем пробелом, а третий атрибут (номер телефона) выводим на новой строке.
Полностью код выглядит следующим образом:
Для закрепления материала изменим структуру документа. Пусть он будет выглядеть следующим образом:
А теперь напишем код, который будет отслеживать все теги при разборе документа и выводить результат в лог.
Принцип тот же. Только на этот раз результат мы не выводим в списке, а просто выводим в лог. Для удобства совместил картинку документа и лог на одном экране, чтобы наглядно показать работу парсера.
Если вы будете брать документ не из ресурсов, а из файла с внешнего накопителя, то получение парсера для обработки документа будет иным:
Это самый простой пример использования парсера для чтения документа из ресурсов. В реальных приложениях вам придётся получать информацию с файла, который находится в интернете.
Источник
Read and parse XML with Kotlin
How do I read an XML or html file with Kotlin and examine its content? Here are some snippets of code how to read an XML or Html file with Kotlin and then examine the XML elements, their attributes and values. The following XML file is used as a sample file (items.xml):
Read XML File
The following snippet reads the Xml file into a Document:
getElementValuesByAttributeNameAndAttributeValue
The following code snippet shows how to read the value of the XML element based on an attribute and its attribute value.
An xPath is created that stores all Item elements from the Document in a NodeList. At the same time, in the xPath, the attributeName ( type ) is used to filter all item elements that have the value as the value in the attributeValue attribute T1 . If the function is called with the following parameters: getElementValuesByAttributeNameAndAttributeValue(doc, «T1», «type»)
After the xPath has been evaluated with evaluate , the values are read out in order and written to a new list. [Value1, Value2]
getAttributeValuesByAttributeNameAndAttributeValue
The following snippet shows how to filter the attribute values based on the attribute name and attribute value.
An xPath is created that stores all Item elements from the Document in a NodeList. At the same time, in the xPath, the attributeName ( type ) is used to filter all item elements that have the value as the value in the attributeValue attribute T1 . If the function is called with the following parameters: getAttributeValuesByAttributeNameAndAttributeValue(doc, «T1», «type», «count»)
After the xPath has been evaluated with evaluate , the values are read out in order and written to a new list. The result should be [1, 2] .
examineElementAttributes
The following code snippet shows how to extract all attributes of an Xml element.
The xPath selects all elements by its name elementName . After the xpath is evaluated the first element in the NodeList is examinded. All attributes are stored in a new List. The result should be [count, type] if the function is called with the following parameters: examineElementAttributes(doc, «Item») .
Please do not forget: This is not a perfect Kotlin code. These are code snippets that show how to work with Kotlin and Xml.
Источник
XML Parsing in Android using XmlPullParser
In android, the XMLPullParser interface provides the functionality to parse the XML files in android applications. The XMLPullParser is a simple and efficient parser method to parse the XML data when compared to other parser methods such as DOM Parser and SAX Parser. The XMLPullParser has a method next() that provides access to high-level parsing events. The next() method will advance the parser to the next event. The following are the series of events available in XMLPullParser, which will be seen by the next() method.
- START_DOCUMENT: The parser starts processing the XML document.
- START_TAG: In this event, we can get the start tag in XML.
- TEXT: In this event, we can read the text content using the getText() method.
- END_TAG: An end tag was read.
- END_DOCUMENT: No more events are available.
Note that we are going to implement this project using the Kotlin language. One may also perform XML Parsing in another two ways. Please refer to the below articles:
What we are going to do?
XMLPullParser scrutinizes an XML file with a series of events, such as START_DOCUMENT, START_TAG, TEXT, END_TAG, and END_DOCUMENT to parse the XML document. To read and parse XML files using XMLPullParser in android, one needs to create an instance of XMLPullParserFactory, and XMLPullParser.
Approach
To parse an XML file using a DOM parser in Android, we follow the following steps:
Step 1: Create a New Project
To create a new project in Android Studio please refer to How to Create/Start a New Project in Android Studio. Note that select Kotlin as the programming language.
Step 2: Create an assets folder
Create an assets folder under the main folder in the Project Layout. Create an Android Resource File in this folder, where we shall put the information in the form of XML. Name this file as userdetails.xml. For doing so refer to the following steps:
Click on Project as shown on the left side of the below image.
Expand until you find the main folder, right-click on it, go to New > Folder > Assets Folder
Then just click on the Finish button.
Now the asset folder is created successfully. Right-Click on the Assets Folder > New > Android Resource FIle
Give it name Information, change type to XML, and finish.
Note: Sometimes, right-clicking on the Assets folder and creating an Android Resource File creates a file in the res folder. If this happens, cut our file and paste it directly into the assets folder. This happens due to some internal settings.
Источник