Evgenii Legotckoi
March 2, 2018, 1:53 p.m.

Android. Java vs Qt QML - Tutorial 004. Creating a menu in the Action Bar from the submenu

So, we continue to implement the same functionality in applications for Android from two fundamentally different worlds. Namely on traditional Java and less widespread Qt QML C ++.

This time we implement the menu in ActionBar Activation. I note that ActionBar for the variant with QML will have to write independently, because there is no such element in Qt QML, but it is implemented through the ToolBar component. Since this moment was described in the lesson about Hello World , in this lesson we will not dwell on it, just take ActionBar into a separate QML file, making it a separate type of QML and adding a menu icon to it, by clicking on which we will call the menu.

The menu will be as follows:

  • Information
  • First
  • Second
  • About

In the center of the application window there should be text that will be replaced by other text when you click the following menu items

  • First
  • Second
  • About

The appearance of the menu in Java

First level

Second level

The appearance of the menu on Qt QML

First level

Second level

Implementation on JAVA

menu.xml

To create a menu, you must create an XML file that will be located in the resource directory menu. So let's call it menu.xml

Here everything is quite simple, there is a small layout with the names of menu items, nested elements and id, which you can access to these items from Java code.

  1. <?xml version="1.0" encoding="utf-8"?>
  2. <menu xmlns:app="http://schemas.android.com/apk/res-auto"
  3. xmlns:android="http://schemas.android.com/apk/res/android">
  4.  
  5. <item
  6. android:id="@+id/informationItem"
  7. android:title="Information">
  8. <menu>
  9. <item
  10. android:id="@+id/firstInfoItem"
  11. android:title="First" />
  12. <item
  13. android:id="@+id/secondInfoItem"
  14. android:title="Second" />
  15. </menu>
  16. </item>
  17. <item
  18. android:id="@+id/aboutItem"
  19. android:title="About" />
  20. </menu>

activity_main.xml

Next is the layout of the most active, which in this case was created by default.

  1. <?xml version="1.0" encoding="utf-8"?>
  2. <android.support.constraint.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3. xmlns:app="http://schemas.android.com/apk/res-auto"
  4. xmlns:tools="http://schemas.android.com/tools"
  5. android:layout_width="match_parent"
  6. android:layout_height="match_parent"
  7. tools:context="com.evileg.javamenu.MainActivity">
  8.  
  9. <TextView
  10. android:id="@+id/textView"
  11. android:layout_width="wrap_content"
  12. android:layout_height="wrap_content"
  13. android:text="Hello World!"
  14. app:layout_constraintBottom_toBottomOf="parent"
  15. app:layout_constraintLeft_toLeftOf="parent"
  16. app:layout_constraintRight_toRightOf="parent"
  17. app:layout_constraintTop_toTopOf="parent" />
  18.  
  19. </android.support.constraint.ConstraintLayout>

MainActivity.java

And now you need to initialize all components of the menu and hang on them the handler of the click event.

  1. package com.evileg.javamenu;
  2.  
  3. import android.app.Activity;
  4. import android.os.Bundle;
  5. import android.view.Menu;
  6. import android.view.MenuItem;
  7. import android.widget.TextView;
  8.  
  9. public class MainActivity extends Activity {
  10.  
  11. // Define the objects of all menu items
  12. MenuItem aboutItem;
  13. MenuItem firstInfoItem;
  14. MenuItem secondInfoItem;
  15.  
  16. // And also the text field, in which we will set the text
  17. TextView textView;
  18.  
  19. @Override
  20. protected void onCreate(Bundle savedInstanceState) {
  21. super.onCreate(savedInstanceState);
  22. setContentView(R.layout.activity_main);
  23. textView = findViewById(R.id.textView); // find this text field in the resources
  24. }
  25.  
  26. // Create menu item handlers
  27. @Override
  28. public boolean onCreateOptionsMenu(Menu menu) {
  29. getMenuInflater().inflate(R.menu.menu, menu);
  30.  
  31. // Find all the items in the menu items
  32. aboutItem = menu.findItem(R.id.aboutItem);
  33. firstInfoItem = menu.findItem(R.id.firstInfoItem);
  34. secondInfoItem = menu.findItem(R.id.secondInfoItem);
  35.  
  36. // Create a click handler for the menu items
  37. MenuItem.OnMenuItemClickListener onMenuClickListener = new MenuItem.OnMenuItemClickListener() {
  38. @Override
  39. public boolean onMenuItemClick(MenuItem item) {
  40. switch (item.getItemId()) {
  41. case R.id.aboutItem:
  42. textView.setText("About Menu Item is pressed");
  43. break;
  44. case R.id.firstInfoItem:
  45. textView.setText("First Info Item is pressed");
  46. break;
  47. case R.id.secondInfoItem:
  48. textView.setText("Second Info Item is pressed");
  49. break;
  50. }
  51. return true;
  52. }
  53. };
  54.  
  55. // Install this handler on the menu items
  56. aboutItem.setOnMenuItemClickListener(onMenuClickListener);
  57. firstInfoItem.setOnMenuItemClickListener(onMenuClickListener);
  58. secondInfoItem.setOnMenuItemClickListener(onMenuClickListener);
  59.  
  60. return true;
  61. }
  62. }

