기본 콘텐츠로 건너뛰기

안드로이드 앱 만들기 : 채팅창 만들어 보기 (Jetpack Compose 에 AndroidView Binding)


원본출처: 티스토리 바로가기

Compose을 활용한 앱을 구현하는 동안에 이전에 만들었던 layout 을 활용하고자 하는 경우가 생긴다면... Androind ViewBinding을 활용하는 방법이 있었다.

 

https://developer.android.com/jetpack/compose/interop/interop-apis?hl=ko 

 

상호 운용성 API  |  Jetpack Compose  |  Android Developers

상호 운용성 API 앱에 Compose를 채택하는 동안 Compose와 뷰 기반 UI를 결합할 수 있습니다. 다음에는 Compose로의 전환을 보다 쉽게 할 수 있는 API, 권장사항 및 팁이 나와 있습니다. Android 뷰의 Compose

developer.android.com

 

 

구현을 시작해 보면, 먼저 gradle 파일에 implementation 을 추가해야 한다. 

implementation "androidx.compose.ui:ui-viewbinding:$compose_version"

 다음은 채팅방 구현을 위해서 예전에 만들었던 코드에서 Recycleview 을 활용했던 layout을 가지고 왔다.

 

layout 예제

<?xml version="1.0" encoding="utf-8"?> <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"     xmlns:app="http://schemas.android.com/apk/res-auto"     xmlns:tools="http://schemas.android.com/tools"     android:layout_width="match_parent"     android:layout_height="match_parent"     tools:context=".ChatRoomActivity">      <LinearLayout         android:id="@+id/linearLayout2"         android:layout_width="match_parent"         android:layout_height="60dp"         android:orientation="vertical"         android:weightSum="5"         app:layout_constraintStart_toStartOf="parent"         app:layout_constraintTop_toTopOf="parent">          <LinearLayout             android:layout_width="match_parent"             android:layout_height="0dp"             android:layout_weight="5"             android:orientation="horizontal"             android:weightSum="10">              <TextView                 android:id="@+id/textView11"                 android:layout_width="0dp"                 android:layout_height="match_parent"                 android:layout_weight="2"                 android:gravity="center_horizontal|center_vertical"                 android:text="현재시간" />              <TextClock                 android:id="@+id/textView10"                 android:layout_width="0dp"                 android:layout_height="match_parent"                 android:layout_weight="7"                 android:format12Hour="hh:mm"                 android:format24Hour="HH:mm"                 android:gravity="center_horizontal|center_vertical" />          </LinearLayout>      </LinearLayout>      <androidx.recyclerview.widget.RecyclerView         android:id="@+id/rv"         android:name="com.roopre.simpleboard.Fragment.ChatMsgFragment"         android:layout_width="match_parent"         android:layout_height="0dp"         android:layout_marginStart="8dp"         android:layout_marginEnd="8dp"         app:layoutManager="LinearLayoutManager"         app:layout_constraintBottom_toTopOf="@+id/linearLayout"         app:layout_constraintEnd_toEndOf="parent"         app:layout_constraintStart_toStartOf="parent"         app:layout_constraintTop_toBottomOf="@+id/linearLayout2"         tools:context=".Fragment.ChatMsgFragment"         tools:listitem="@layout/custom_chat_msg" />      <LinearLayout         android:id="@+id/linearLayout"         android:layout_width="match_parent"         android:layout_height="wrap_content"         android:layout_marginStart="8dp"         android:layout_marginEnd="8dp"         android:layout_marginBottom="8dp"         android:orientation="horizontal"         app:layout_constraintBottom_toBottomOf="parent"         app:layout_constraintEnd_toEndOf="parent"         app:layout_constraintStart_toStartOf="parent">          <EditText             android:id="@+id/content_et"             android:layout_width="0dp"             android:layout_height="match_parent"             android:layout_weight="1"             android:background="@drawable/bg_content_et"             android:hint="메시지를 입력하세요."             android:lines="1"             android:maxLines="1"             android:padding="8dp" />          <ImageView             android:id="@+id/send_iv"             android:layout_width="40dp"             android:padding="2dp"             android:layout_height="wrap_content"             android:adjustViewBounds="true"             android:src="@drawable/ic_send" />      </LinearLayout>  </androidx.constraintlayout.widget.ConstraintLayout>

 

 

