Назад к вопросам
Middle
73
questionbank

Как соединить кастомное представление и кастомный макет?

Sobes Copilot

Получайте ответы в реальном времени

Ответ от нейросети

sobes.tech AI

Для соединения кастомного представления (унаследованного от View или его подклассов) с кастомным макетом (XML layout) используются следующие механизмы:

  1. Переопределение конструкторов представления: Кастомное представление должно иметь конструкторы, позволяющие системе Android создать его из XML. Наиболее важные:

    • public MyCustomView(Context context)
    • public MyCustomView(Context context, AttributeSet attrs)
    • public MyCustomView(Context context, AttributeSet attrs, int defStyleAttr)
    • public MyCustomView(Context context, AttributeSet attrs, int defStyleAttr, int defStyleRes)

    В конструкторах, принимающих AttributeSet, можно получить атрибуты, определенные в XML.

  2. Использование <merge> или <include> при необходимости (для сложных представлений):

    • <include>: Позволяет включать содержимое другого макета. Полезно для переиспользуемых частей UI.
    • <merge>: Используется как корневой элемент макета для исключения лишней вложенности в иерархии представлений, особенно при использовании <include> с <FrameLayout> или <LinearLayout>.
  3. Instantiate the View and Inflate the Layout: В конструкторе кастомного представления (обычно в том, что принимает AttributeSet) вы создаете экземпляры внутренних представлений и наполняете макет.

Пример:

// custom_my_view.xml
<LinearLayout
    xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:orientation="vertical">

    <TextView
        android:id="@+id/textViewTitle"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Title"
        android:textSize="18sp"/>

    <EditText
        android:id="@+id/editTextValue"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:hint="Enter value"/>

</LinearLayout>
// MyCustomView.kt (Custom View class)
class MyCustomView @JvmOverloads constructor(
    context: Context,
    attrs: AttributeSet? = null,
    defStyleAttr: Int = 0
) : LinearLayout(context, attrs, defStyleAttr) {

    private val textViewTitle: TextView
    private val editTextValue: EditText

    init {
        // Inflate the custom layout
        LayoutInflater.from(context).inflate(R.layout.custom_my_view, this, true)

        // Get references to the views defined in the layout
        textViewTitle = findViewById(R.id.textViewTitle)
        editTextValue = findViewById(R.id.editTextValue)

        // Process custom attributes if any
        val typedArray = context.obtainStyledAttributes(attrs, R.styleable.MyCustomView, defStyleAttr, 0)
        val titleText = typedArray.getString(R.styleable.MyCustomView_titleText)
        typedArray.recycle()

        // Set initial values based on attributes or default
        textViewTitle.text = titleText ?: "Default Title"
    }

    // Public methods to interact with the internal views
    fun setTitle(title: String) {
        textViewTitle.text = title
    }

    fun getValue(): String {
        return editTextValue.text.toString()
    }
}
<!-- styles.xml (Optional: define custom attributes) -->
<resources>
    <declare-styleable name="MyCustomView">
        <attr name="titleText" format="string"/>
    </declare-styleable>
</resources>
<!-- activity_main.xml (Using the custom view) -->
<LinearLayout
    xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:orientation="vertical">

    <com.yourpackage.MyCustomView
        android:id="@+id/myCustomView"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        app:titleText="My Custom Title"/>

</LinearLayout>

Суть в том, что кастомный класс представления (например MyCustomView) действует как контейнер, который управляет представлениями, определенными в его кастомном макете (custom_my_view.xml). Он "надувает" этот макет в своем конструкторе и получает ссылки на его внутренние элементы (findViewById).