Implementation on Qt QML

ActionBar.qml

I created a special ActionBar type in a separate QML file to select it from the main main.qml file. This will separate this code from the rest of the useful part of the code, which should show the difference between the menu implementations in Java and Qt QML. And also this ActionBar will be used in the following articles.

Notice the menuClicked signal, this signal will be called in ActionBar when the user clicks a finger on MouseArea, which is responsible for clicking on our custom menu button. On this signal the menu will be opened, which is located in the file main.qml

  1. import QtQuick 2.10
  2. import QtQuick.Controls 2.3
  3. import QtQuick.Controls.Material 2.1
  4.  
  5. ToolBar {
  6. id: root
  7. height: 48
  8.  
  9. signal menuClicked() // A signal that reports a click on the menu button
  10.  
  11. Rectangle {
  12. anchors.fill: parent
  13. color: "#080808"
  14.  
  15. Image {
  16. id: ico
  17. height: 36
  18. width: 36
  19. anchors {
  20. left: parent.left
  21. leftMargin: 10
  22. top: parent.top
  23. topMargin: 6
  24. }
  25. source: "qrc:/icons/ic_launcher.png"
  26. }
  27.  
  28.  
  29. Text {
  30. anchors {
  31. verticalCenter: parent.verticalCenter
  32. left: ico.right
  33. leftMargin: 4
  34. }
  35.  
  36. text: qsTr("QMLMenu")
  37. font.pixelSize: 18
  38. color: "white"
  39. }
  40.  
  41.   // Start implementation of the menu button
  42. Rectangle {
  43. width: height
  44. color: menuArea.pressed ? "#55ffffff" : "transparent"
  45. anchors {
  46. top: parent.top
  47. right: parent.right
  48. bottom: parent.bottom
  49. }
  50.  
  51. Image {
  52. id: menuIcon
  53. height: 36
  54. width: 36
  55. anchors {
  56. centerIn: parent
  57. }
  58.  
  59. source: "qrc:/icons/menu.png"
  60. }
  61.  
  62. MouseArea {
  63. id: menuArea
  64. anchors.fill: parent
  65. onClicked: root.menuClicked()
  66. }
  67. }
  68. // end of the menu button implementation
  69. }
  70. }

main.qml

And here will be placed the code for what this lesson was written for. Show how to implement the menu itself.

  1. import QtQuick 2.10
  2. import QtQuick.Window 2.10
  3. import QtQuick.Controls 2.3
  4. import QtQuick.Controls.Material 2.1
  5.  
  6. ApplicationWindow {
  7. id: root
  8. visible: true
  9. width: 360
  10. height: 520
  11. title: qsTr("QML Menu")
  12.  
  13. // Add ActionBar to the application window
  14. header: ActionBar {
  15. onMenuClicked: actionBarMenu.open() // Open the menu
  16.  
  17. // Adding a menu
  18. Menu {
  19. id: actionBarMenu
  20. // With an indication of the location so that Menu pops up in the same place as in the version with Java
  21. x: root.width
  22. y: 48
  23. Menu {
  24. title: qsTr("Information")
  25. Action {
  26. text: qsTr("First")
  27. // Processing a click on the menu item
  28. onTriggered: label.text = qsTr("First Info Item is pressed")
  29. }
  30. Action {
  31. text: qsTr("Second")
  32. onTriggered: label.text = qsTr("Second Info Item is pressed")
  33. }
  34. }
  35. Action {
  36. text: qsTr("About")
  37. onTriggered: label.text = qsTr("About Menu Item is pressed")
  38. }
  39. }
  40. }
  41.  
  42. Label {
  43. id: label
  44. anchors.centerIn: parent
  45. text: qsTr("Hello World!")
  46. font.pixelSize: 14
  47. }
  48. }