다음은 recycleview 에 들어갈 item layout은 다음과 같이 구현하였다. 

 

<?xml version="1.0" encoding="utf-8"?> <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"     xmlns:app="http://schemas.android.com/apk/res-auto"     xmlns:tools="http://schemas.android.com/tools"     android:id="@+id/constraintLayout"     android:layout_width="match_parent"     android:layout_height="wrap_content">      <androidx.constraintlayout.widget.ConstraintLayout         android:id="@+id/other_cl"         android:layout_width="0dp"         android:layout_height="wrap_content"         app:layout_constraintBottom_toTopOf="@+id/my_cl"         app:layout_constraintEnd_toEndOf="parent"         app:layout_constraintStart_toStartOf="parent"         app:layout_constraintTop_toTopOf="parent">          <TextView             android:id="@+id/userid_tv"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:layout_marginStart="16dp"             android:layout_marginTop="16dp"             android:text="userid_tv"             android:textSize="16sp"             android:textStyle="bold"             app:layout_constraintStart_toStartOf="parent"             app:layout_constraintTop_toTopOf="parent" />          <TextView             android:id="@+id/date_tv"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:text="date_tv"             android:textSize="10sp"             app:layout_constraintStart_toStartOf="@+id/userid_tv"             app:layout_constraintTop_toBottomOf="@+id/userid_tv" />          <TextView             android:id="@+id/content_tv"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:layout_marginTop="8dp"             android:background="@drawable/bg_content_et"             android:padding="8dp"             android:text="content_tv"             android:textSize="12sp"             app:layout_constraintBottom_toBottomOf="parent"             app:layout_constraintStart_toStartOf="@+id/date_tv"             app:layout_constraintTop_toBottomOf="@+id/date_tv" />     </androidx.constraintlayout.widget.ConstraintLayout>      <androidx.constraintlayout.widget.ConstraintLayout         android:id="@+id/my_cl"         android:layout_width="0dp"         android:layout_height="wrap_content"         app:layout_constraintBottom_toBottomOf="parent"         app:layout_constraintEnd_toEndOf="parent"         app:layout_constraintHorizontal_bias="1.0"         app:layout_constraintStart_toStartOf="parent"         app:layout_constraintTop_toBottomOf="@+id/other_cl">          <TextView             android:id="@+id/userid_tv2"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:layout_marginTop="20dp"             android:layout_marginEnd="16dp"             android:text="userid_tv"             android:textSize="16sp"             android:textStyle="bold"             app:layout_constraintEnd_toEndOf="parent"             app:layout_constraintTop_toTopOf="parent" />          <TextView             android:id="@+id/date_tv2"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:layout_marginTop="4dp"             android:layout_marginEnd="16dp"             android:text="date_tv2"             android:textSize="10sp"             app:layout_constraintEnd_toEndOf="parent"             app:layout_constraintTop_toBottomOf="@+id/userid_tv2" />          <TextView             android:id="@+id/content_tv2"             android:layout_width="wrap_content"             android:layout_height="wrap_content"             android:layout_marginTop="8dp"             android:layout_marginEnd="16dp"             android:background="@drawable/bg_content_et"             android:padding="8dp"             android:text="content_tv2"             android:textSize="12sp"             app:layout_constraintBottom_toBottomOf="parent"             app:layout_constraintEnd_toEndOf="parent"             app:layout_constraintTop_toBottomOf="@+id/date_tv2"             app:layout_constraintVertical_bias="0.0" />     </androidx.constraintlayout.widget.ConstraintLayout> </androidx.constraintlayout.widget.ConstraintLayout> 

 

그리고 Recycleview 에 데이터를 넣고 구현하기 위해서 adapter을 구현하였다. 

 