Conclusion

Of course, there is some difference in the implementation of the default menu for Java and for Qt QML, for example, the presence of a submenu header. Theoretically, in QML, this can be implemented with the help of an empty Action that will have a title, will be slightly customized and will not do anything when clicking, but is it necessary?

Do you like it? Share on social networks!

Михаиллл
  • July 9, 2019, 7:33 p.m.
  • (edited)

Добрый день.
Как в такое меню добавить картинку и просто лэйблы с текстом?
И скажите пожалуйста как связаны ActionBar.qml и main.qml?

Михаиллл
  • July 10, 2019, 2:08 p.m.
  • (edited)

Превый файл скопировал, в другой qml вставил этот код, но меню не появляется

  1. ActionBar {
  2. onMenuClicked: actionBarMenu.open() // Открываем меню
  3.  
  4. // Добавляем меню
  5. Menu {
  6. id: actionBarMenu
  7. // С указанием расположения, чтобы Menu выскакивало в том же месте,
  8. // что и в варианте с Java
  9. x: root.width
  10. y: 48
  11. Menu {
  12. title: qsTr("Information")
  13. Action {
  14. text: qsTr("First")
  15. // Обработка клика по меню
  16. //onTriggered: label.text = qsTr("First Info Item is pressed")
  17. }
  18. Action {
  19. text: qsTr("Second")
  20. //onTriggered: label.text = qsTr("Second Info Item is pressed")
  21. }
  22. }
  23. Action {
  24. text: qsTr("About")
  25. //onTriggered: label.text = qsTr("About Menu Item is pressed")
  26. }
  27. }
  28. }

Вот так работает

  1. Button {
  2.  
  3. x: 5
  4. y: 5
  5. id: menuButton
  6. text: "Menu"
  7. onClicked: myMenu.open()
  8.  
  9. }
  10.  
  11. Menu {
  12. id: myMenu
  13. x: 5
  14. y: menuButton.height
  15.  
  16. MenuItem {
  17. text: "Мои данные"
  18. onClicked: console.log("Мои данные")
  19. }
  20. MenuItem {
  21. text: "Чат"
  22. onClicked: console.log("Чат")
  23. }
  24. MenuItem {
  25. text: "Видео"
  26. onClicked: console.log("Видео")
  27. }
  28. MenuItem {
  29. text: "Контакты"
  30. onClicked: console.log("Контакты")
  31. }
  32.  
  33. }
Evgenii Legotckoi
  • July 11, 2019, 2:27 p.m.
  • (edited)

У объектов MenuItem есть свойства iconName и iconSource. В iconSource можно добавить иконку из ресурсов в проекте. Можете воспользоваться этим свойством и тогда у вас будут в пунктах меню и иконки и текст.

Comments

Only authorized users can post comments.
Please, Log in or Sign up
  • Last comments
  • AK
    April 1, 2025, 11:41 a.m.
    Добрый день. В данный момент работаю над проектом, где необходимо выводить звук из программы в определенное аудиоустройство (колонки, наушники, виртуальный кабель и т.д). Пишу на Qt5.12.12 поско…
  • Evgenii Legotckoi
    March 9, 2025, 9:02 p.m.
    К сожалению, я этого подсказать не могу, поскольку у меня нет необходимости в обходе блокировок и т.д. Поэтому я и не задавался решением этой проблемы. Ну выглядит так, что вам действитель…
  • VP
    March 9, 2025, 4:14 p.m.
    Здравствуйте! Я устанавливал Qt6 из исходников а также Qt Creator по отдельности. Все компоненты, связанные с разработкой для Android, установлены. Кроме одного... Когда пытаюсь скомпилиров…
  • ИМ
    Nov. 22, 2024, 9:51 p.m.
    Добрый вечер Евгений! Я сделал себе авторизацию аналогичную вашей, все работает, кроме возврата к предидущей странице. Редеректит всегда на главную, хотя в логах сервера вижу запросы на правильн…
  • Evgenii Legotckoi
    Oct. 31, 2024, 11:37 p.m.
    Добрый день. Да, можно. Либо через такие же плагины, либо с постобработкой через python библиотеку Beautiful Soup