import android.util.Log; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView;  import androidx.compose.runtime.snapshots.SnapshotStateList; import androidx.constraintlayout.widget.ConstraintLayout; import androidx.recyclerview.widget.RecyclerView; import com.billcoreatech.multichat416.R;  import org.jetbrains.annotations.NotNull;  import java.util.ArrayList;  public class ChatAdapter extends RecyclerView.Adapter<ChatAdapter.ViewHolder> {      private static final String TAG = "ChatAdapter";     private final ArrayList<ChatMessage> chatMsgModels;     String displayName ;      public ChatAdapter( ArrayList<ChatMessage> items, String displayName) {         this.chatMsgModels = items;         this.displayName = displayName;     }      @Override     public ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) {         View view = LayoutInflater.from(parent.getContext())                 .inflate(R.layout.custom_chat_msg, parent, false);         return new ViewHolder(view);     }      @Override     public void onBindViewHolder(final ViewHolder holder, int position) {          ChatMessage vo = chatMsgModels.get(position);         try {             Log.e(TAG, " userId=" + vo.getDisplayName()+ ": displayName=" + displayName) ;          } catch (Exception e) {          }         if (vo.getDisplayName().equals(displayName)) {             holder.other_cl.setVisibility(View.GONE);             holder.my_cl.setVisibility(View.VISIBLE);              holder.userid_tv2.setText(vo.getDisplayName());             holder.date_tv2.setText(vo.getCrtDtim());             holder.content_tv2.setText(vo.getContent());         }else         {             holder.other_cl.setVisibility(View.VISIBLE);             holder.my_cl.setVisibility(View.GONE);              holder.userid_tv.setText(vo.getDisplayName()); // userId 대신 nickName 으로 대체             holder.date_tv.setText(vo.getCrtDtim());             holder.content_tv.setText(vo.getContent());         }     }      @Override     public int getItemCount() {         return chatMsgModels.size();     }      public class ViewHolder extends RecyclerView.ViewHolder {         public ConstraintLayout my_cl, other_cl;         public TextView userid_tv, date_tv, content_tv, userid_tv2, date_tv2, content_tv2;          public ViewHolder(View view) {             super(view);             my_cl = view.findViewById(R.id.my_cl);             other_cl = view.findViewById(R.id.other_cl);             userid_tv = view.findViewById(R.id.userid_tv);             date_tv = view.findViewById(R.id.date_tv);             content_tv = view.findViewById(R.id.content_tv);             userid_tv2 = view.findViewById(R.id.userid_tv2);             date_tv2 = view.findViewById(R.id.date_tv2);             content_tv2 = view.findViewById(R.id.content_tv2);              // 2021.11.01 item 클릭 처리를 위해서 추가             itemView.setOnClickListener(new View.OnClickListener() {                 @Override public void onClick(View v) {                     int pos = getAdapterPosition() ;                     if (pos != RecyclerView.NO_POSITION) {                         // 리스너 객체의 메서드 호출.                         if (mListener != null) {                             mListener.onItemClick(v, pos) ;                         }                     }                 }             });         }     }      // 2021.11.01 리스너 객체 참조를 저장하는 변수     private OnItemClickListener mListener = null ;      // OnItemClickListener 리스너 객체 참조를 어댑터에 전달하는 메서드     public void setOnItemClickListener(OnItemClickListener listener) {         this.mListener = listener ;     }      public interface OnItemClickListener {         void onItemClick(View v, int position) ;     } }

 

다음은 데이터를 넣기 위한 구조체는 다음 처럼 구현을 하였다.

 

 data class ChatMessage(     var displayName:String = "",     var crtDtim:String = "",     var content:String = "" )

kotlin 으로 구현을 하면서 좋은 것은 source code 가 간소화된다는 것이다. java로 구현했다면 getter / setter을 다 넣어 주었어야 하겠지만, kotlin 으로 구현하다 보니 그럼 군더더기는 필요가 없게 되었다.

 

이번에는 채팅방 운영을 위한 activity code을 구현해 보았다.

 

import android.content.Intent import android.content.SharedPreferences import android.os.Bundle import android.util.Log import android.view.KeyEvent import android.view.KeyEvent.KEYCODE_ENTER import androidx.activity.ComponentActivity import androidx.activity.compose.setContent import androidx.activity.viewModels import androidx.compose.foundation.gestures.Orientation import androidx.compose.foundation.gestures.rememberScrollableState import androidx.compose.foundation.gestures.scrollable import androidx.compose.foundation.layout.* import androidx.compose.material.* import androidx.compose.material.icons.Icons import androidx.compose.material.icons.filled.Face import androidx.compose.material.icons.filled.Logout import androidx.compose.material.icons.filled.ManageAccounts import androidx.compose.runtime.* import androidx.compose.ui.Modifier import androidx.compose.ui.viewinterop.AndroidViewBinding import androidx.core.content.ContextCompat import com.billcoreatech.multichat416.databean.ChatAdapter import com.billcoreatech.multichat416.databean.ChatMessage import com.billcoreatech.multichat416.databean.ChatMessageViewModel import com.billcoreatech.multichat416.databinding.ActivityChatRoomBinding import com.billcoreatech.multichat416.ui.theme.MultiChat416Theme import com.google.firebase.auth.FirebaseAuth import com.google.firebase.auth.ktx.auth import com.google.firebase.database.ChildEventListener import com.google.firebase.database.DataSnapshot import com.google.firebase.database.DatabaseError import com.google.firebase.database.ktx.database import com.google.firebase.ktx.Firebase import java.text.SimpleDateFormat import java.util.* import kotlin.collections.ArrayList  class ChatRoomActivity : ComponentActivity() {      var TAG = "ChatRoomActivity"      lateinit var displayName:String     lateinit var auth: FirebaseAuth     lateinit var sp: SharedPreferences     lateinit var sdf:SimpleDateFormat     private val database = Firebase.database     private val chatMessages = database.getReference("ChatMessage")     lateinit var df:SimpleDateFormat     lateinit var chatId:String     lateinit var startDt:String     lateinit var adapter:ChatAdapter     var chatMesgItems = ArrayList<ChatMessage>()         private set     lateinit var binding:ActivityChatRoomBinding      override fun onCreate(savedInstanceState: Bundle?) {         super.onCreate(savedInstanceState)          auth = Firebase.auth         sp = getSharedPreferences("MultiChat", MODE_PRIVATE)         sdf = SimpleDateFormat("yyyyMMddHHmmss")         df = SimpleDateFormat("yyyy-MM-dd HH:mm:ss")         chatId = intent.getStringExtra("chatId") as String         startDt = intent.getSerializableExtra("startDt") as String         Log.e(TAG, "${startDt}")         displayName = auth.currentUser?.displayName.toString()          chatMesgItems.clear()         adapter = ChatAdapter(chatMesgItems, displayName)         binding = ActivityChatRoomBinding.inflate(layoutInflater)          setContent {             val isDarkTheme = remember { mutableStateOf(false) }             if(isDarkTheme.value){                 this.window.statusBarColor = ContextCompat.getColor(this, R.color.softBlack)             }else{                 this.window.statusBarColor = ContextCompat.getColor(this, R.color.softBlue)             }             MultiChat416Theme(darkTheme = isDarkTheme.value) {                 Scaffold(topBar = {                     ThemeAppBar(darkThemeState = isDarkTheme)                 }, modifier = Modifier.fillMaxSize()                 ) { innerPadding ->                     mainContent(Modifier.padding(innerPadding))                 }             }         }     }      @Composable     fun ThemeAppBar(darkThemeState: MutableState<Boolean>) {          TopAppBar(title = {             Row {                 Text(text = getString(R.string.app_name), modifier = Modifier.weight(8f))                 Switch(checked = darkThemeState.value, onCheckedChange = {                     darkThemeState.value = it                 }, modifier = Modifier.weight(2f))                 IconButton(onClick = {  }) {                     Icon(imageVector = Icons.Default.Face, contentDescription = "ChatRoom")                 }                 IconButton(onClick = { doProfile() }) {                     Icon(imageVector = Icons.Default.ManageAccounts, contentDescription = "Profile")                 }                 IconButton(onClick = { doLogOut() }) {                     Icon(imageVector = Icons.Default.Logout, contentDescription = "LogOut")                 }             }         })     }      private fun doProfile() {         var intent = Intent(this@ChatRoomActivity, SettingActivity::class.java)         startActivity(intent)     }      @Composable     fun mainContent(padding: Modifier) {         Box(             Modifier                 .fillMaxWidth()                 .fillMaxHeight()                 .scrollable(rememberScrollableState {                     // view world deltas should be reflected in compose world                     // components that participate in nested scrolling                     it                 }, Orientation.Vertical)         ) {                     // compose 에서 layout 을 binding 해서 사용하는 코드 구현...             AndroidViewBinding(ActivityChatRoomBinding::inflate) {                 var binding = this                 chatMessages.child(chatId).orderByChild("crtDtim").startAfter(startDt.toString())                     .addChildEventListener(object : ChildEventListener{                         override fun onChildAdded(snapshot: DataSnapshot, previousChildName: String?) {                             Log.e(TAG, "onChildAdded")                             var chatMessageItem = snapshot.getValue(ChatMessage::class.java)                             // 왜 2번씩 들어가는지 모르겠지만... 일단은 한번만 들어가게 하기 위해서                             if (chatMessageItem != null && chatMesgItems.indexOf(chatMessageItem) < 0) {                                 chatMesgItems.add(chatMessageItem)                             }                             binding.rv.adapter = adapter                             binding.rv.scrollToPosition(chatMesgItems.size - 1)                         }                          override fun onChildChanged(snapshot: DataSnapshot, previousChildName: String?) {                             Log.e(TAG, "onChildChanged")                         }                          override fun onChildRemoved(snapshot: DataSnapshot) {                             Log.e(TAG, "onChildRemoved")                         }                          override fun onChildMoved(snapshot: DataSnapshot, previousChildName: String?) {                             Log.e(TAG, "onChildMoved")                         }                          override fun onCancelled(error: DatabaseError) {                             Log.e(TAG, "onCancelled")                         }                      })                 this.sendIv.setOnClickListener {                     if (this.contentEt.text.length > 0) {                         var chatMessage = ChatMessage(displayName, df.format(GregorianCalendar.getInstance(TimeZone.getDefault()).timeInMillis),this.contentEt.text.toString() )                         chatMessages.child(chatId).push().setValue(chatMessage).addOnSuccessListener {                             Log.e(TAG, "push Success...")                         }.addOnFailureListener {                             Log.e(TAG, "push Failure...")                         }                     }                 }             }         }     }      private fun doLogOut() {         chatMessages.child(chatId).setValue(null)         finish()     } }

 

이렇게 구현을 해서 처리가 되기는 했지만, 아직 해소가 되지 않은 것은 내용을 입력 하면 realtime database에 기록이 되고, addChiledEventListener을 통해서 기록된 내용을 가져와서 recycleview에 표시를 하기 위해서 arryalist에 넣어 주는 구현을 하였는데, 입력은 1번인데 실제 표시는 2번씩 나오는 현상이 발생하였다.  아직 그 원인을 알지 못해 꼼수를 넣었다. arraylist에 이미 들어 있는 거면 넣지 않도록 하여 해소를 하였다.

 

구현된 화면 예시와 동작은 다음과 같이 처리가 되었다.

채팅방 예시

 

 

동영상 예시

 

이렇게 까지 구현을 하면 compose 로 화면을 구현하고 예전에 만들었던 layout 을 가져와서 활용하는 것도 구현을 해 보았다.

 

 

귤탐 당도선별 감귤 로열과, 3kg(S~M), 1박스 삼립 호빵 발효미종 단팥, 92g, 14개입 [엉클컴퍼니] 우리밀 찐빵/흑미찐빵/단호박찐빵/고구마찐빵 국산팥, 우리밀 고구마찐빵(20개입) 1300g 국산팥 우리밀 MORIT 여성용 방한장갑 터치스크린 다용도 고급겨울장갑 에이치머스 스마트폰 터치 방한 장갑
이 포스팅은 쿠팡 파트너스 활동의 일환으로, 이에 따른 일정액의 수수료를 제공받습니다.

댓글

이 블로그의 인기 게시물

개인정보처리방침 안내

 billcoreaTech('https://billcoreatech.blogspot.com/'이하 'https://billcoreatech.blogspot')은(는) 「개인정보 보호법」 제30조에 따라 정보주체의 개인정보를 보호하고 이와 관련한 고충을 신속하고 원활하게 처리할 수 있도록 하기 위하여 다음과 같이 개인정보 처리방침을 수립·공개합니다. ○ 이 개인정보처리방침은 2021년 8월 26부터 적용됩니다. 제1조(개인정보의 처리 목적) billcoreaTech('https://billcoreatech.blogspot.com/'이하 'https://billcoreatech.blogspot')은(는) 다음의 목적을 위하여 개인정보를 처리합니다. 처리하고 있는 개인정보는 다음의 목적 이외의 용도로는 이용되지 않으며 이용 목적이 변경되는 경우에는 「개인정보 보호법」 제18조에 따라 별도의 동의를 받는 등 필요한 조치를 이행할 예정입니다. 1. 서비스 제공 맞춤서비스 제공을 목적으로 개인정보를 처리합니다. 제2조(개인정보의 처리 및 보유 기간) ① billcoreaTech은(는) 법령에 따른 개인정보 보유·이용기간 또는 정보주체로부터 개인정보를 수집 시에 동의받은 개인정보 보유·이용기간 내에서 개인정보를 처리·보유합니다. ② 각각의 개인정보 처리 및 보유 기간은 다음과 같습니다. 1.<서비스 제공> <서비스 제공>와 관련한 개인정보는 수집.이용에 관한 동의일로부터<사용자의 설정시간>까지 위 이용목적을 위하여 보유.이용됩니다. 보유근거 : 앱의 기본기능 활용에 필요한 위치정보 제3조(개인정보의 제3자 제공) ① billcoreaTech은(는) 개인정보를 제1조(개인정보의 처리 목적)에서 명시한 범위 내에서만 처리하며, 정보주체의 동의, 법률의 특별한 규정 등 「개인정보 보호법」 제17조 및 제18조에 해당하는 경우에만 개인정보를 제3자에게 제공합니다. ② billcoreaTech...

안드로이드 앱 만들기 : onBackPressed 가 deprecated 되었다니 ?

원본출처: 티스토리 바로가기 onBackPressed 가 deprecated 되었다? 이제 우리는 구글이 제안하는 안드로이드 13에 타기팅하는 앱을 제출 해야만 하는 시기에 도달하고 있습니다.  구글이 새로운 안드로이드 버전을 배포하기 시작하면서 오래된 안드로이드에 대한 게시를 제한 합니다.    그래서 이번에 API 33 인 안드로이드 13에 타겟팅 하는 앱을 작성해 보았습니다. 그러다 만난 몇 가지 사용 제한이 되는 것들에 대한 정리를 해 두고자 합니다.    onBackPressed는 사용자가 뒤로 가기 버튼을 클릭하는 경우 제어를 하기 위해서 사용했던 함수 입니다. MainActivity 에서 최종적으로 뒤로 가기를 클릭 하는 경우 앱을 종료시키는 기능도 사용이 되는 함수였는 데...   안드로이드 13에서는 더 이상 사용할 수 없는 (?)  - 사용은 가능 하나 소스 코드에 중간 줄이 생긴 모양을 보면서 코드를 지속적으로 봐야 합니다.    onBackPressed 어떻게 해소를 하면 될까요?   CallBack을 하나 만들어 봅니다. private val callback = object : OnBackPressedCallback(true) { override fun handleOnBackPressed() { doCloseApps() } } 다른 건 없고 이런 모양으로 callback 함수를 하나 만들어 둡니다.  그러고 onCreate 에서 이 callback 이 호출 되도록 한 줄 넣어 주는 것으로 그 코딩은 마무리 됩니다.    @RequiresApi(Build.VERSION_CODES.TIRAMISU) override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(sav...