path
stringlengths 4
297
| contentHash
stringlengths 1
10
| content
stringlengths 0
13M
|
---|---|---|
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/dao/Service.kt | 3055009433 | package com.rfid.hack277.dao
import com.rfid.hack277.model.Response
import retrofit2.Call
open interface Service {
fun get(
country: String,
startYear: String,
endYear: String,
filter: String
): Call<List<Response>>
} |
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/charting/Marker.kt | 2486035651 | package com.rfid.hack277.charting
import android.graphics.Typeface
import androidx.compose.material3.MaterialTheme
import androidx.compose.runtime.Composable
import androidx.compose.runtime.remember
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.graphics.toArgb
import androidx.compose.ui.unit.dp
import com.patrykandpatrick.vico.compose.component.lineComponent
import com.patrykandpatrick.vico.compose.component.overlayingComponent
import com.patrykandpatrick.vico.compose.component.shapeComponent
import com.patrykandpatrick.vico.compose.component.textComponent
import com.patrykandpatrick.vico.compose.dimensions.dimensionsOf
import com.patrykandpatrick.vico.core.chart.dimensions.HorizontalDimensions
import com.patrykandpatrick.vico.core.chart.insets.Insets
import com.patrykandpatrick.vico.core.component.marker.MarkerComponent
import com.patrykandpatrick.vico.core.component.shape.DashedShape
import com.patrykandpatrick.vico.core.component.shape.ShapeComponent
import com.patrykandpatrick.vico.core.component.shape.Shapes
import com.patrykandpatrick.vico.core.component.shape.cornered.Corner
import com.patrykandpatrick.vico.core.component.shape.cornered.MarkerCorneredShape
import com.patrykandpatrick.vico.core.context.MeasureContext
import com.patrykandpatrick.vico.core.extension.copyColor
import com.patrykandpatrick.vico.core.marker.Marker
@Composable
internal fun rememberMarker(): Marker {
val labelBackgroundColor = MaterialTheme.colorScheme.surface
val labelBackground = remember(labelBackgroundColor) {
ShapeComponent(labelBackgroundShape, labelBackgroundColor.toArgb()).setShadow(
radius = LABEL_BACKGROUND_SHADOW_RADIUS,
dy = LABEL_BACKGROUND_SHADOW_DY,
applyElevationOverlay = true,
)
}
val label = textComponent(
background = labelBackground,
lineCount = LABEL_LINE_COUNT,
padding = labelPadding,
typeface = Typeface.MONOSPACE,
)
val indicatorInnerComponent = shapeComponent(Shapes.pillShape, MaterialTheme.colorScheme.surface)
val indicatorCenterComponent = shapeComponent(Shapes.pillShape, Color.White)
val indicatorOuterComponent = shapeComponent(Shapes.pillShape, Color.White)
val indicator = overlayingComponent(
outer = indicatorOuterComponent,
inner = overlayingComponent(
outer = indicatorCenterComponent,
inner = indicatorInnerComponent,
innerPaddingAll = indicatorInnerAndCenterComponentPaddingValue,
),
innerPaddingAll = indicatorCenterAndOuterComponentPaddingValue,
)
val guideline = lineComponent(
MaterialTheme.colorScheme.onSurface.copy(GUIDELINE_ALPHA),
guidelineThickness,
guidelineShape,
)
return remember(label, indicator, guideline) {
object : MarkerComponent(label, indicator, guideline) {
init {
indicatorSizeDp = INDICATOR_SIZE_DP
onApplyEntryColor = { entryColor ->
indicatorOuterComponent.color = entryColor.copyColor(INDICATOR_OUTER_COMPONENT_ALPHA)
with(indicatorCenterComponent) {
color = entryColor
setShadow(radius = INDICATOR_CENTER_COMPONENT_SHADOW_RADIUS, color = entryColor)
}
}
}
override fun getInsets(
context: MeasureContext,
outInsets: Insets,
horizontalDimensions: HorizontalDimensions,
) = with(context) {
outInsets.top = label.getHeight(context) + labelBackgroundShape.tickSizeDp.pixels +
LABEL_BACKGROUND_SHADOW_RADIUS.pixels * SHADOW_RADIUS_MULTIPLIER -
LABEL_BACKGROUND_SHADOW_DY.pixels
}
}
}
}
private const val LABEL_BACKGROUND_SHADOW_RADIUS = 4f
private const val LABEL_BACKGROUND_SHADOW_DY = 2f
private const val LABEL_LINE_COUNT = 1
private const val GUIDELINE_ALPHA = .2f
private const val INDICATOR_SIZE_DP = 36f
private const val INDICATOR_OUTER_COMPONENT_ALPHA = 32
private const val INDICATOR_CENTER_COMPONENT_SHADOW_RADIUS = 12f
private const val GUIDELINE_DASH_LENGTH_DP = 8f
private const val GUIDELINE_GAP_LENGTH_DP = 4f
private const val SHADOW_RADIUS_MULTIPLIER = 1.3f
private val labelBackgroundShape = MarkerCorneredShape(Corner.FullyRounded)
private val labelHorizontalPaddingValue = 8.dp
private val labelVerticalPaddingValue = 4.dp
private val labelPadding = dimensionsOf(labelHorizontalPaddingValue, labelVerticalPaddingValue)
private val indicatorInnerAndCenterComponentPaddingValue = 5.dp
private val indicatorCenterAndOuterComponentPaddingValue = 10.dp
private val guidelineThickness = 2.dp
private val guidelineShape = DashedShape(Shapes.pillShape, GUIDELINE_DASH_LENGTH_DP, GUIDELINE_GAP_LENGTH_DP) |
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/model/DataViewModel.kt | 638243700 | package com.rfid.hack277.model
import androidx.compose.runtime.mutableIntStateOf
import androidx.compose.runtime.mutableStateListOf
import androidx.compose.runtime.mutableStateOf
import androidx.lifecycle.ViewModel
import com.rfid.hack277.dao.AgricultureService
import com.rfid.hack277.dao.MacroeconomicService
import com.rfid.hack277.dao.TradeService
import com.rfid.hack277.ui.Option
import retrofit2.Retrofit
import retrofit2.converter.gson.GsonConverterFactory
class DataViewModel: ViewModel() {
val isPersonaElevated = mutableStateOf(false)
val country = mutableStateOf("India")
val showProgress = mutableStateOf(false)
val mustRefresh = mutableIntStateOf(0)
var chartArguments = mutableStateListOf<Option>()
}
|
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/model/Response.kt | 81276686 | package com.rfid.hack277.model
data class Response(val year: String, val value: String) |
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/nav/Fragment.kt | 3178146647 | package com.rfid.hack277.nav
import androidx.annotation.StringRes
import androidx.compose.material.icons.Icons
import androidx.compose.material.icons.filled.Agriculture
import androidx.compose.material.icons.filled.BarChart
import androidx.compose.material.icons.filled.Cloud
import androidx.compose.material.icons.filled.CurrencyExchange
import androidx.compose.ui.graphics.vector.ImageVector
import com.rfid.hack277.R
sealed class Fragment(
val title: String,
val route: String,
val icon: ImageVector,
@StringRes val resourceId: Int
) {
object Macroeconomic: Fragment(
"Macroeconomic",
"macroeconomic",
Icons.Filled.BarChart,
R.string.bottom_nav_item_macroeconomic)
object Agriculture: Fragment(
"Agriculture",
"agriculture",
Icons.Filled.Agriculture,
R.string.bottom_nav_item_agriculture)
object Trade: Fragment(
"Trade",
"trade",
Icons.Filled.CurrencyExchange,
R.string.bottom_nav_item_trade)
object ChatGpt: Fragment(
"ChatGPT",
"chatgpt",
Icons.Filled.Cloud,
R.string.bottom_nav_item_chatgpt)
} |
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/nav/Page.kt | 724135306 | package com.rfid.hack277.nav
sealed class Page(
val title: String,
val route: String
) {
object corePage: Page(
"Food Security App",
"core-page"
)
} |
CMPE-277-HACKATHON/Frontend/app/src/main/java/com/rfid/hack277/nav/Chart.kt | 3096491691 | package com.rfid.hack277.nav
import androidx.navigation.NamedNavArgument
import androidx.navigation.NavArgument
import androidx.navigation.navArgument
import com.rfid.hack277.ui.Category
import com.rfid.hack277.ui.Option
import com.rfid.hack277.ui.categoryMap
sealed class Chart(
val route: String,
val arguments: List<NamedNavArgument>
) {
object Macroeconomic : Chart(
"macroeconomic-chart/{category}?${getOptionsList(Category.MACROECONOMIC)}",
getNavArgsList(Category.MACROECONOMIC)
)
object Agriculture : Chart(
"agriculture-chart/{category}?${getOptionsList(Category.AGRICULTURE)}",
getNavArgsList(Category.AGRICULTURE)
)
object Trade : Chart(
"trade-chart/{category}?${getOptionsList(Category.TRADE)}",
getNavArgsList(Category.TRADE)
)
}
private fun getOptionsList(category: Category): String =
categoryMap[category]!!.keys.joinToString("&") { "${it.name}={${it.name}}" }
private fun getNavArgsList(category: Category): List<NamedNavArgument> =
categoryMap[category]!!.keys.map {
navArgument(it.name) { defaultValue = "" }
}
fun getOptionKeySetForCategory(category: Category) = categoryMap[category]!!.keys
|
a74/src/main/kotlin/Solution.kt | 3202624614 | /**
* 2<=id_list<=1000 ์ด์ฉ์ ์์ด๋ ๊ฐ ๋ด๊ธด ๋ฌธ์์ด ๋ฐฐ์ด
* 1<=report<=200,000 ๊ฐ ์ด์ฉ์ ๊ฐ ์ ๊ณ ํ ์ด์ฉ์ ID ์ ๋ณด ๊ฐ ๋ด๊ธด ๋ฌธ์์ด ๋ฐฐ์ด
* k : ์ ์ง ๊ธฐ์ค๋๋ ์ ๊ณ ํ์
* ๊ฐ ์ ์ ๋ณ๋ก ์ฒ๋ฆฌ ๊ฒฐ๊ณผ ,๋ฉ์ผ์ ๋ฐ์ ํ์๋ฅผ ๋ฐฐ์ด๋ก return
*/
class Solution {
fun solution(id_list: Array<String>, report: Array<String>, k: Int): IntArray {
var answer: IntArray = intArrayOf()
var id = id_list.toList()
var reportMaps = mutableMapOf<String,Int>()
var resultMaps = mutableMapOf<String,Int>()
var checkReport = listOf<String>()
//Maps ์ด๊ธฐํ
for(i in id.indices){
reportMaps.put(id[i],0)
resultMaps.put(id[i],0)
}
// ์ ๊ณ ๊ฐฏ์ ํ์
ํ๊ธฐ
for(i in report.indices){
checkReport = report[i].split(" ")
//checkReport[0] ์ ๊ณ ์ checkReport[1] ์ ์ ๋์
reportMaps.replace(checkReport[1], reportMaps.get(checkReport[1])?.plus(1)!!)
}
// ์ผ์ ๊ฐ ๋์ผ๋ฉด ํด๋น๋๋ ์ฌ๋์๊ฒ ๋ณด๋ผ๋ฉ์ธ์ง๋ฅผ ๊ณ์ฐ
var result = reportMaps.filter{it.value>=k}.map{it.key}
for(i in report.indices){
checkReport = report[i].split(" ")
if(result.contains(checkReport[1])){
resultMaps.put(checkReport[0],resultMaps.get(checkReport[0])?.plus(1)!!)
}
}
return answer
}
}
fun main(){
var a = Solution()
a.solution(arrayOf("muzi", "frodo", "apeach", "neo"), arrayOf("muzi frodo","apeach frodo","frodo neo","muzi neo","apeach muzi"),2)
//[2,1,1,0]
a.solution(arrayOf("con", "ryan"), arrayOf("ryan con", "ryan con", "ryan con", "ryan con"),3)
//[0]
} |
ContactsApp_Firebase/app/src/androidTest/java/com/example/contactsapp/ExampleInstrumentedTest.kt | 2207377162 | package com.example.contactsapp
import androidx.test.platform.app.InstrumentationRegistry
import androidx.test.ext.junit.runners.AndroidJUnit4
import org.junit.Test
import org.junit.runner.RunWith
import org.junit.Assert.*
/**
* Instrumented test, which will execute on an Android device.
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
@RunWith(AndroidJUnit4::class)
class ExampleInstrumentedTest {
@Test
fun useAppContext() {
// Context of the app under test.
val appContext = InstrumentationRegistry.getInstrumentation().targetContext
assertEquals("com.example.contactsapp", appContext.packageName)
}
} |
ContactsApp_Firebase/app/src/test/java/com/example/contactsapp/ExampleUnitTest.kt | 70594236 | package com.example.contactsapp
import org.junit.Test
import org.junit.Assert.*
/**
* Example local unit test, which will execute on the development machine (host).
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
class ExampleUnitTest {
@Test
fun addition_isCorrect() {
assertEquals(4, 2 + 2)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/viewmodel/ContactDetailViewModel.kt | 420394383 | package com.example.contactsapp.ui.viewmodel
import androidx.lifecycle.ViewModel
import com.example.contactsapp.data.datasource.ContactsDataSource
import com.example.contactsapp.data.repo.ContactsRepository
import dagger.hilt.android.lifecycle.HiltViewModel
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.launch
import javax.inject.Inject
@HiltViewModel
class ContactDetailViewModel @Inject constructor(var crepo: ContactsRepository) : ViewModel() {
fun update(contact_id: String , contact_name: String, contact_number: String) {
crepo.update(contact_id,contact_name,contact_number)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/viewmodel/ContactRegisterViewModel.kt | 3642180868 | package com.example.contactsapp.ui.viewmodel
import androidx.lifecycle.ViewModel
import com.example.contactsapp.data.datasource.ContactsDataSource
import com.example.contactsapp.data.repo.ContactsRepository
import dagger.hilt.android.lifecycle.HiltViewModel
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.launch
import javax.inject.Inject
@HiltViewModel
class ContactRegisterViewModel @Inject constructor(var crepo: ContactsRepository): ViewModel() {
fun save(contact_name: String, contact_number: String) {
crepo.save(contact_name, contact_number)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/viewmodel/HomepageViewModel.kt | 1271094565 | package com.example.contactsapp.ui.viewmodel
import androidx.lifecycle.MutableLiveData
import androidx.lifecycle.ViewModel
import com.example.contactsapp.data.datasource.ContactsDataSource
import com.example.contactsapp.data.entity.Contacts
import com.example.contactsapp.data.repo.ContactsRepository
import dagger.hilt.android.lifecycle.HiltViewModel
import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.launch
import javax.inject.Inject
@HiltViewModel
class HomepageViewModel @Inject constructor(var crepo: ContactsRepository) : ViewModel() {
var contactList = MutableLiveData<List<Contacts>>()
init {
loadContacts()
}
fun delete(contact_id:String) {
crepo.delete(contact_id)
}
fun loadContacts() {
contactList = crepo.loadContacts()
}
fun search(searchWord: String) {
contactList = crepo.search(searchWord)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/adapter/ContactsAdapter.kt | 843925044 | package com.example.contactsapp.ui.adapter
import android.content.Context
import android.util.Log
import android.view.LayoutInflater
import android.view.ViewGroup
import androidx.databinding.DataBinderMapper
import androidx.databinding.DataBindingUtil
import androidx.navigation.Navigation
import androidx.recyclerview.widget.RecyclerView
import com.example.contactsapp.R
import com.example.contactsapp.data.entity.Contacts
import com.example.contactsapp.databinding.CardDesignBinding
import com.example.contactsapp.databinding.FragmentHomePageBinding
import com.example.contactsapp.ui.fragment.HomePageFragmentDirections
import com.example.contactsapp.ui.viewmodel.HomepageViewModel
import com.example.contactsapp.util.doNavigation
import com.google.android.material.snackbar.Snackbar
class ContactsAdapter(var mContext: Context, var contactList:List<Contacts>, var viewModel: HomepageViewModel)
: RecyclerView.Adapter<ContactsAdapter.CardDesignHolder>() {
inner class CardDesignHolder(var design:CardDesignBinding) : RecyclerView.ViewHolder(design.root)
override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): CardDesignHolder {
val binding: CardDesignBinding = DataBindingUtil.inflate(LayoutInflater.from(mContext),
R.layout.card_design, parent, false)
return CardDesignHolder(binding)
}
override fun onBindViewHolder(holder: CardDesignHolder, position: Int) {
val contact = contactList.get(position)
val t = holder.design
t.contactObject = contact
t.textViewContactName.text = contact.contact_name
t.textViewContactNumber.text = contact.contact_number
t.cardViewRow.setOnClickListener {
val navigate = HomePageFragmentDirections.contactDetailNavigate(contact = contact)
Navigation.doNavigation(it, navigate)
}
t.imageViewDelete.setOnClickListener {
Snackbar.make(it, "${contact.contact_name} will removed, are you sure?", Snackbar.LENGTH_SHORT)
.setAction("YES") {
viewModel.delete(contact.contact_id!!)
}
.show()
}
}
override fun getItemCount(): Int {
return contactList.size
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/fragment/ContactRegisterFragment.kt | 2976715286 | package com.example.contactsapp.ui.fragment
import android.os.Bundle
import android.util.Log
import androidx.fragment.app.Fragment
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import androidx.databinding.DataBindingUtil
import androidx.fragment.app.viewModels
import com.example.contactsapp.R
import com.example.contactsapp.databinding.FragmentContactRegisterBinding
import com.example.contactsapp.ui.viewmodel.ContactRegisterViewModel
import dagger.hilt.android.AndroidEntryPoint
@AndroidEntryPoint
class ContactRegisterFragment : Fragment() {
private lateinit var binding: FragmentContactRegisterBinding
private lateinit var viewModel: ContactRegisterViewModel
override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? {
binding = DataBindingUtil.inflate(inflater, R.layout.fragment_contact_register, container, false)
binding.contactRegisterFragment = this
binding.contactRegisterToolbarTitle = "Contact Register"
return binding.root
}
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
val tempViewModel:ContactRegisterViewModel by viewModels()
viewModel = tempViewModel
}
fun buttonSave(contact_name: String, contact_number: String) {
viewModel.save(contact_name, contact_number)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/fragment/HomePageFragment.kt | 3967020787 | package com.example.contactsapp.ui.fragment
import android.os.Bundle
import android.util.Log
import androidx.fragment.app.Fragment
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import android.widget.SearchView
import androidx.databinding.DataBindingUtil
import androidx.fragment.app.viewModels
import androidx.navigation.Navigation
import androidx.recyclerview.widget.LinearLayoutManager
import androidx.recyclerview.widget.StaggeredGridLayoutManager
import com.example.contactsapp.R
import com.example.contactsapp.data.entity.Contacts
import com.example.contactsapp.databinding.FragmentHomePageBinding
import com.example.contactsapp.ui.adapter.ContactsAdapter
import com.example.contactsapp.ui.viewmodel.ContactDetailViewModel
import com.example.contactsapp.ui.viewmodel.HomepageViewModel
import com.example.contactsapp.util.doNavigation
import dagger.hilt.android.AndroidEntryPoint
@AndroidEntryPoint
class HomePageFragment : Fragment() {
private lateinit var binding: FragmentHomePageBinding
private lateinit var viewModel: HomepageViewModel
override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? {
binding = DataBindingUtil.inflate(inflater, R.layout.fragment_home_page, container, false)
binding.homePageFragment = this
binding.homePageToolbarTitle = "Contacts"
binding.rv.layoutManager = LinearLayoutManager(requireContext())
//binding.rv.layoutManager = StaggeredGridLayoutManager(2,StaggeredGridLayoutManager.VERTICAL)
viewModel.contactList.observe(viewLifecycleOwner) {
val contactsAdapter = ContactsAdapter(requireContext(), it, viewModel)
binding.contactAdapter = contactsAdapter
}
binding.searchView.setOnQueryTextListener(object : SearchView.OnQueryTextListener {
override fun onQueryTextSubmit(query: String?): Boolean {
if (query != null) {
viewModel.search(query)
}
return true
}
override fun onQueryTextChange(newText: String?): Boolean {
if (newText != null) {
viewModel.search(newText)
}
return true
}
})
return binding.root
}
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
val tempViewModel: HomepageViewModel by viewModels()
viewModel = tempViewModel
}
fun fabClick(it:View) {
Navigation.doNavigation(it, R.id.contactRegisterNavigate)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/ui/fragment/ContactDetailFragment.kt | 2692227258 | package com.example.contactsapp.ui.fragment
import android.os.Bundle
import android.util.Log
import androidx.fragment.app.Fragment
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import androidx.databinding.DataBindingUtil
import androidx.fragment.app.viewModels
import androidx.navigation.fragment.navArgs
import com.example.contactsapp.R
import com.example.contactsapp.databinding.FragmentContactDetailBinding
import com.example.contactsapp.ui.viewmodel.ContactDetailViewModel
import com.example.contactsapp.ui.viewmodel.ContactRegisterViewModel
import dagger.hilt.android.AndroidEntryPoint
@AndroidEntryPoint
class ContactDetailFragment : Fragment() {
private lateinit var binding: FragmentContactDetailBinding
private lateinit var viewModel: ContactDetailViewModel
override fun onCreateView( inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? {
binding = DataBindingUtil.inflate(inflater,R.layout.fragment_contact_detail, container, false)
binding.contactDetailFragment = this
binding.contactDetailToolbarTitle = "Contact Detail"
val bundle: ContactDetailFragmentArgs by navArgs()
val comerContact = bundle.contact
binding.contactObject = comerContact
return binding.root
}
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
val tempViewModel: ContactDetailViewModel by viewModels()
viewModel = tempViewModel
}
fun buttonUpdate(contact_id:String, contact_name: String, contact_number: String) {
viewModel.update(contact_id, contact_name, contact_number)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/MainActivity.kt | 2628329805 | package com.example.contactsapp
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
import dagger.hilt.android.AndroidEntryPoint
@AndroidEntryPoint
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/di/AppModule.kt | 2013489568 | package com.example.contactsapp.di
import com.example.contactsapp.data.datasource.ContactsDataSource
import com.example.contactsapp.data.repo.ContactsRepository
import com.google.firebase.Firebase
import com.google.firebase.firestore.CollectionReference
import com.google.firebase.firestore.firestore
import dagger.Module
import dagger.Provides
import dagger.hilt.InstallIn
import dagger.hilt.components.SingletonComponent
import javax.inject.Singleton
@Module
@InstallIn(SingletonComponent::class)
class AppModule {
@Provides
@Singleton
fun provideContactsDataSource(collectionContacts:CollectionReference) : ContactsDataSource {
return ContactsDataSource(collectionContacts)
}
@Provides
@Singleton
fun provideContactsRepository(cds: ContactsDataSource) : ContactsRepository {
return ContactsRepository(cds)
}
@Provides
@Singleton
fun provideCollectionReference() : CollectionReference {
return Firebase.firestore.collection("Contacts")
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/di/HiltApplication.kt | 3960888017 | package com.example.contactsapp.di
import android.app.Application
import dagger.hilt.android.HiltAndroidApp
@HiltAndroidApp
class HiltApplication : Application() {
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/util/Extensions.kt | 3162523804 | package com.example.contactsapp.util
import android.view.View
import androidx.navigation.NavDirections
import androidx.navigation.Navigation
fun Navigation.doNavigation(it:View, id:Int) {
findNavController(it).navigate(id)
}
fun Navigation.doNavigation(it:View, id:NavDirections) {
findNavController(it).navigate(id)
}
|
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/data/datasource/ContactsDataSource.kt | 440908636 | package com.example.contactsapp.data.datasource
import android.util.Log
import androidx.lifecycle.MutableLiveData
import com.example.contactsapp.data.entity.Contacts
import com.google.firebase.firestore.CollectionReference
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.withContext
class ContactsDataSource(var collectionContacts: CollectionReference) {
var contactList = MutableLiveData<List<Contacts>>()
fun loadContacts() : MutableLiveData<List<Contacts>> {
collectionContacts.addSnapshotListener { value, error ->
if (value != null) {
val list = ArrayList<Contacts>()
for (d in value.documents) {
val contact = d.toObject(Contacts::class.java)
if(contact != null) {
contact.contact_id = d.id
list.add(contact)
}
}
contactList.value = list
}
}
return contactList
}
fun search(searchWord: String) : MutableLiveData<List<Contacts>> {
collectionContacts.addSnapshotListener { value, error ->
if (value != null) {
val list = ArrayList<Contacts>()
for (d in value.documents) {
val contact = d.toObject(Contacts::class.java)
if(contact != null) {
if(contact.contact_name!!.lowercase().contains(searchWord.lowercase())) {
contact.contact_id = d.id
list.add(contact)
}
}
}
contactList.value = list
}
}
return contactList
}
fun save(contact_name: String, contact_number: String) {
val newContact = Contacts("", contact_name, contact_number)
collectionContacts.document().set(newContact)
}
fun update(contact_id:String, contact_name: String, contact_number: String) {
val updatedContact = HashMap<String, Any>()
updatedContact["contact_name"] = contact_name
updatedContact["contact_number"] = contact_number
collectionContacts.document(contact_id).update(updatedContact)
}
fun delete(contact_id:String) {
collectionContacts.document(contact_id).delete()
}
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/data/entity/Contacts.kt | 687532295 | package com.example.contactsapp.data.entity
import java.io.Serializable
class Contacts(var contact_id:String? = "",
var contact_name:String? = "",
var contact_number: String? = "") : Serializable {
} |
ContactsApp_Firebase/app/src/main/java/com/example/contactsapp/data/repo/ContactsRepository.kt | 2607330179 | package com.example.contactsapp.data.repo
import androidx.lifecycle.MutableLiveData
import com.example.contactsapp.data.datasource.ContactsDataSource
import com.example.contactsapp.data.entity.Contacts
class ContactsRepository(var cds:ContactsDataSource) {
fun save(contact_name: String, contact_number: String) = cds.save(contact_name, contact_number)
fun update(contact_id:String, contact_name: String, contact_number: String) = cds.update(contact_id, contact_name, contact_number)
fun delete(contact_id:String) = cds.delete(contact_id)
fun loadContacts() : MutableLiveData<List<Contacts>> = cds.loadContacts()
fun search(searchWord: String) : MutableLiveData<List<Contacts>> = cds.search(searchWord)
} |
just/app/src/androidTest/java/com/example/aviatickets/ExampleInstrumentedTest.kt | 91970574 | package com.example.aviatickets
import androidx.test.platform.app.InstrumentationRegistry
import androidx.test.ext.junit.runners.AndroidJUnit4
import org.junit.Test
import org.junit.runner.RunWith
import org.junit.Assert.*
/**
* Instrumented test, which will execute on an Android device.
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
@RunWith(AndroidJUnit4::class)
class ExampleInstrumentedTest {
@Test
fun useAppContext() {
// Context of the app under test.
val appContext = InstrumentationRegistry.getInstrumentation().targetContext
assertEquals("com.example.aviatickets", appContext.packageName)
}
} |
just/app/src/test/java/com/example/aviatickets/ExampleUnitTest.kt | 2495463373 | package com.example.aviatickets
import org.junit.Test
import org.junit.Assert.*
/**
* Example local unit test, which will execute on the development machine (host).
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
class ExampleUnitTest {
@Test
fun addition_isCorrect() {
assertEquals(4, 2 + 2)
}
} |
just/app/src/main/java/com/example/aviatickets/activity/MainActivity.kt | 1457783052 | package com.example.aviatickets.activity
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
import com.example.aviatickets.R
import com.example.aviatickets.databinding.ActivityMainBinding
import com.example.aviatickets.fragment.OfferListFragment
class MainActivity : AppCompatActivity() {
private lateinit var binding: ActivityMainBinding
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
binding = ActivityMainBinding.inflate(layoutInflater)
setContentView(binding.root)
supportFragmentManager
.beginTransaction()
.add(R.id.fragment_container_view, OfferListFragment.newInstance())
.commit()
}
} |
just/app/src/main/java/com/example/aviatickets/adapter/OfferListAdapter.kt | 1471910065 | package com.example.aviatickets.adapter
import android.view.LayoutInflater
import android.view.ViewGroup
import androidx.recyclerview.widget.DiffUtil
import androidx.recyclerview.widget.ListAdapter
import androidx.recyclerview.widget.RecyclerView
import com.bumptech.glide.Glide
import com.example.aviatickets.R
import com.example.aviatickets.databinding.ItemOfferBinding
import com.example.aviatickets.model.entity.Offer
class OfferListAdapter : ListAdapter<Offer, OfferListAdapter.ViewHolder>(DiffUtils()) {
private val items: ArrayList<Offer> = arrayListOf()
class DiffUtils: DiffUtil.ItemCallback<Offer>(){
override fun areItemsTheSame(oldItem: Offer, newItem: Offer): Boolean {
return oldItem.id == newItem.id
}
override fun areContentsTheSame(oldItem: Offer, newItem: Offer): Boolean {
return oldItem == newItem
}
}
override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder {
return ViewHolder(
ItemOfferBinding.inflate(
LayoutInflater.from(parent.context),
parent,
false
)
)
}
override fun onBindViewHolder(holder: ViewHolder, position: Int) {
holder.bind(getItem(position))
}
inner class ViewHolder(
private val binding: ItemOfferBinding
) : RecyclerView.ViewHolder(binding.root) {
private val context = binding.root.context
fun bind(offer: Offer) {
val flight = offer.flight
with(binding) {
departureTime.text = flight.departureTimeInfo
arrivalTime.text = flight.arrivalTimeInfo
route.text = context.getString(
R.string.route_fmt,
flight.departureLocation.code,
flight.arrivalLocation.code
)
duration.text = context.getString(
R.string.time_fmt,
getTimeFormat(flight.duration).first.toString(),
getTimeFormat(flight.duration).second.toString()
)
direct.text = context.getString(R.string.direct)
price.text = context.getString(R.string.price_fmt, offer.price.toString())
if(flight.airline.name == "Air Astana"){
Glide.with(itemView.context)
.load("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAASwAAACoCAMAAABt9SM9AAAAwFBMVEX///8kSZqfhlEbRJgMPZUAOpQRP5YgR5kANJIdRZgUQZfu8PVhda5yg7Vpe7EAN5Ops9CLmcE5V6CUoMWbgEYAMZHO0+OXezyWejrIzuFsf7OapsmZfkLW2ugALpBnerHf4u24wNjl4Nd6irkwUZ1QaKjXz8DHu6Xp6/K/xttHYaTx7+uqlWygiFatttKAj7y4qIkAIYyxn3sAKY7g2tDTyrq1pIRBXKLDtp69rpTt6eL19PGljmHTy70AGYqsmHJKGpCmAAAKH0lEQVR4nO2ce2OiOhPGVUAgYvECWusNq7TVXuz21Lpt95x+/2/1JhNugYCo21f3nPn9sSu3kHmcDJMJtlJBEARBEARBEARBEARBEARBEARBEARBEARBEARBEARBEARBEARBEARBEAQ5nJ+3p+7BH8P1Yx/FKslzv+agWKW4GTm1mnNz6m78Cdw/jGqU0cepO/IHcHtZA5xTd+T8uX50Aq1+nrorZw8N7AGXn6fuy5lz4zihVuhYxQSBPeDUvTlvwsDOB+H+j8LWxdXsG7p1jkSBHehv9m5gqymKcfUNPTs/4sAOWu2fvLe0KsXtfUPfzgzI2GNGBwT3OWFiqU+/v3MC3vibb7ALMbBTng9o5MlmYk2+05bGbE7+an3jDUogBHaeNhwyK/RtQtz1b+9dTMfViK6eVCwxsIcx6/2Almbr9rdGLBfG+SnFEgM7dargv68T9ikH48RiJTJ2COyjr+cXZ3Smap1WrFRgH/16hd2vsPv8pjsnFetWHIGJPHTTPyyH/16M/0tuIiUd2IVS39/Mt17kF45ba2u1WKyaQyFNaCwHlGVijzfrzi1/29kucrrgPbWhpathNuF4aq4WHX89a4StLwcqE4usxbv0WnNrS8+ct+4yzc+6TWvVoQebkhswM7ZghpfTvZh0YO+/CodfmGtJLhs0bVsliqnrilI3FoPEkb80yo+GcCJRFNMklqwDvbkWtGQqdbsqziq7rkpMnV6qTqZgi/dDgxkCVYvdJRBmZk00eiJrg6iun7R60NTg/uwYPWiTYZ4ZqtEZVIpIBXYaoVJ56Cs9PnrNXOcbRK/GmO48vj8YYwRiXblKdKI0zFy5Qku6MKvcqvERQtieOztxctXmYhmaktxrJhLWqdhRiraIXc83FNGMgvQwk7HHg/D+mv//Qc9wspPpGbVCJ6pm2xrhXYhuI4rV5GYoqqbWXU/Sh6UWtVSHjqvNWCto21Q1TTWDIOW5SiAM9QXF5Xav6XkK9TTWG2hjEvnnRXh/O7qBqYZeX3lKm2G387RKBXYuVnDosv8AH66ZWJLZtF03Ou1ZzxsPugoR5jcysYjVWs6GvrQXhI5i3tKwCi254WDgU3KyeOr1Wr5hwL4737JM0GprWZbP7+K5qrvqzsbeeLm2TfBPUSzSpAfvxkMTtpS4I0ZsBlEEM0SkGXvtEY590olPH3xr40g9q7Jux85ssdsoYUCSiKVIg1VAd+1Fny+YWuYq2KpXE9eO41iTfRr6rchZGgumlhqeDWIpkbP6ILQbKZI1YyrrYzqwhzELDoI/wbzwgXnbdYGtDI25txts7CuWAHy7Lr92DOHJyJ5UnGd57DI9fPBysaI42IBrSVd6pZ00I0EmsEfDEFYnWKSqvdEPG/ahv8tEUEQL5oNHidVmrqXxjIDFxaopGbs7ktKFHgueFqsCYzinP4IZEZLAHnkWj0/M7Ua3HxDVdqfwQzZg1CCoHiVWS411gM+m5NIdYsFwsj2+kRYLvg1zKzeDJMwIkQX2lGu9M8dzgkrgThO5WEHvjxKLPZ6qdR5wwLOqdvakHWJdJR1EKpbe2W0GRx7YmTS1r4fH0eUbnBWd5Dj3xfY1vAEo8hvE8gZzJQ4pPGaReea0IrEa48HKPEQsasaVkm73OVPhCzzqTRTl5ZKGNce5LCyW9oYWcW2eEh4nVm84VcKWwvhrQlqkZdY+8sRatn3NsDV44O0lFjPDSJlRKQjs/UxN9OP2+eV9U7Aa3WsaWp1mwLpiHinWeG7bdaUathSKNQNVqsRoi9M9qVhLy9XqVF6T5+TlxcoxoyCwZ7XaxXhrM/OI5i6uIHs5WCxvBVMS1tIFPKyiJ/s6mNsQd5qUSyLW0mR+Yaq2u51v9T3ECsyo2+6iKZiRH9j3f12tO6Et61q1y/K7owJ8i7dkdpl5EODjNGg4CeY2yiSRGmXFujCoQKaxbXmV/QJ8aMYwbcbnW064OmBhos2+czN8zB4j1pCZrttBPt4Sxap4VjjP1uI2MmL57CplEeTl0/JirfPNyH0QhglDaQZszUBXwjnGEWKNJ6wlNRxlabGoXG07mKpHc9y0WEN2x2iSxPUpJRY3w5SaUSkYiY9Zta43m5ucImmHjW47ynWPEAvihBYV8bJiUea8gjUJFU2L5SZvuI9nLQrMYNx/5cT49Ejc0JTUcfo12bsOniFGycPFaoChSrQtFYtbWK2Hu1NizdgNE+lYabHADDPHDE5e9jCqPd/+fH554CuFL6Gmo4esiTwMx4Wyw8Vi1axEUSBHLD5Tj6aJKbHWqVlK6WFYaEbIe85YpJ7kBMsTt3wZDP7JqgWt1ofi9kFicXHaqe2MWDDdiyoJKbG4J8UV4dKe1S0yI+IjN9DXHO5YsAb2dgP+NcqMxMK7fIdY0yKxrJRYpT2rS8qIVRDoRzDpgRIN86ifMKGWmpgYPIeLBZPlxOEcsSB7iE6DulNsJLy2k7CxtGe16mKwyxOr8vkil4uXlePi32NNUvzrQX1Nk99lL7EgxiYKfIJYUdb+BE1G1U94FseFLl7KiTKH8p7FzVB3i8XWbYrLynxN55aVlf9OX8tX7qLv5IjUocq8RLmIZEmKRSxucYvPESdhcgARvaqFVt1NYDMqM5fPs1Q934w075KMPliweO6PeBlLvmDRgkmbanm8t0JtYz+x+GRZ9Xn23UiWaHq2ohlby7f5eliclI5dvqPT3ILzNUE8Yx2sXpQv0aTMuMiUaJJ8/MouhQWFmtfAm3KWwiwwQLGJP/VN45gSTRNON+26P7V0I1migdhj8loA0zO+Zspzej1cCuOrQsSoWlNftfco0STNUEQzJGz66UXW1AtZryPpImtl7kLTemRM9CrevhPp9kRsSScTCE6NfxLLo6ZxkbymEyy+BousFZ8rRNvgBRq9/mNcRqxKM2tGwTsUmUDfF2c4b07OTyzG1kQjimnS/pG6ZpBoQUtcvr9w6YYhXzEM8KYTrR62pBrqOrDzbs2X1hWSXVhvu1qdEDVcvq/Mtq4KbZisN+6iG8Y3y2D3j7+s9YRu29Vou5cyo+1Vinitic7lJKV5ZVLmvKHVWHab/mrlW/PhMlFuagx6lNC4Mdvo7XrBNGqpOxM62xuuLcuatyQWLIftdivR7t2sfcXamK6Hg0a8O31/D7aTKzg5ZuTxUwz0iVEHWvV3LRv+t7gXA33/hcvz8QYrYYe8svyvZpN6/51Oqt8fIZo5v07dt/Pj800M9E6QsqJWUq5rkox+9Hbqbp0r2R8NZAsOSEh6qSydoSIC6ffh0bMKSf2EDtUqJPXjzEx5BhEQyqiXmL8X8/mFPyjfg+SfKsBH4k7iMurljrfZkEQZFV2rDJsg0I9O3ZE/gk++iL/zPXgEgPUy2S8sEBk00OOfsSvNx69LFKs8GxQLQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQRAEQZD/Gv8DxRjaL5SIZ5EAAAAASUVORK5CYII=")
.into(airlineImage)
}
else if(flight.airline.name == "FlyArystan"){
Glide.with(itemView.context)
.load("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAOEAAADhCAMAAAAJbSJIAAAA3lBMVEX///+iHzQAHmGhGzGcABudACKhGC+dAB+gEyybABaeACScABqbABecAB2bABSfDyoAAFUAAFeaAA768/QAAFEAG2DfvcHz5efoz9LXrLHasrfAeIHct7u7a3Xw4OL37u+3YWzKkJeqOkqzVmLTparr1tmtQ1LPnKKwTVqmKz7CfoYACFoAFl7kyMzNlp2uR1Xr7fGWAACoMkTHiJC4ZXDCfIW9wc94gJ7k5uxbZYu3u8qJj6nO0tyVm7Ll5+2rsMIPJ2Y/THtLV4IgMGouPXKEi6ZtdZdUXodDT30AAEcBuHK+AAAWnUlEQVR4nO1dZ3viSBIWKNISakC2yCKJaAM24PEE+ybszOze//9Dp1YAdZAQ0MDsPbx3H2ZBYL1UdXWlLgnCDTfccMMNN9xwww033PD/B8uZ1xfr9mCyHI2Wk+5Lrz6vXvueOMIaT5+fKyqEmhJAg0Au6uqkN7eufW/c0LHXUxMoOQwKVPVB/f+HpFB1lwYQcwRL2dzMr31nHFEdTyVCkLmcpvfta9/YYfCsSsPtzZrNZrvZnPXcxnzY2b07nxgUR0Va/VvkOKzPJpqpqzLwzIr3P/R/AFTJlEftsR3yrC0lUldzirn589djbTFRJRkq1N0HFDSg6kq77qBLW0CjLtCKrWszSIXdBhKktI+EqIFCblbzFHkg0+8WmtdmkQhnJqtwH7stSyhpa0dYF+m3wOjP1FR7aWamF5E0B8MF40Oa+Ac6Oi2G+c8ARRpMWS+DP43ifFVkG5bgfj3vDMgBAIAadin7dxEDip19f/hC6HQLCfepQVkvwv7mpefWGy271aq7vZfuStZVoKX8JD5xtBbtrnNtcggNKWH9if2myw4dOvNxWyww9oodtBG6sPfcvr4cu3riXU77o0m3OVvU7SGDaLXeldRkksDfNPrAGF+aEQ5HTDOgoqgoEEJZlQxTnDQX9pDYB1pdk3LCI5ho6x8WcurympuHbaQvpzhbj6ssSbluz44LtDMW1YTvkBGzrpbT4PVWY72Sld+OqGd9DHWwiAW99op2UBG0ruALMScWr0VxbB5MMIQX9BZHvdqW45ThveVyBoo0RgryDa6jqO7RBAOWoCi1G+GtuyybI069d+qIvDa5BkH7NII+NFkaNPxvszaMJa3WvYXq22qpcXmCw8PXIBOKbDZ9dbXp/VFUvNf7iLmoXZyg5QW3EHj7gK7rUgjvXypIigxTAI0+EpE1oVaj6r2+9vej4sUzHO1Rd9Zz7fmw2omsgNWpDm13PRCNVG+FBVGGaGNfk4ovrjyfyeftG9Y/Bp3Wy6FiRBxdjw1J0agJtSCEBNdm5aE6d3vtwQrq+sEyDDjm5kJNx3UctgUncAuN6zrh1dZ6CY2iFxodvgpjHM2N4BC7vyR0DP8fxeul4Sx7ljPl/dmZLIByrYpTVG0rYChfK0PV6qoqPEFuBERzMTQwzs1gQ7wSw2HTlI9ZcmlQ2614dkrMDdXg9SskxFt9gzc9BNhdxyMy2Av+Sxpemp+rqVyWHg1tMGGovXlh57shyvwWHwmlT7/me+GXQ22VFLUGd4iSayi9BlBqbb+kFc/7A3HNZHy5dslMuNU2k/iJGiia0qg9G7v1RqNRdxezTV81pbTNRDGXY9uuN+VUrZcvaGhsOSm3BnWtO57TyTFr2FpPYIKnA/uRCbH7jBR/hMLllmE7ISyEhdUi1dw59bYqUXkn0I5d0kjMvWntxO/ljGoOMMUng3UWv3G46OP+gTbA3mcWoxCMWsI38oats9aKqObq9LVWtWY3xr31rNn20HxZ9xauXXPm636MohnpdBSDUQGUD6V/IYJjZlwPRDzF4C27Rbuv6npRRXUKCDUPEIYRs6zEajEwsJD2qKDrcOMnbeositKF7MzaYPxxxezFLnEazb4uyfvKEhECZ/PFRJohanJh4ylji6Z4KRE2WaZOXW7zu51WG+jyQW6474rFUlqaMaoxUlzmZTy2F5W+Q7GyiOi5yyO8cJ/hIL62FXPQaRG6Ai+z268l+gYVEJq41oTqdMoEFYW1xPaqmeM1/pJ8kfDeLdD3p019S9jpwWOdcDD2DBOllGBEFIaN2fkJzhlWFC7RO9VmcvloLxTvKzr0b0d9H1TOvRI7jEgCoky79XJofwIObz+0GNpBc66cOcTv01roS3Csn8TPU0hvq2F6SRQqDKeCH3q0L6WsPB9sleBjHULRElbZlPycUhzSezCqd61NDkE+XAvNjHpgns83XdFMKkNrdLoA/W/q1LOpqefenyuCGtNUivUhrySbsqwm9zrgCPoz+MOinTWtbVe4pWnAop/1u8D6LAxn9DKZ9rL+7FkAV5kvrZxjKXbovV7sn7hHHAIxbgTE3BkYvjDYnC+RSP+p0UaUdvHKGZxwi+FwXwJbyWmbYXWR22Yv+evpOKMpJ28QnqbI4gDIIUlFH3SEBgxNN389PaIeKMKivuyNs9sPhtaL/WFjGUVkWqUhWAMzyBvw1tP5oUoqQmOFWoEaGfMY/k2vaYGLcs2LqgdFSUaNcc/oVppT/yuLfLeM9mH7uiLlFihcrY4YCQFPGGy5qnSI6KHiohsYNnovs3GQKQmdH7nPs4P4IM9MKwyCUvSY2VKraGPmx5SJ39pFQcf1sdaPfjVF4ueEz5miYEMxu0GY2lmyBTh12FEEcIUmU1UA1nepxK4xX3gxZPgzSVBXoR1vMLPGOThCnZQxbNlWLIGxEBE0uNsbXEyduJ1YyLy3K4YbfqTNSqp6BAfCIi5aDY7C74Yztlvh/wrbXF6VcK00jUteo5q1OQ9Ei9+Zsu8VToRa/MuKXTv6p2QRCUUM6iTI+1MmTzR55MFbGQ2NES2LVkJQDJeCFU8Vm64Q7SYqEn6KIx9qx5TWpgqHDnDG8mB5ANsUyiwhqaRMBWwRej9/FNhrKN2TbtDUfo0tZf30JOOS+lqpO6IoFqJuJbq3MIAod4R6TEye2KxwWQXdv/TfwaCYkxrzR1A3pzIkRajJ9pxiEaVPOglL0JPxXOjEwmiUJLXDG64ge9HY6zgp+oR1eigHBqn3vxcdwixKXcuiLGVEcCgnCULueUoW01GUyg8cerGAPlzNkjBN+HJ4WmKjhuUvRORGDUiTZobuhZ3YvaCMUGU1zti73D+ypviFmY54Srh5GkXMlCpoA6L0SQ33q5RzCaa3kcRJoK5Y38UEK7QROCf2/MFTaovx2BCuPJNgkcsddoMrU9r2UVZ7gf1UvvUsiqbvdjbYZy0OoXiCFGObRbCkSSdOFMOfIpkgusTCtjvR/9Gfp74FTvCADqN4/FGFnR8hd9F/UyYhTCmknSxBvegLLE/gN+ALvkPi5LiktMDRm0Y3WiFy0M3SJu4Hvuwl6CcdiERIMXKak63TgVCPDYojPyIkSDq/YtBczmyeiAA8d6dFrN6oj5Ld2XEUzCMDxtDViJSArKCovrNmp96nLNAOFwicvHWWbTAjxOfjGAaRd7SQybxi0A/JqEvFgDoKqRRF0MG12NmYEzZEEUGTj40zfIZatN+45HJC38oqDsevmbPcaihgJyvEESNwyIjlSsytNu6x4TDSUlGJPk3chr9xswpv8eSgyfhlvIVYE5y4YOH8WIUVR6cFiWgBFaO81pDYuWTU6tVlpfzVbROzghS8R13jRfVY2RzUa8eegxONk5oWPYaV7TkOMlZENsRl9dhAZ5tXgmsmw5yCm1dRE+ZHV+tA9wSGG6242P4HkbJBN886oKdMrZ1AfKtZp6NGkfDfZVeoHd0Xf/Rm6GFW3P0+DqGkxpCZWUAR7W5t+mcknP0aKELUuXqsf3NCfX8Bd/8m7AWyMy+Moo3uCLEDIX5TF6tVhYRfjOgeWeY6oY1/HEvY4bnOHFgILOugNzDJBu3nWU6bmui3cAvH9QYcP7QnvssQ2TB9yNJRdAwybkRAkETNcCQ6yNd0BvTwqAzQTsxl+CCXIWB1aPgzAuI6GVXC3MreGw+bZOerI6bAgF7KnWcFkTn1HC9GOy1yVPFtMzr46fTTxrv4gKEg7GXh0LNwJo/pIMSmBhqskh9a8XiNZXfgrJEr7hHONm/m9KZm4igtBtQF+54Pw4YwNDZDR/12c/z1wLULYA+M9C5buKu2VBuzSQ6okgr3F9k59RERTT0io3Lqs7EJNxvE09LVcT+1lZistliWJdT3OTuKwqcKReoM48/KyIGhCoE6rkJVd6kn94uJJu2fDJVUT4DXSKksPSdFdCEd6kmka9xpdI3E0z9gSh1otropI2IUyKnizehUJuEfn2OV46BG977abTmBpKgvKY4tkCRGOOU1ZMnZ38fmnyZnGSA0TGBGu45222DXARR95RL3bc0qTI4qj60+wHC/lvpbH2u+XM7vsFFHs/rcwYyCVe/rTEGKQJ+McaNTbdP95EqFyzaRlaHmp6tS2n0VCFTdBP3By6JRixZPbWOylVUBkrnqNmOGp7rGFRuaE57HMPYzDFzQyf6pkAr0qBpg1XR9zfWEk/QZUdEMTEp2G+oygJoGgaS2+Ta4Vfcm34MkaMamdHT73l0ak7EnBmeS8vMViBXp2It1s9lzuffv7d8tJH+JHZg0U4CR61U9pzdR9KHv7px/juLetpMgWD48LShCc2Rbg8T1G3jVnefeuc8B71tgQUHpCIYeFDVXZzdF5cJklvf3VXlxXo4JTUu7u+z6lzH70/ZDBCtmmR4hCMC8uBoU13FdHXIeqMjorME4h2etD2xlzIIwAEPaAY2J6xPr1MaTZ87GhnbHwCxuOEOGjNzoqVACv8X2rbm3TRqmaRpFoHCfyEOaGm2CpW5CLc3aRHUIjGD9kT0S3Ke5UClvC+tFCS1NpsaRAyGHI+uIU44qbxnWcN9bbRB+TphaPWVMVAK0sHxZw5OSRe6bPqamKDNWw8L5YMc/pCGVCQXQQ0Lk8A7wUWcGdycAMyLSnExYhD9p7bTjQmK3ZfcGsi7H++C304Wwpp0T5rclbKzxKr6fksGtCgx95OOLnT4UtT1Ew9Gaud0TIsC2y7K1a204ZQbfl7vH/Le//vr2gXg9ltf3Awm8pqSEGS/3VGuqGUHV0xmvjEBtlF2c62wHj5gnGJrP5XuExzzxem1nO/2ZTUTVzAzXxQG97wnwvLjAfDpr4BfR5dhdrE0/Xxw0+ByJj6W8j/IX4o2tbxr8qATDSE1Z2f5DIarTsNhSRyeedGzw8BoUpOfTDs6UA4b5u//gr2+LTUG02yCSv1EpLikMOWiBisXoYR4NEZCbe5UcKX0ovt0HDB9/EG9EboXupw/IrJMcptTmCZWmSQ4CkGEuVsTRGISi6z1zzMf4+P0YCrH0FX8j8lgCac2J2sxWiGRzWITm2G7MRqoOMlZetEpYU3J4Hzp8j9T0vkxow9q3ZErQQkTlbmCUwU/oANIg3NhohM2sXylmGgAKpuc5oP4Wmpp8/uET8ZZ/72FQ2qHHyIT34yQWfTW5svEXVW3chfr+cShi5SwzP57uIob5u8/4W76xCSu79L4giqHMqVGycZIqeAmclKE7MIv7NBZMzzG65ed9fqunT/hbM7CLW+hD5v7hCYT0s95Qn46jBwatV4V0USqVMwy6fn3YCpGypytl6ycyAvrt9DXWQKIYRKBvoiVWdUfp43sM/qebP5e3DPOld/y9jrr16umGNW/LiO7mJWV+ng9Nn24b7jruKK20LXOfyP5U2jHM373hb84rUZaWmQiXIynO9iaRRSDvcktO2qAiv42eK/663zG8J/3T8bZblamJIFqLWVqAYWWzq8DYg0JSdKnlOGfWvjzEhPjwN/HutuTZZe5pWi68aTvh8TP41eZgt+c5zaSJRYrIl+JbXE2ppbhFQt5JjI7NZWtVU4zRLhKy1kX2Z4JH6/DDw32c4h0ZKka3k1TNUEfh+tpkOk6hGMudHK01u+Cm8Z279xpX0/z93Uf2ZYnlQiVqOUie14lfXxjs1mNnU2DZVcB1wCeupp61YatIShs7gIHn0xnomfxsxYw996jGfGaJ7jJv4kg8Ymqaf/zJvow6yraDKCtBONXK0PWDAM1YkNRjHTap8HTgfmFqyjCoAZJ9bJ8jXPhyWVeylTNAbmdyhgwrpayYN3EcPt7hDPPl38zr0ud0iaDgF6Or3YRyPXl9/BGWG9orknmGwt8fCYqlV9ZlZK6dgiblep5yDQfZOEKw64Zd0Kuc59jyz6U8SfEX67r9z9MRvVCiNxScdqbHP8aPF9CzWrmObiFsTSLFWYbcGpqD3bTnvUzHf6C43Tjon4/sXDgF72WSYYKiJtfgcZKyPGqOMl1qbpPcFEXIczhNmRJivsQ0N/2shV8xa2Vq1+3nkqG0zpHhF1qI+TJr07D4DzcD/cikNInNVOU5H5IhxPzDd9aVk+PGZaVg97BV4uwY16ciMVai593kWT5qm+cMPh8KCB2YIVFWlhl//mjQ5hRRLLMijTqPSZ8YRDmUIlF0lXimUOk9EeH+jizZIDh93k0KIgx2BiJGA1yf2kk5NqG9+cFyLca8nzqjhOeZ1qzOHU6gvNNIUx/fGFd32tk8s8wID5ngjZGcH8fCNDa+pjL9m6zeZ1aoQWkGb6qrcGUo/GTrqaep31hiFIab06ZfEwgG6uOJWc4PDfpPgp4iMTJ9OKG6BvwekxREhHgfvcE5sfg1kWL+4fEz+zOtSeH4Me04/DlZ+NFA7o00vxOWIhJj6Z+EFFV1vDL5PI3N3+Cxpk7+rUKJS9HD493vp4SPOYvVnpNc2RgiIWKpZ95aKghPTNdmq6p3v5I4ClV3Ukh6dBIDzElawZG/+Dsmb4Ko/SSNYv6hlMxRsOwmkLKJUhww0hbBoXGsR5pn/BThLdnahHL8nbAefQzHSyPLfHO5XmOc4QILvFKpnGVs+Yc9FD2OfzO3xwhIlPvL9rrl0INEUF/EgHG2+NIU84+lb+/JyoqwX5Re7FeltxkZbwcEXDPfcYqpaxHhvlz6lFDCiWC12lLaMz3NmlClnsqnd4T4+uQaPcXxVk7ZNHaCfPiVqq0e5i+KlFjQGdERb06vYpPxuEbAGD4+ZqCYv38offuyj2RtlnS+Up/TWVK9Oo79Igq/I4c0vid7NwTJx9e9ktzQj9ELhSis8Vha78TbWuSzPozldf9i3JIsf/qabngsdyrRgvSDCXzYJ8AayivcPRoMH7IsxpDkY/nu5x59ndMFGz+C72B5i+nsUkqK8PSdmbpJwOND6eHT1zRnwGmShTe/59+NSw0703iBpwK/lzKLMRJl/vVDctDaaeJyDNZZ0gmxaFDjWfH0I+tq3LJ8KJf+eU9UWGcQr/cGrZ1J5XO+ibZEfPjGyoan47FcenhN8gfm01iaouLLe8PeTYoXISigBFW2jYMUZfnvBAPb202/COYSsYdLAd7t0Cn4cgxHJMq7f5gkna0Yw05jVr+VCBmfPBuePI4H62pAku2+RqWPcNgQ63iRetbdnoH3b4fZ1R3J0sMXWpDRNKnwQBN98P1iD5SN4cOPu4ejBHn/cPeJMq7zIP4NM01096p5kUdZknjyBHkcyce77yRHx3dVw1Nw5DBxPvOujsLba/k4kjTHKgrxo8OhxCh6ru1CB+PtNV/K7rLGOX7C16Pjxb8RQ+I5TPr5xyqk4+P7P3flh4NZPhLNq7VKLjqkPcSs6bGTgvniw6+fpdKh9rX8E3PNG4YetdPEw8RTBlzyxdPb+99lJMzsC/PxDhNj8zly02MZNnjuoOlAfPz85cdjqZRZaUtYD0vUCR87ecy5P5gTPGm+fi/fIZ73+wT68BfLk9u2kWvTcw82OQFPb1+/fPrrwRNoquY+lhlxcnSe448mGOHp7fP7649vdx7TEpPpfYmOHzv6v4fgFh/fvr7//n5fpkV6T57NEcJ5/OBMj1c9L54+fvj66+9vwSJNliJq9JNOfljOVfHx8/unvKe5Ps37MnGyWpiKsUbMfzE8o/upjJw+6oRVHyjne4zzpfHx/Ye3Nv/BX1ydp5B2PXz+9F+8geUq8eB58ZScc7zhhhtuuOGGG2644YYbbrjhhhtuuOHfjf8BQMPGtdvqN1gAAAAASUVORK5CYII=")
.into(airlineImage)
}
else{
Glide.with(itemView.context)
.load("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAOEAAADhCAMAAAAJbSJIAAAAn1BMVEX///8AaK8AZq4AZa4AY60AYawAX6sAXKoAWqkAWann7vWDt9mIu9vW4e5po87q8ff2+vx7sdY9hL3G1+hGisCwx98YcLMhdLWXttbB0+bK2upenMpxqdF8pM3g6vONr9IzfrpfksNum8imwNtTk8VNj8MpeLeVtNVxncl9pc21y+JLhr3a5vFjnssAU6agvNmWwN631OhXjMAATaSkyeJFWkEgAAAYOElEQVR4nO09C3uqurIlL6AgAqWggoqKtFZdruXd//+33QRQEwgPxT48X+ecb5+zLWImM5n3TJ6efuEXfuEXfuEXfuEXfuEXeHiZH32E/O30Y/jdS/kMGG6QiiEAQIGYeH9n372eu8NGR0DJAaaGtU7+x3AcAKycwTdcDJEf/fvuVd0RDjq4IIisBNH/AYoTPn/3wu4Fc03hAJhBzqyeow2+e2n3gY0qIKgUGCq+CbTJdy/uHjDiKQggQE6Isv+bGhDo/wNUHOs8fu46hq4ZUxQBjhKoKPjhVeOzehEyMDAcihYKzTXEyj6C7DP/u1fYF1J4IWFgeAjRf0drw3BMC2S44+V3L7EfzAmnJpw1ypkVKa4XnCwA7eO7F9kHZvwh9E0qSKnZBmIPggtpAbG/e5k9wOU0PUhNAFUSB/o6Qrz+QIvvXubt8CEoCsVM4xf6qf1vT3gMFf1xtaIPBFqtX4rP7aOAInhYebo64ZFJTaC9XP60FFBUX79vkb3gQiN2HvUx/7ejcBSV71piP3g90QmGIVTUkfhXhedgsvqeJfaE8ymEXoTQtvTXCadIKLbfssKeMD67FNTGxlWl987zqfqIan8LcyEDEQKmhA1tIijLb1hhT3jWcyFjGFHoOmvJEyNenj6gMzxnkRlmnKVeYjnSsBNPRPR4BnhOQcenWELVkj4y58JTj2edTtSMRZPsMKpj6TND3qgjj6b1qaRkCFIqURxBzUMLznmEZXXy04GAHEEYUH9+XvPQCx+j0h8rnvGi0jPIEPSNNdRqw9uQkzUPZtdMEXDNNYIscNGg6zboYdmUSlBEUfQpggoe1T424NlUfSRputNY0Mk1DZcKHLXhgHEIKkQucX8mjNS16TIU1whAp+HBKacS0fuXra8/uBB5BYq4Mcc0FjzhL1tfb7Dp8SJJjqITNroNvA+lPk4uiho0MDXCDEXrT6MAiTml/0BmzZzA1HTJ2vQgRM1hJt42RdMvWl9/+OtTBJGCqLgBLfKDN2tA8EXr6w+hwdQEJYoL2kwVm9eI2qNoxN0fy/BzD5+KjxbXNuAMt7Znfwy8EmQZAexmqSw5w019FNOUWpsUxTQ/W23x7NVFI6L1o5RnbBGruLAyIsJjy8OT80GEa8f7kvX1BzeACOT5TwXV+YYnGJ50PvDNAH3J+nrDMDKN6JRXw61H6xSPAq4jiar+SBjrIF6fJKT60vb4yaqBnoPrfeUfBQeiXFK87Ws+x74DM9Va9+NHwIYzxBS9le/eTo8jy8GPYZlu+ayS2vr4K1HycA1QHOcxFGLCuQsd0rsvKvTifFNA+BAKccZbmh3CSzsVRV6+KQA9hO19hDyG7XUWQy3LoBYobn+8FzyJxUqS9tiLTaB7Kj+JAdSWPxlH+z9F5SnYwaShQLBv4NxsM32gIP3n4rhJ9mL9ATVp3tq/Zlih4aUKQhDmEgfp0x9p23xAAmEJQYUc2r8Ye4kRGaZjJefqBUTqo8jfBc+uVsYuo2EHBedDEsXYjxOuRgwQ/4eZN/8SIkOwU/gsAHC/ZhV9QgUV0BY/iFV3fmCKFV5nDDvUWAQAJPsKf1NW/TmlUnMNIGctWWO3XATF0HXKIion4/FHkPE5oAwKYimTdsLQB9T5lXIAla8/4DS+alLiXYMh9BVXjiH1TToo1M+FpVa3ts4YKqkZ1L+EuN/KqXYqF6FXYRibtRRkgMDu8xGpg11VxZcx7CBLTVcmZi4AaopVvgBemjm0K4ZxM4IURf2bHOMPXYIg1HwBw/a12Zh/DcKKBLRvkTcrvboSoMa7D/5odrBLbf55tDkoRLJx6uYLMCqBDEHEIkmv/Io7+BZC9olZeSsiYduvR/FDgqC+ZIJdoGFtOdQFhOq2LLxqL9Tyq78exXEVwZP9IRQfdEjrzgQMc83wKpFh6peexV11BerJhpwIkaj2OI1QNaQVtTczpcqpXylRh7iCoH4WKbsrY23CjminT+24akvoX6cX/bKih/jS2CNEEzvUb9eV1CzKKALF+qryxW0lGhNwP20LbQbt+bIDpwGhy/3hvSRvUBSCr7FR/5XjTcQV/i7svd76ujceQ+HYllqkY6PatfEpMNYcS0CRlKSJ4ChorZHBKfcyJKoEoc0dhnRn1Q6xu75gh1hxIr7ytSwut/wpbS+v4GPk5ULNOUdFGLK48Rc0f8eGD5SQQ7DSRsATpYPpnYKGpzlGBTFzIz+/f+jFS0K+x7VCwaenEW88Vw3TsrAQimgrQYvp5c8ocnwIPrszeuZbhsEtSXb0RaOmnLiYlBJoNn/WJBlj1qlY5N4Ux3B93/vcTPgWIz/hO+wlz+wE+SDK2SdbiUSlJpg0skqFBYaRf8ovmqYZfWqL1NjxAeAlg0wF26KqFv+4JCWyC4a6NJ+6JUaRQVWgEviIfKKBamuJwUd+a1qUheCwJmzC0IWlDhq+/LKmvEixTsFYkP23XQPdDFOMPG7xao17uxQ6C4VdyHITQguNoCzk1Jl5RQY1zmnZWmd1M9iUANx6UN0P1QvTj2xKhsBmPEPXqZZ/Vub3w9CBTbzTH/56gsWN6oxEodmHb7uzi+ogrqB72CJKi19OWCUZBAX/w/heKIkwiHjl3ODL2KJ7fPnDoiAu51PxqqXeTLcTlmAMz01E2uf4UYZgjuIG31YUNWdSv5zpdVkh3xcE6u3qlQ4D9/Laz2mqHVp8gg/gBkdGaGK+hL0vDeqXMht+M5rCVpS/+Z//lPKwjeDYN5bzvooBwuJTfpILKZAZCv0WDQLkWUwxlw2Je8CzcLiay+pFNz+QrbFQkyte7DYWTM/FUPEndEYLHkPjdj+JKuCEzFYUxIvKhy10EWNDn9AZrfI/0CATMhAPYpas/ihVMmSDzARd0dDFx2BUGvly74DGSoxNtPCI6F5k212OzmXC5iAwaUsWDQqvuHs9SixUq7WFS4RIPSBPpaLT8xKFt7b5toKpdPehNjNRTLRaTUL5HjXGdtUYOVBtwTRoLYGzxZTNndtPBEnWoT9J0Bd0u2NZNclywj/VXhEuCrs794EJS+uSFBSHQQJprhjxlM54uRlEfdPhC1eA4Ig3mjMnWAg41eSK+We69Mi6wkvbiX4FCEzaqV93LEmQNUKXMZhCPOC+bCoEebsdcVhDtxroJhpL6eF+SPEwFA9Ap+9s2uoPROhSiFqKHtxTmsot6WaYSZLEDdBtKobgW3fclU7QEHipB7et1oaHrpMFBTa9o6vPn6kO+bIcamSN/Hh2dRUWApveratW0EMd8tYFSCtOgRJIPu3s7onS9G76Qqyu6JxNf5URkaxeJOXSnScmizKvQ6VHN5jzrKF1r6OTEJEphaoFd4XHLrzzbgNfxIRg9+9JTiKLrwwqRLxC7AtCD8AbsJGBsN3XbNu2UtGQBZEXJVV5zTuFsMe9Ji+JPs41rD8rEzHPOAxLRLxmfpJgId9L5wsFMl3KKS9Qqv3FhbEwFwMS16xTjDbfaVaIEJJoW81wN/lYjeab6XKxjRWRSwE+PYXEqNLeOy7eN/PDYDBoZTuhuLMltNMVOkb87N1osXegphKCMUIIgrLxfemfEKI+MDSctaJirLqGq6twOz281CN6vNbl6gDC8D+5PT97XfrASQhOjHqXAnKheF7oQy9KI3OfIjaYiA3CRljVlOPbRLqZgjC9U56NDw1KEgaUdlAjiFqJJhXfaT2GfIBOMKGBkeIgNB0X4ktuAmJVT+dVo0WMp9wnfyHM/ittmr066lFhY8NzMloKonHNt0PD0ELYc9YGG+7GfwUglRxfRVIehAhQN0+uDXitJvjV9utWJxBZRRUYasSwNNRMcK58U1kbCoJe1QoCkOjbFYekIPfuNDGTZzxOHY4XKkGILiE2s+sBYGo0ds+UxN6SH59kRQ5zOmriApCoizO7ToShRMpdVL6QACvW+TwHKgTIdUwDoL0RY4B8w2vAsCKihlyaAMQ1rW8XJFXlLScXZ0UA34jvUlzDu3S5+fFy1FieBCWG66fsHJnWOjTXTXGLaleIMAPL8dpbN7QlQ+cSTqcIevcpc+Mzk8yIeA3ydmYQGwXyON5HVNo30UBievJu9drpEBFA+nFwWQ5FcI26BhyaQRjB+fp67oc4DwpQAghR8wp1CTdx/iNQnHYEFdavsp0VYgFkUyfv0zAkSHB4EWXQyH+MnqK2uBqWRq84q7XUItuA4/n3DUulaN6l6wvV/Pi5bzTgMQQQ40qFtjxKPik7igB2jrIC6Jprkjp351JhO5O8SpENlS8+oeYW3k5XkxLL1iX9S/4j2C6PAbVrcfuZTLPhoYmR3p9Li7XkCDkRVWFUTTBND7BKtvPcZC6la2ttq1L5Qf7c83i+JWod4xRbuTYzFMM/d4lFVX8MFCfId4zETahIo+gF8zPD2KV2DLzaDaQwO4rUujgfk7mvVps6LoCK+ajuXbi0giGIz2yZOEaUatp2xdsW8/I5xGoNVNiRe8tslOrSVr0cRS+jonEXq61Kw4t9Rm3jP/FKNJ1sWXtdNyjVTM/miloV05lcgLHBqBjfA8GnKreAk5GFVWVe0XTVlH1nqArdyVIVNwwEbGAhM4Y90yX38A+fS+FNJtGRk3kRSDUkosy+NnPIgyTGa68CgZuBZQQ4NmNIz6JHlr3ZdFRqt4de6MVg72GItY3U7J1el1YTAUijJIPF+Y5PCNlMRs+Is9vN9hD1HHT+XO4gA4oXRtShcKxkJN+9cqjwSqiJvAynJON94K196pGaHi7QpXvi9vCgKvMSkOuzO0egZ9Vq2vemUwgsq43Cek0Rtz3XEPQdxzECwA0PZXheF+HkoTIvgSqglDnWoD5M+dycGHWcNhTrM4n2RjHWmFhRNjyUN2r120Juw6BMDYYgVAhu6s9eNiIAk30rig2pH3v+B8JsDgplVD7ajOMbOHVCyuqYIQiQNm+SXrPmUwiA4beh2JjFmG3/WAmh4hyK02IgvtoVXlXGCUDXSJG2aN6sRb3RnE2YYKPZ2lBsTiZOTMcJvVQp/5B+ZYB/U6VFYK71tGWnJOVrZwRDj2499VvpYWxGsS09v4pDRzKT6Lo5L8eyZckKtzyjdZtiXWJ85sv2TGqmKwjv10i5LBDKrNX/a/md4fGPbIvUK+RNXJH40HP1DpOpZs9V2OW7hRIntswQrCII/FNkDR5tyTeeW8XGiyKbGtPZhrN9ibWbGLd6YiwpwAZ5ocTw/fDf038uF7K4uVx7I5urQrqlWoeVXvRstNiNK2GhCoDiJEkRDg2f0A3kG6VvHzQ/UCSmBY47fHMomarTw2qwEbX0IsOKzD3AicMYQfA95DGqTvAumR7TwZ0aVsQwtWFu0acFbJECnZBaeqkRIZJdVyKGAHoMShhXVDbdsTZGlSAI0x6DYTeEHuGIiQV2L1JRWLASUms97u0YSkZLtIgbu3oGYZ+g60q7pKSg55zMPSG9D/weLt6myqnV5nIeqpF5YSDEtZDNeEFmEThW/p4+FytqYJ8054daQbFpzEtl4IWi9rmNeKJlWsJJ8tviuX7FqSAHe82CkMx5qR/zsqxwtd6ngnOgKsiPfeDm+UWhp7YUbuyDomTOS11G6lAOsIBrrVkBGAUt04ggyy8iRIRrLEvle71QfKoOXSLSozUpW82gV+pqTDW9Y/m5Q2E6e0uUJ6VQQCdVXQsVP0FqvFeinBD3ya9S7wvureKdOEgql3OUkr7I75OvPpSpgyVWeLkmEvZKkc91FlXNi2VBEMOqxVh2tADss6GvZRSrhkQ5Et8PwUV2R6eZZ3DgOsISnbcqsRbo1b5cnq5W6W4o72gvBAvpBsy80Aa6kXQKwrJkOoNes0pFFCEsz0ApFREC0APBQZHxRnsnc5Oo0ysPLlVGQqp9gvQ8o8LEQ5rgLbyVeJT0mDxx0IBSGDGO4yOIvahGPVVtRKz0yFofLmwPs+QbdzLKceo+bcQL9q7cEgW+Y+6TqA5BmacGtA4jzutgw12s5JmuytVvlYKc+u3XgA+YDQUT63x3jBW5DcGBYbVtT93ebogf88j/CcU/Z+lcauAht/eEvWWmPjjfdaBA1JyHlnhrCN++wVnpWKZpUeiY7vlYi0HO203959NU4eCUQQWwrZNCMom4xzT2HTWkXDOATMpBzzwFP59Fs64uNdIKeSIOIghRMacnNfz2Ey0Z5YnQrWSkIhOy/OLeyXL9xRWoYh/drV3guyBXglYUeoHjYsRC72EXO2XEebGnii7teKO68rO0zT4rsULrNKcWFj3u2978nifioBJ7oeUYLMHoBko3dhifI4PgUiKs3rbTuyTLL6b5avJZP2Jni3oTfxxwUUQb+oAyKQmTdL2POhdKzAqRCvzLhJhb73/4S0/IOb+YN9WUstI3vHTsFz4EsqKcAJ6FoBp3lxd2UMh5g8tpUFa9QSSMrRBe8ouZAyi4MTd0g03iE5NRBFFmz4DYQep1ozmOas4DCZ+2gbdcx5LdJEFRzPHZsFpdgUmvtWZmx3MmnCIIqSHqAuZWXB3/yOZcstSUkJlC5Oo4yr846/Uowl9+acitcmUX//PykukHGYIwYvYMcq4/Q9kAdGStxfwiwOhKO25iGNHlQhdtKHYxy4fe1cHzUr+shWpaFzEE6Uf4Jod9pxAFpAaiVBTqZ8h1OE7UOInOXQP0IB6unHhxhtlS49kJsGI6whAE+q25iIhyJeveKF14Agh8634eByoAl0I1/CoMub2iQ2Ny1HkZDK2sRsnZI6rJbrcrX8I0dnC1HRpgbdpVrorHDo9EDJWmu+w5WKWlskKY5GVYLtb6FPA8Dak5Iu9LQdqx29kWm6GpchC4tFND3+BdrVYfogxFz/BuJ2AO/1nyO3mYmeOPOuzefwJCVF0IfUTtRttgrmjlcszsXzFFEaV3KGgdzmuLNwFRj+1Te8WJW28lojZnLF+msnrPwph0IkrFe/R0jmU5+jMhCXlvjMktxPgWWZUOJj2JNf7v7nAkqqxmDeQzTZ2QUCpqce/ZoqOW0j/W0LZ4rWFXe1taItUWlVpC4pcZYfgyOtLX1tbsR4ZPEUTZWUQ9rxOZuR3KU1lDWzD9qGzm7r2SiGKDJarfJ+Q4Gg9ms9lu8HHYbIGq4to+CDZzE0ZOFGa3xSeUmqSD11sHQ1luvgZLRLLOB7pQSs/h82w1jZxKf1g2y2BaZT0AMVE1+h+VENTY5IG8aE+9lajogMqeBfr7bVGI54XklDdiSddJVFVPI8VJVdYqWH4i0w2D6wbJiAhaTkKxyxiV71LU3q9OQtgHw225PKoWoJPVDFcRLAaxyCaNdQPqTWCEHNadzM4i/xctXl1BSHu1VfeWfB0dVgeTSF63WzTrtFRM1gOyLLIMNNbCRhm11F9HhcGxTuKJsBvtHapqQulxQMpCa2Vd6q1JO6zPacRKaqoTAJL8ZZpp6qQsvqZUu0AhUdPNuJGUg8MCaAT7rispNVPy+PDsvbF9hgGSV1dfUsGVBGMX/MimkNYTx4hCV95eRyWeHryvJlVi2oOPf7HGdBBwXSgfWXeqqLQPfnMjFIglxizgkxOyy5uaXojVlDtmu9i1Gvp4AZsgAOPl5vD68TJ5GX+s5ktXUbXUyCULDGU3WFJA8GIETt4bu70k+wvFJP0Edm50oQcsHZVE5fRPmxqj3j8ihMn2bKgEO3NBcXguVzqL3yiXe46X5AptQvyyON+0H+iM6VT3IDHMBmm1cqcNqKphWw+g1F/CisT8HL8rqqSYrQpQlxifz0u9+UBTIwK8f9QJjhW8oqHrkl/ESIkkUgLV5oN3h63WhiXSj3J9PHzzNfkymY3jL1fNanxOunJ6esovRmZkmVU9CFsK5qkEVqgElp1LALCmzBvM/9mI7RBhN0iz6SsQYUw0XVm8jTuoNnujtYn1fIut4oqMorS2jJ/udrBsh+PRMtWyWTFsVAyk/2CmJtmO2r88Gx82y6Mbx+52MZ2vxlcYYPa80uUsAZCc+BJUe5uRvr3Cch8Oxqu3zXRJYboZvU6+4s7yQ/l6dQmGcXH9LyzrGID1xTfeOtoVxlu9QSwDyk6+mR0h4InjMKAK5l9171hPmG1AjXoGgcEMICMF7OyA9eUhNsDk225UvQUmU6hJ+uqp+Rp7YWRkl8W7J7+B2kjq4vUuTctfCoN5zKIDAgWjrM2WRK4SJ1aYZ8WJ5m8eino82OP5VmVDEjK7kU0jKey0hIp3nBlx8ebjQc5ePcw+5stUIZqmOK5OMuPU3f/Byvb9cI0m+vFgD2ez3fjjlcLHeDAcPt6p+4Vf+IVf+IVf+IVf+IVPhP8HLoNvaxs848EAAAAASUVORK5CYII=")
.into(airlineImage)
}
}
}
private fun getTimeFormat(minutes: Int): Pair<Int, Int> = Pair(
first = minutes / 60,
second = minutes % 60
)
}
} |
just/app/src/main/java/com/example/aviatickets/fragment/OfferListFragment.kt | 1621846272 | package com.example.aviatickets.fragment
import android.os.Bundle
import androidx.fragment.app.Fragment
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import android.widget.Toast
import com.example.aviatickets.R
import com.example.aviatickets.adapter.OfferListAdapter
import com.example.aviatickets.databinding.FragmentOfferListBinding
import com.example.aviatickets.model.entity.Offer
import com.example.aviatickets.model.network.ApiClient
import com.example.aviatickets.model.service.FakeService
import retrofit2.Call
import retrofit2.Response
class OfferListFragment : Fragment() {
private var flightOffers: List<Offer> = emptyList()
companion object {
fun newInstance() = OfferListFragment()
}
private var _binding: FragmentOfferListBinding? = null
private val binding
get() = _binding!!
private val adapter: OfferListAdapter by lazy {
OfferListAdapter()
}
override fun onCreateView(
inflater: LayoutInflater, container: ViewGroup?,
savedInstanceState: Bundle?
): View? {
_binding = FragmentOfferListBinding.inflate(layoutInflater, container, false)
return _binding?.root
}
override fun onViewCreated(view: View, savedInstanceState: Bundle?) {
super.onViewCreated(view, savedInstanceState)
setupUI()
ApiClient.apiService.getFlights().enqueue(object : retrofit2.Callback<List<Offer>> {
override fun onResponse(call: Call<List<Offer>>, response: Response<List<Offer>>) {
if (response.isSuccessful) {
flightOffers = response.body() ?: emptyList()
adapter.submitList(flightOffers)
} else {
Toast.makeText(requireContext(), "Something is wrong!", Toast.LENGTH_SHORT).show()
}
}
override fun onFailure(call: Call<List<Offer>>, t: Throwable) {
}
})
}
private fun setupUI() {
with(binding) {
offerList.adapter = adapter
sortRadioGroup.setOnCheckedChangeListener { _, checkedId ->
when (checkedId) {
R.id.sort_by_price -> {
val sortedByPrice = flightOffers.sortedBy { it.price }
adapter.submitList(sortedByPrice.toList())
}
R.id.sort_by_duration -> {
val sortedByDuration = flightOffers.sortedBy { it.flight.duration }
adapter.submitList(sortedByDuration.toList())
}
}
}
}
}
} |
just/app/src/main/java/com/example/aviatickets/model/entity/Location.kt | 263656425 | package com.example.aviatickets.model.entity
import com.google.gson.annotations.SerializedName
data class Location(
@SerializedName("city_name")
val cityName: String,
val code: String
) |
just/app/src/main/java/com/example/aviatickets/model/entity/Offer.kt | 872707810 | package com.example.aviatickets.model.entity
data class Offer(
val id: String,
val price: Int,
val flight: Flight
) |
just/app/src/main/java/com/example/aviatickets/model/entity/Airline.kt | 197109898 | package com.example.aviatickets.model.entity
data class Airline(
val name: String,
val code: String
) |
just/app/src/main/java/com/example/aviatickets/model/entity/Flight.kt | 1571843220 | package com.example.aviatickets.model.entity
import com.google.gson.annotations.SerializedName
data class Flight(
@SerializedName("departure_location")
val departureLocation: Location,
@SerializedName("arrival_location")
val arrivalLocation: Location,
@SerializedName("departure_time_info")
val departureTimeInfo: String,
@SerializedName("arrival_time_info")
val arrivalTimeInfo: String,
@SerializedName("flight_number")
val flightNumber: String,
@SerializedName("airline")
val airline: Airline,
@SerializedName("duration")
val duration: Int
) |
just/app/src/main/java/com/example/aviatickets/model/network/ApiService.kt | 2682275851 | package com.example.aviatickets.model.network
import com.example.aviatickets.model.entity.Offer
import retrofit2.Call
import retrofit2.http.GET
interface ApiService {
@GET("offer_list")
fun getFlights(): Call<List<Offer>>
}
|
just/app/src/main/java/com/example/aviatickets/model/network/ApiClient.kt | 2990681043 | package com.example.aviatickets.model.network
import retrofit2.Retrofit
import retrofit2.converter.gson.GsonConverterFactory
object ApiClient {
private val retrofit = Retrofit.Builder()
.baseUrl("https://my-json-server.typicode.com/estharossa/fake-api-demo/")
.addConverterFactory(GsonConverterFactory.create())
.build()
val apiService: ApiService by lazy {
retrofit.create(ApiService::class.java)
}
} |
just/app/src/main/java/com/example/aviatickets/model/service/FakeService.kt | 3729211622 | package com.example.aviatickets.model.service
import com.example.aviatickets.model.entity.Airline
import com.example.aviatickets.model.entity.Flight
import com.example.aviatickets.model.entity.Location
import com.example.aviatickets.model.entity.Offer
import java.util.UUID
object FakeService {
val offerList = listOf(
Offer(
id = UUID.randomUUID().toString(),
price = 24550,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "20:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "22-30",
flightNumber = "981",
airline = Airline(
name = "Air Astana",
code = "KC"
),
duration = 120
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 16250,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "16:00",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "18-00",
flightNumber = "991",
airline = Airline(
name = "Air Astana",
code = "KC"
),
duration = 120
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 8990,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "09:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "11-10",
flightNumber = "445",
airline = Airline(
name = "FlyArystan",
code = "KC"
),
duration = 100
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 14440,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "14:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "16-00",
flightNumber = "223",
airline = Airline(
name = "SCAT Airlines",
code = "DV"
),
duration = 90
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 15100,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "18:00",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "20:15",
flightNumber = "171",
airline = Airline(
name = "QazaqAir",
code = "IQ"
),
duration = 135
)
)
)
} |
kotlin-native-practice-001/src/nativeMain/kotlin/Main.kt | 2767350267 | import kotlinx.cinterop.ExperimentalForeignApi
import kotlinx.cinterop.refTo
import kotlinx.cinterop.toKString
import platform.posix.fgets
import platform.posix.pclose
import platform.posix.popen
fun main() {
val tmuxPanes = getTmuxPanes()
val activeTmuxPane = getActiveTmuxPane()
val widestTmuxPane = tmuxPanes?.maxBy { it.width }
"Tmux Panes: $tmuxPanes".println()
"Active Pane: $activeTmuxPane".println()
"Widest Pane: $widestTmuxPane".println()
if(widestTmuxPane != null && activeTmuxPane != widestTmuxPane.paneId && tmuxPanes.size > 1) {
"Swapping ${widestTmuxPane.paneId} and $activeTmuxPane".println()
tmuxSwitchPane(widestTmuxPane.paneId, activeTmuxPane)
}
}
@OptIn(ExperimentalForeignApi::class)
fun executeCommand(
command: String,
trim: Boolean = true,
redirectStderr: Boolean = true,
): String {
val commandToExecute = if (redirectStderr) "$command 2>&1" else command
val fp = popen(commandToExecute, "r") ?: error("Failed to run command: $command")
val stdout = buildString {
val buffer = ByteArray(4096)
while (true) {
val input = fgets(buffer.refTo(0), buffer.size, fp) ?: break
append(input.toKString())
}
}
val status = pclose(fp)
if (status != 0) {
error("Command `$command` failed with status $status${if (redirectStderr) ": $stdout" else ""}")
}
return if (trim) stdout.trim() else stdout
}
fun Any.println() = println(this)
data class TmuxPane(
val paneId: String,
val width: Int
)
fun getTmuxPanes(): List<TmuxPane>? {
return executeCommand(
"tmux list-panes -F '#{pane_index}:#{pane_width}'"
).let {
it.split("\n").map { paneLine ->
with(paneLine.split(":")) {
TmuxPane(get(0), get(1).toInt())
}
}
}
}
fun getActiveTmuxPane(): String {
return executeCommand(
// "tmux display-message -p '#I'"
"tmux display -p '#{pane_index}'"
)
}
fun tmuxSwitchPane(
paneIdOne: String,
paneIdTwo: String,
): String? {
return executeCommand(
"tmux swap-pane -s${paneIdOne} -t${paneIdTwo}"
)
}
|
Prueba_compartida/MyApplication/app/src/androidTest/java/com/example/myapplication/ExampleInstrumentedTest.kt | 1188990709 | package com.example.myapplication
import androidx.test.platform.app.InstrumentationRegistry
import androidx.test.ext.junit.runners.AndroidJUnit4
import org.junit.Test
import org.junit.runner.RunWith
import org.junit.Assert.*
/**
* Instrumented test, which will execute on an Android device.
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
@RunWith(AndroidJUnit4::class)
class ExampleInstrumentedTest {
@Test
fun useAppContext() {
// Context of the app under test.
val appContext = InstrumentationRegistry.getInstrumentation().targetContext
assertEquals("com.example.myapplication", appContext.packageName)
}
} |
Prueba_compartida/MyApplication/app/src/test/java/com/example/myapplication/ExampleUnitTest.kt | 2019423820 | package com.example.myapplication
import org.junit.Test
import org.junit.Assert.*
/**
* Example local unit test, which will execute on the development machine (host).
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
class ExampleUnitTest {
@Test
fun addition_isCorrect() {
assertEquals(4, 2 + 2)
}
} |
Prueba_compartida/MyApplication/app/src/main/java/com/example/myapplication/MainActivity.kt | 3966238622 | package com.example.myapplication
import android.os.Bundle
import androidx.activity.enableEdgeToEdge
import androidx.appcompat.app.AppCompatActivity
import androidx.core.view.ViewCompat
import androidx.core.view.WindowInsetsCompat
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
enableEdgeToEdge()
setContentView(R.layout.activity_main)
ViewCompat.setOnApplyWindowInsetsListener(findViewById(R.id.main)) { v, insets ->
val systemBars = insets.getInsets(WindowInsetsCompat.Type.systemBars())
v.setPadding(systemBars.left, systemBars.top, systemBars.right, systemBars.bottom)
insets
}
}
} |
AndroidMidka/app/src/androidTest/java/com/example/aviatickets/ExampleInstrumentedTest.kt | 91970574 | package com.example.aviatickets
import androidx.test.platform.app.InstrumentationRegistry
import androidx.test.ext.junit.runners.AndroidJUnit4
import org.junit.Test
import org.junit.runner.RunWith
import org.junit.Assert.*
/**
* Instrumented test, which will execute on an Android device.
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
@RunWith(AndroidJUnit4::class)
class ExampleInstrumentedTest {
@Test
fun useAppContext() {
// Context of the app under test.
val appContext = InstrumentationRegistry.getInstrumentation().targetContext
assertEquals("com.example.aviatickets", appContext.packageName)
}
} |
AndroidMidka/app/src/test/java/com/example/aviatickets/ExampleUnitTest.kt | 2495463373 | package com.example.aviatickets
import org.junit.Test
import org.junit.Assert.*
/**
* Example local unit test, which will execute on the development machine (host).
*
* See [testing documentation](http://d.android.com/tools/testing).
*/
class ExampleUnitTest {
@Test
fun addition_isCorrect() {
assertEquals(4, 2 + 2)
}
} |
AndroidMidka/app/src/main/java/com/example/aviatickets/activity/MainActivity.kt | 1457783052 | package com.example.aviatickets.activity
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
import com.example.aviatickets.R
import com.example.aviatickets.databinding.ActivityMainBinding
import com.example.aviatickets.fragment.OfferListFragment
class MainActivity : AppCompatActivity() {
private lateinit var binding: ActivityMainBinding
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
binding = ActivityMainBinding.inflate(layoutInflater)
setContentView(binding.root)
supportFragmentManager
.beginTransaction()
.add(R.id.fragment_container_view, OfferListFragment.newInstance())
.commit()
}
} |
AndroidMidka/app/src/main/java/com/example/aviatickets/adapter/OfferListAdapter.kt | 2327975229 | package com.example.aviatickets.adapter
import android.os.Bundle
import android.view.LayoutInflater
import android.view.ViewGroup
import androidx.recyclerview.widget.DiffUtil
import androidx.recyclerview.widget.RecyclerView
import com.bumptech.glide.Glide
import com.example.aviatickets.R
import com.example.aviatickets.databinding.ItemOfferBinding
import com.example.aviatickets.model.entity.Offer
class OfferListAdapter : RecyclerView.Adapter<OfferListAdapter.ViewHolder>() {
private val items: ArrayList<Offer> = arrayListOf()
fun setItems(offerList: List<Offer>) {
items.clear()
items.addAll(offerList)
notifyDataSetChanged()
}
override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder {
return ViewHolder(
ItemOfferBinding.inflate(
LayoutInflater.from(parent.context),
parent,
false
)
)
}
override fun getItemCount(): Int {
return items.size
}
override fun onBindViewHolder(holder: ViewHolder, position: Int) {
holder.bind(items[position])
}
fun sortByPrice() {
items.sortBy { it.price }
notifyDataSetChanged()
}
fun sortByDuration() {
items.sortBy { it.flight.duration }
notifyDataSetChanged()
}
inner class ViewHolder(
private val binding: ItemOfferBinding
) : RecyclerView.ViewHolder(binding.root) {
private val context = binding.root.context
fun bind(offer: Offer) {
val flight = offer.flight
with(binding) {
Glide.with(itemView)
.load(flight.airline.logoUrl) // Replace with the actual URL or resource identifier
.into(airlineLogoImageView)
departureTime.text = flight.departureTimeInfo
arrivalTime.text = flight.arrivalTimeInfo
route.text = context.getString(
R.string.route_fmt,
flight.departureLocation.code,
flight.arrivalLocation.code
)
duration.text = context.getString(
R.string.time_fmt,
getTimeFormat(flight.duration).first.toString(),
getTimeFormat(flight.duration).second.toString()
)
direct.text = context.getString(R.string.direct)
price.text = context.getString(R.string.price_fmt, offer.price.toString())
}
}
private fun getTimeFormat(minutes: Int): Pair<Int, Int> = Pair(
first = minutes / 60,
second = minutes % 60
)
}
}
class OfferDiffCallback : DiffUtil.ItemCallback<Offer>() {
override fun areItemsTheSame(oldItem: Offer, newItem: Offer): Boolean {
return oldItem.id == newItem.id
}
override fun areContentsTheSame(oldItem: Offer, newItem: Offer): Boolean {
return oldItem == newItem
}
override fun getChangePayload(oldItem: Offer, newItem: Offer): Any? {
val diffBundle = Bundle()
if (oldItem.price != newItem.price) {
diffBundle.putDouble("price", newItem.price.toDouble())
}
if (oldItem.flight.duration != newItem.flight.duration) {
diffBundle.putInt("duration", newItem.flight.duration)
}
return if (diffBundle.isEmpty) null else diffBundle
}
}
|
AndroidMidka/app/src/main/java/com/example/aviatickets/fragment/OfferListFragment.kt | 1867984000 | package com.example.aviatickets.fragment
import android.os.Bundle
import androidx.fragment.app.Fragment
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import android.widget.Toast
import androidx.lifecycle.lifecycleScope
import com.example.aviatickets.R
import com.example.aviatickets.adapter.OfferListAdapter
import com.example.aviatickets.databinding.FragmentOfferListBinding
import com.example.aviatickets.model.entity.Offer
import com.example.aviatickets.model.network.ApiClient
import com.example.aviatickets.model.service.FakeService
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.launch
import retrofit2.HttpException
class OfferListFragment : Fragment() {
companion object {
fun newInstance() = OfferListFragment()
}
private var _binding: FragmentOfferListBinding? = null
private val binding
get() = _binding!!
private val adapter: OfferListAdapter by lazy {
OfferListAdapter()
}
override fun onCreateView(
inflater: LayoutInflater, container: ViewGroup?,
savedInstanceState: Bundle?
): View? {
_binding = FragmentOfferListBinding.inflate(layoutInflater, container, false)
return _binding?.root
}
override fun onViewCreated(view: View, savedInstanceState: Bundle?) {
super.onViewCreated(view, savedInstanceState)
setupUI()
adapter.setItems(FakeService.offerList)
}
private fun setupUI() {
with(binding) {
offerList.adapter = adapter
sortRadioGroup.setOnCheckedChangeListener { _, checkedId ->
when (checkedId) {
R.id.sort_by_price -> {
adapter.sortByPrice()
}
R.id.sort_by_duration -> {
adapter.sortByDuration()
}
}
}
fetchOfferList()
}
}
private fun fetchOfferList() {
lifecycleScope.launch(Dispatchers.IO) {
try {
val response = ApiClient.apiService.getOffers()
if (response.isSuccessful) {
val offerResponse = response.body()
val offerList = offerResponse?.offers ?: emptyList()
updateOfferList(offerList)
} else {
showError("Failed to fetch offers: ${response.errorBody()}")
}
} catch (e: HttpException) {
showError("HTTP error occurred: ${e.message()}")
} catch (e: Throwable) {
showError("An error occurred: ${e.message}")
}
}
}
private fun updateOfferList(offers: List<Offer>) {
requireActivity().runOnUiThread {
adapter.setItems(offers)
}
}
private fun showError(message: String) {
requireActivity().runOnUiThread {
Toast.makeText(requireContext(), message, Toast.LENGTH_SHORT).show()
}
}
override fun onDestroyView() {
super.onDestroyView()
_binding = null
}
}
|
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/Location.kt | 1503829551 | package com.example.aviatickets.model.entity
data class Location(
val cityName: String,
val code: String
) |
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/Offer.kt | 872707810 | package com.example.aviatickets.model.entity
data class Offer(
val id: String,
val price: Int,
val flight: Flight
) |
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/OfferResponse.kt | 4049189158 | package com.example.aviatickets.model.entity
data class OfferResponse(
val offers: List<Offer>
)
|
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/Airline.kt | 1976328334 | package com.example.aviatickets.model.entity
data class Airline(
val name: String,
val code: String
val logoUrl: String
)
|
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/ApiService.kt | 3630993577 | package com.example.aviatickets.model.entity
import retrofit2.Response
import retrofit2.http.GET
interface ApiService {
@GET("offers")
suspend fun getOffers(): Response<OfferResponse>
}
|
AndroidMidka/app/src/main/java/com/example/aviatickets/model/entity/Flight.kt | 3657800238 | package com.example.aviatickets.model.entity
/**
* think about json deserialization considering its snake_case format
*/
data class Flight(
val departureLocation: Location,
val arrivalLocation: Location,
val departureTimeInfo: String,
val arrivalTimeInfo: String,
val flightNumber: String,
val airline: Airline,
val duration: Int
) |
AndroidMidka/app/src/main/java/com/example/aviatickets/model/network/ApiClient.kt | 1709923541 | package com.example.aviatickets.model.network
import com.example.aviatickets.model.entity.ApiService
import retrofit2.Retrofit
import retrofit2.converter.gson.GsonConverterFactory
object ApiClient {
private val retrofit = Retrofit.Builder()
.baseUrl("YOUR_BASE_URL")
.addConverterFactory(GsonConverterFactory.create())
.build()
val apiService: ApiService = retrofit.create(ApiService::class.java)
}
|
AndroidMidka/app/src/main/java/com/example/aviatickets/model/service/FakeService.kt | 96052179 | package com.example.aviatickets.model.service
import com.example.aviatickets.model.entity.Airline
import com.example.aviatickets.model.entity.Flight
import com.example.aviatickets.model.entity.Location
import com.example.aviatickets.model.entity.Offer
import java.util.UUID
object FakeService {
val offerList = listOf(
Offer(
id = UUID.randomUUID().toString(),
price = 24550,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "20:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "22-30",
flightNumber = "981",
airline = Airline(
name = "Air Astana",
code = "KC",
logoUrl = "https://avatars.mds.yandex.net/i?id=68fbf3d772010d0264b5ac697f097eb93e96dd20-10703102-images-thumbs&n=13"
),
duration = 120
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 16250,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "16:00",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "18-00",
flightNumber = "991",
airline = Airline(
name = "Air Astana",
code = "KC",
logoUrl = "https://avatars.mds.yandex.net/i?id=68fbf3d772010d0264b5ac697f097eb93e96dd20-10703102-images-thumbs&n=13"
),
duration = 120
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 8990,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "09:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "11-10",
flightNumber = "445",
airline = Airline(
name = "FlyArystan",
code = "KC",
logoUrl = "https://cdn.nur.kz/images/1200x675/5a2119bb0eb0649f.jpeg?version=1"
),
duration = 100
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 14440,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "14:30",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "16-00",
flightNumber = "223",
airline = Airline(
name = "SCAT Airlines",
code = "DV",
logoUrl = "https://avatars.mds.yandex.net/i?id=f6f32c04264e74d71cc7c3ab4a1341edd4ac8629-12496607-images-thumbs&n=13"
),
duration = 90
)
),
Offer(
id = UUID.randomUUID().toString(),
price = 15100,
flight = Flight(
departureLocation = Location(
cityName = "ะะปะผะฐัั",
code = "ALA"
),
departureTimeInfo = "18:00",
arrivalLocation = Location(
cityName = "ะััะฐะฝะฐ",
code = "NQZ"
),
arrivalTimeInfo = "20:15",
flightNumber = "171",
airline = Airline(
name = "QazaqAir",
code = "IQ",
logoUrl = "https://sun1-17.userapi.com/s/v1/if1/2JcXOGBXu9Ap3EAYoqDexW2yw5FPcBEIlwvvVafpj4SJZqmQriZ0r6B9tpymT15wqnP8Zw.jpg?size=1535x1535&quality=96&crop=0,0,1535,1535&ava=1"
),
duration = 135
)
)
)
}
|
CoApi/spring-boot-starter/src/test/kotlin/me/ahoo/coapi/spring/boot/starter/CoApiPropertiesTest.kt | 2989523101 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import me.ahoo.coapi.spring.client.ClientProperties
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers
import org.hamcrest.Matchers.equalTo
import org.hamcrest.Matchers.sameInstance
import org.junit.jupiter.api.Test
class CoApiPropertiesTest {
@Test
fun getEnabled() {
val properties = CoApiProperties()
assertThat(properties.enabled, equalTo(true))
}
@Test
fun setEnabled() {
val properties = CoApiProperties(false)
properties.enabled = true
assertThat(properties.enabled, equalTo(true))
}
@Test
fun getBasePackages() {
val properties = CoApiProperties()
assertThat(properties.basePackages, Matchers.empty())
}
@Test
fun getFilterIfDefault() {
val properties = CoApiProperties()
assertThat(properties.getFilter("test").names, Matchers.empty())
assertThat(properties.getFilter("test").types, Matchers.empty())
}
@Test
fun getFilter() {
val properties = CoApiProperties(
clients = mutableMapOf(
"test" to ClientDefinition(
reactive = ReactiveClientDefinition(
filter = ClientProperties.FilterDefinition(
listOf("test")
)
)
)
)
)
assertThat(properties.getFilter("test").names, Matchers.hasSize(1))
assertThat(properties.getFilter("test").types, Matchers.empty())
}
@Test
fun getInterceptor() {
val properties = CoApiProperties()
assertThat(properties.getInterceptor("test").names, Matchers.empty())
assertThat(properties.getInterceptor("test").types, Matchers.empty())
}
@Test
fun setClientDefinition() {
val properties = ClientDefinition()
val reactive = ReactiveClientDefinition()
properties.reactive = reactive
assertThat(properties.reactive, sameInstance(reactive))
val sync = SyncClientDefinition()
properties.sync = sync
assertThat(properties.sync, sameInstance(sync))
}
@Test
fun setReactiveClientDefinition() {
val properties = ReactiveClientDefinition()
val filter = ClientProperties.FilterDefinition()
properties.filter = filter
assertThat(properties.filter, sameInstance(filter))
}
@Test
fun setSyncClientDefinition() {
val properties = SyncClientDefinition()
val interceptor = ClientProperties.InterceptorDefinition()
properties.interceptor = interceptor
assertThat(properties.interceptor, sameInstance(interceptor))
}
}
|
CoApi/spring-boot-starter/src/test/kotlin/me/ahoo/coapi/spring/boot/starter/CoApiAutoConfigurationTest.kt | 1439960364 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import io.mockk.mockk
import me.ahoo.coapi.example.consumer.client.GitHubApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterBeanName
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterType
import me.ahoo.coapi.example.provider.client.TodoClient
import me.ahoo.coapi.spring.ClientMode
import me.ahoo.coapi.spring.EnableCoApi
import me.ahoo.coapi.spring.client.reactive.ReactiveHttpExchangeAdapterFactory
import me.ahoo.coapi.spring.client.sync.SyncHttpExchangeAdapterFactory
import org.assertj.core.api.AssertionsForInterfaceTypes
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.equalTo
import org.hamcrest.Matchers.notNullValue
import org.junit.jupiter.api.Test
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.boot.autoconfigure.web.reactive.function.client.WebClientAutoConfiguration
import org.springframework.boot.test.context.runner.ApplicationContextRunner
import org.springframework.cloud.client.loadbalancer.LoadBalancerInterceptor
import org.springframework.cloud.client.loadbalancer.reactive.LoadBalancedExchangeFilterFunction
class CoApiAutoConfigurationTest {
private val filterNamePropertyK = "coapi.clients.ServiceApiClientUseFilterBeanName.reactive.filter.names"
private val filterNameProperty = "$filterNamePropertyK=loadBalancerExchangeFilterFunction"
private val filterTypePropertyK = "coapi.clients.ServiceApiClientUseFilterType.reactive.filter.types"
private val filterTypeProperty =
"$filterTypePropertyK=org.springframework.cloud.client.loadbalancer.reactive.LoadBalancedExchangeFilterFunction"
private val interceptorNamePropertyK = "coapi.clients.ServiceApiClientUseFilterBeanName.sync.interceptor.names"
private val interceptorNameProperty = "$interceptorNamePropertyK=loadBalancerInterceptor"
private val interceptorTypePropertyK = "coapi.clients.ServiceApiClientUseFilterType.sync.interceptor.types"
private val interceptorTypeProperty =
"$interceptorTypePropertyK=org.springframework.cloud.client.loadbalancer.LoadBalancerInterceptor"
@Test
fun `should create Reactive CoApi bean`() {
ApplicationContextRunner()
.withPropertyValues("github.url=https://api.github.com")
.withPropertyValues(filterNameProperty)
.withPropertyValues(filterTypeProperty)
.withBean("loadBalancerExchangeFilterFunction", LoadBalancedExchangeFilterFunction::class.java, { mockk() })
.withUserConfiguration(WebClientAutoConfiguration::class.java)
.withUserConfiguration(EnableCoApiConfiguration::class.java)
.withUserConfiguration(CoApiAutoConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(ReactiveHttpExchangeAdapterFactory::class.java)
.hasSingleBean(GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
val coApiProperties = context.getBean(CoApiProperties::class.java)
assertThat(coApiProperties.mode, equalTo(ClientMode.AUTO))
assertThat(coApiProperties.clients["ServiceApiClientUseFilterBeanName"], notNullValue())
context.getBean(GitHubApiClient::class.java)
context.getBean(ServiceApiClient::class.java)
context.getBean(ServiceApiClientUseFilterBeanName::class.java)
context.getBean(ServiceApiClientUseFilterType::class.java)
}
}
@Test
fun `should create Sync CoApi bean`() {
ApplicationContextRunner()
.withPropertyValues("${ClientMode.COAPI_CLIENT_MODE_PROPERTY}=SYNC")
.withPropertyValues("github.url=https://api.github.com")
.withPropertyValues(interceptorNameProperty)
.withPropertyValues(interceptorTypeProperty)
.withBean("loadBalancerInterceptor", LoadBalancerInterceptor::class.java, { mockk() })
.withUserConfiguration(EnableCoApiConfiguration::class.java)
.withUserConfiguration(CoApiAutoConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(SyncHttpExchangeAdapterFactory::class.java)
.hasSingleBean(GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
val coApiProperties = context.getBean(CoApiProperties::class.java)
assertThat(coApiProperties.mode, equalTo(ClientMode.SYNC))
context.getBean(GitHubApiClient::class.java)
context.getBean(ServiceApiClient::class.java)
context.getBean(ServiceApiClientUseFilterBeanName::class.java)
context.getBean(ServiceApiClientUseFilterType::class.java)
}
}
@Test
fun basePackages() {
ApplicationContextRunner()
.withPropertyValues("github.url=https://api.github.com")
.withPropertyValues("${CoApiProperties.COAPI_BASE_PACKAGES}=me.ahoo.coapi.spring.boot.starter")
.withPropertyValues(filterNameProperty)
.withPropertyValues(filterTypeProperty)
.withBean("loadBalancerExchangeFilterFunction", LoadBalancedExchangeFilterFunction::class.java, { mockk() })
.withUserConfiguration(WebClientAutoConfiguration::class.java)
.withUserConfiguration(CoApiAutoConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(ReactiveHttpExchangeAdapterFactory::class.java)
.hasSingleBean(me.ahoo.coapi.spring.boot.starter.GitHubApiClient::class.java)
}
}
@Test
fun basePackagesMultiple() {
ApplicationContextRunner()
.withPropertyValues("github.url=https://api.github.com")
.withPropertyValues(
"${CoApiProperties.COAPI_BASE_PACKAGES}=me.ahoo.coapi.spring.boot.starter" +
",me.ahoo.coapi.example.consumer.client"
)
.withPropertyValues(filterNameProperty)
.withPropertyValues(filterTypeProperty)
.withBean("loadBalancerExchangeFilterFunction", LoadBalancedExchangeFilterFunction::class.java, { mockk() })
.withUserConfiguration(WebClientAutoConfiguration::class.java)
.withUserConfiguration(CoApiAutoConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(ReactiveHttpExchangeAdapterFactory::class.java)
.hasSingleBean(me.ahoo.coapi.spring.boot.starter.GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
}
}
@Test
fun basePackagesYaml() {
ApplicationContextRunner()
.withPropertyValues("github.url=https://api.github.com")
.withPropertyValues(
"${CoApiProperties.COAPI_BASE_PACKAGES}[0]=me.ahoo.coapi.spring.boot.starter"
)
.withPropertyValues(
"${CoApiProperties.COAPI_BASE_PACKAGES}[1]=me.ahoo.coapi.example.consumer.client"
)
.withPropertyValues(filterNameProperty)
.withPropertyValues(filterTypeProperty)
.withBean("loadBalancerExchangeFilterFunction", LoadBalancedExchangeFilterFunction::class.java, { mockk() })
.withUserConfiguration(WebClientAutoConfiguration::class.java)
.withUserConfiguration(CoApiAutoConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(ReactiveHttpExchangeAdapterFactory::class.java)
.hasSingleBean(me.ahoo.coapi.spring.boot.starter.GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
}
}
}
@SpringBootApplication
@EnableCoApi(
clients = [
GitHubApiClient::class,
ServiceApiClient::class,
ServiceApiClientUseFilterBeanName::class,
ServiceApiClientUseFilterType::class,
TodoClient::class,
me.ahoo.coapi.spring.boot.starter.GitHubApiClient::class
]
)
class EnableCoApiConfiguration
|
CoApi/spring-boot-starter/src/test/kotlin/me/ahoo/coapi/spring/boot/starter/GitHubApiClient.kt | 699149446 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import me.ahoo.coapi.api.CoApi
import me.ahoo.coapi.example.consumer.client.Issue
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import reactor.core.publisher.Flux
@CoApi(baseUrl = "\${github.url}")
interface GitHubApiClient {
@GetExchange("repos/{owner}/{repo}/issues")
fun getIssue(@PathVariable owner: String, @PathVariable repo: String): Flux<Issue>
}
|
CoApi/spring-boot-starter/src/main/kotlin/me/ahoo/coapi/spring/boot/starter/ConditionalOnCoApiEnabled.kt | 1004294322 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty
@ConditionalOnProperty(
value = [ConditionalOnCoApiEnabled.ENABLED_KEY],
matchIfMissing = true,
havingValue = "true",
)
annotation class ConditionalOnCoApiEnabled {
companion object {
const val ENABLED_KEY: String = COAPI_PREFIX + ENABLED_SUFFIX_KEY
}
}
|
CoApi/spring-boot-starter/src/main/kotlin/me/ahoo/coapi/spring/boot/starter/AutoCoApiRegistrar.kt | 3830492959 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import me.ahoo.coapi.api.CoApi
import me.ahoo.coapi.spring.AbstractCoApiRegistrar
import me.ahoo.coapi.spring.CoApiDefinition
import me.ahoo.coapi.spring.CoApiDefinition.Companion.toCoApiDefinition
import org.springframework.beans.factory.annotation.AnnotatedBeanDefinition
import org.springframework.boot.autoconfigure.AutoConfigurationPackages
import org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider
import org.springframework.core.env.Environment
import org.springframework.core.type.AnnotationMetadata
import org.springframework.core.type.filter.AnnotationTypeFilter
class AutoCoApiRegistrar : AbstractCoApiRegistrar() {
private fun getCoApiBasePackages(): List<String> {
val basePackages = env.getProperty(CoApiProperties.COAPI_BASE_PACKAGES)
if (basePackages?.isNotBlank() == true) {
return basePackages.split(",").distinct().toList()
}
var currentIndex = 0
buildList {
while (true) {
val basePackage = env.getProperty("${CoApiProperties.COAPI_BASE_PACKAGES}[$currentIndex]")
if (basePackage.isNullOrBlank()) {
return this
}
add(basePackage)
currentIndex++
}
}
}
private fun getScanBasePackages(): List<String> {
val coApiBasePackages = getCoApiBasePackages()
if (coApiBasePackages.isNotEmpty()) {
return coApiBasePackages
}
return AutoConfigurationPackages.get(appContext) + coApiBasePackages
}
override fun getCoApiDefinitions(importingClassMetadata: AnnotationMetadata): Set<CoApiDefinition> {
val scanBasePackages = getScanBasePackages()
return scanBasePackages.toApiClientDefinitions()
}
private fun List<String>.toApiClientDefinitions(): Set<CoApiDefinition> {
val scanner = ApiClientScanner(false, env)
return flatMap { basePackage ->
scanner.findCandidateComponents(basePackage)
}.map { beanDefinition ->
Class.forName(beanDefinition.beanClassName).toCoApiDefinition(env)
}.toSet()
}
}
class ApiClientScanner(useDefaultFilters: Boolean, environment: Environment) :
ClassPathScanningCandidateComponentProvider(useDefaultFilters, environment) {
init {
addIncludeFilter(AnnotationTypeFilter(CoApi::class.java))
}
override fun isCandidateComponent(beanDefinition: AnnotatedBeanDefinition): Boolean {
return beanDefinition.metadata.isInterface
}
}
|
CoApi/spring-boot-starter/src/main/kotlin/me/ahoo/coapi/spring/boot/starter/CoApiAutoConfiguration.kt | 210276749 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import org.springframework.boot.autoconfigure.AutoConfiguration
import org.springframework.boot.context.properties.EnableConfigurationProperties
import org.springframework.context.annotation.Import
@AutoConfiguration
@ConditionalOnCoApiEnabled
@Import(AutoCoApiRegistrar::class)
@EnableConfigurationProperties(CoApiProperties::class)
class CoApiAutoConfiguration
|
CoApi/spring-boot-starter/src/main/kotlin/me/ahoo/coapi/spring/boot/starter/CoApiProperties.kt | 300603511 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.boot.starter
import me.ahoo.coapi.spring.ClientMode
import me.ahoo.coapi.spring.client.ClientProperties
import org.springframework.boot.context.properties.ConfigurationProperties
import org.springframework.boot.context.properties.bind.DefaultValue
const val COAPI_PREFIX = "coapi"
const val ENABLED_SUFFIX_KEY = ".enabled"
@ConfigurationProperties(prefix = COAPI_PREFIX)
data class CoApiProperties(
@DefaultValue("true") var enabled: Boolean = true,
val mode: ClientMode = ClientMode.AUTO,
val basePackages: List<String> = emptyList(),
val clients: Map<String, ClientDefinition> = emptyMap(),
) : ClientProperties {
companion object {
const val COAPI_BASE_PACKAGES = "$COAPI_PREFIX.base-packages"
}
override fun getFilter(coApiName: String): ClientProperties.FilterDefinition {
return clients[coApiName]?.reactive?.filter ?: ClientProperties.FilterDefinition()
}
override fun getInterceptor(coApiName: String): ClientProperties.InterceptorDefinition {
return clients[coApiName]?.sync?.interceptor ?: ClientProperties.InterceptorDefinition()
}
}
data class ClientDefinition(
var reactive: ReactiveClientDefinition = ReactiveClientDefinition(),
var sync: SyncClientDefinition = SyncClientDefinition()
)
data class ReactiveClientDefinition(
var filter: ClientProperties.FilterDefinition = ClientProperties.FilterDefinition()
)
data class SyncClientDefinition(
var interceptor: ClientProperties.InterceptorDefinition = ClientProperties.InterceptorDefinition()
)
|
CoApi/example/example-sync/src/test/kotlin/me/ahoo/coapi/example/sync/ExampleServerTest.kt | 954994990 | package me.ahoo.coapi.example.sync
import me.ahoo.coapi.spring.client.sync.SyncHttpExchangeAdapterFactory
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.notNullValue
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.context.SpringBootTest
@SpringBootTest
class ExampleServerTest {
@Autowired
private lateinit var httpExchangeAdapterFactory: SyncHttpExchangeAdapterFactory
@Autowired
private lateinit var gitHubApiClient: GitHubSyncClient
@Autowired
private lateinit var serviceApiClient: GitHubSyncLbClient
@Test
fun httpExchangeAdapterFactoryIsNotNull() {
assertThat(httpExchangeAdapterFactory, notNullValue())
}
@Test
fun getIssueByGitHubApiClient() {
gitHubApiClient.getIssue("Ahoo-Wang", "Wow")
}
@Test
fun getIssueByServiceApiClient() {
serviceApiClient.getIssue("Ahoo-Wang", "Wow")
}
}
|
CoApi/example/example-sync/src/main/kotlin/me/ahoo/coapi/example/sync/ExampleSyncServer.kt | 490885905 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.sync
import me.ahoo.coapi.spring.EnableCoApi
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.boot.runApplication
@EnableCoApi(
clients = [
GitHubSyncClient::class
]
)
@SpringBootApplication
class ExampleSyncServer
fun main(args: Array<String>) {
runApplication<ExampleSyncServer>(*args)
}
|
CoApi/example/example-sync/src/main/kotlin/me/ahoo/coapi/example/sync/GithubController.kt | 871563184 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.sync
import org.springframework.web.bind.annotation.GetMapping
import org.springframework.web.bind.annotation.RestController
import org.springframework.web.service.annotation.HttpExchange
import reactor.core.publisher.Flux
@RestController
@HttpExchange("github")
class GithubController(
private val gitHubApiClient: GitHubSyncClient,
private val gitHubLbApiClient: GitHubSyncLbClient
) {
@GetMapping("/baseUrl")
fun baseUrl(): List<Issue> {
return gitHubApiClient.getIssue("Ahoo-Wang", "Wow")
}
@GetMapping("/getIssueWithReactive")
fun getIssueWithReactive(): Flux<Issue> {
return gitHubApiClient.getIssueWithReactive("Ahoo-Wang", "Wow")
}
@GetMapping("/serviceId")
fun serviceId(): List<Issue> {
return gitHubLbApiClient.getIssue("Ahoo-Wang", "Wow")
}
}
|
CoApi/example/example-consumer-client/src/main/kotlin/me/ahoo/coapi/example/consumer/client/UriApiClient.kt | 192015646 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer.client
import me.ahoo.coapi.api.CoApi
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import org.springframework.web.util.UriBuilderFactory
import reactor.core.publisher.Flux
import java.net.URI
@CoApi
interface UriApiClient {
@GetExchange
fun getIssueByUri(uri: URI): Flux<Issue>
@GetExchange
fun getIssue(
uriBuilderFactory: UriBuilderFactory,
@PathVariable owner: String,
@PathVariable repo: String
): Flux<Issue>
}
|
CoApi/example/example-consumer-client/src/main/kotlin/me/ahoo/coapi/example/consumer/client/ServiceApiClientUseFilterBeanName.kt | 461417008 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer.client
import me.ahoo.coapi.api.CoApi
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import reactor.core.publisher.Flux
@CoApi(serviceId = "github-service")
interface ServiceApiClientUseFilterBeanName {
@GetExchange("repos/{owner}/{repo}/issues")
fun getIssue(@PathVariable owner: String, @PathVariable repo: String): Flux<Issue>
}
|
CoApi/example/example-consumer-client/src/main/kotlin/me/ahoo/coapi/example/consumer/client/GitHubApiClient.kt | 3273455200 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer.client
import me.ahoo.coapi.api.CoApi
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import reactor.core.publisher.Flux
@CoApi(baseUrl = "\${github.url}")
interface GitHubApiClient {
@GetExchange("repos/{owner}/{repo}/issues")
fun getIssue(@PathVariable owner: String, @PathVariable repo: String): Flux<Issue>
}
data class Issue(
val url: String
)
|
CoApi/example/example-consumer-client/src/main/kotlin/me/ahoo/coapi/example/consumer/client/ServiceApiClient.kt | 1530580526 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer.client
import me.ahoo.coapi.api.CoApi
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import reactor.core.publisher.Flux
@CoApi(serviceId = "github-service", name = "GitHubApi")
interface ServiceApiClient {
@GetExchange("repos/{owner}/{repo}/issues")
fun getIssue(@PathVariable owner: String, @PathVariable repo: String): Flux<Issue>
}
|
CoApi/example/example-consumer-client/src/main/kotlin/me/ahoo/coapi/example/consumer/client/ServiceApiClientUseFilterType.kt | 2764826712 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer.client
import me.ahoo.coapi.api.CoApi
import org.springframework.web.bind.annotation.PathVariable
import org.springframework.web.service.annotation.GetExchange
import reactor.core.publisher.Flux
@CoApi(serviceId = "github-service")
interface ServiceApiClientUseFilterType {
@GetExchange("repos/{owner}/{repo}/issues")
fun getIssue(@PathVariable owner: String, @PathVariable repo: String): Flux<Issue>
}
|
CoApi/example/example-provider-server/src/test/kotlin/me/ahoo/coapi/example/provider/ProviderServerTest.kt | 1537996663 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.provider
import org.junit.jupiter.api.Test
import org.springframework.boot.test.context.SpringBootTest
@SpringBootTest
class ProviderServerTest {
@Test
fun contextLoads() = Unit
} |
CoApi/example/example-provider-server/src/main/kotlin/me/ahoo/coapi/example/provider/TodoController.kt | 859105160 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.provider
import me.ahoo.coapi.example.provider.api.Todo
import me.ahoo.coapi.example.provider.api.TodoApi
import org.springframework.web.bind.annotation.RestController
import reactor.core.publisher.Flux
@RestController
class TodoController : TodoApi {
override fun getTodo(): Flux<Todo> {
return Flux.range(1, 10)
.map {
Todo("todo-$it")
}
}
}
|
CoApi/example/example-provider-server/src/main/kotlin/me/ahoo/coapi/example/provider/ProviderServer.kt | 213890560 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.provider
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.boot.runApplication
@SpringBootApplication
class ProviderServer
fun main(args: Array<String>) {
runApplication<ProviderServer>(*args)
}
|
CoApi/example/example-consumer-server/src/test/kotlin/me/ahoo/coapi/example/consumer/ConsumerServerTest.kt | 2713844427 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer
import me.ahoo.coapi.example.consumer.client.GitHubApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClient
import me.ahoo.coapi.spring.client.reactive.ReactiveHttpExchangeAdapterFactory
import org.hamcrest.MatcherAssert
import org.hamcrest.Matchers
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.context.SpringBootTest
@SpringBootTest
class ConsumerServerTest {
@Autowired
private lateinit var httpExchangeAdapterFactory: ReactiveHttpExchangeAdapterFactory
@Autowired
private lateinit var gitHubApiClient: GitHubApiClient
@Autowired
private lateinit var serviceApiClient: ServiceApiClient
@Test
fun httpExchangeAdapterFactoryIsNotNull() {
MatcherAssert.assertThat(httpExchangeAdapterFactory, Matchers.notNullValue())
}
@Test
fun getIssueByGitHubApiClient() {
gitHubApiClient.getIssue("Ahoo-Wang", "Wow")
.doOnNext { println(it) }
.blockLast()
}
@Test
fun getIssueByServiceApiClient() {
serviceApiClient.getIssue("Ahoo-Wang", "Wow")
.doOnNext { println(it) }
.blockLast()
}
} |
CoApi/example/example-consumer-server/src/main/kotlin/me/ahoo/coapi/example/consumer/TodoController.kt | 2638675102 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer
import me.ahoo.coapi.example.provider.api.Todo
import me.ahoo.coapi.example.provider.client.TodoClient
import org.springframework.web.bind.annotation.RestController
import org.springframework.web.service.annotation.GetExchange
import org.springframework.web.service.annotation.HttpExchange
import reactor.core.publisher.Flux
@RestController
@HttpExchange("todo")
class TodoController(private val todoClient: TodoClient) {
@GetExchange
fun getProviderTodo(): Flux<Todo> {
return todoClient.getTodo()
}
} |
CoApi/example/example-consumer-server/src/main/kotlin/me/ahoo/coapi/example/consumer/GithubController.kt | 139485322 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer
import me.ahoo.coapi.example.consumer.client.GitHubApiClient
import me.ahoo.coapi.example.consumer.client.Issue
import me.ahoo.coapi.example.consumer.client.ServiceApiClient
import me.ahoo.coapi.example.consumer.client.UriApiClient
import org.slf4j.LoggerFactory
import org.springframework.web.bind.annotation.GetMapping
import org.springframework.web.bind.annotation.RestController
import org.springframework.web.reactive.function.client.WebClientResponseException
import org.springframework.web.service.annotation.GetExchange
import org.springframework.web.service.annotation.HttpExchange
import org.springframework.web.util.DefaultUriBuilderFactory
import reactor.core.publisher.Flux
import java.net.URI
@RestController
@HttpExchange("github")
class GithubController(
private val gitHubApiClient: GitHubApiClient,
private val serviceApiClient: ServiceApiClient,
private val uriApiClient: UriApiClient
) {
companion object {
private val log = LoggerFactory.getLogger(GithubController::class.java)
}
@GetMapping("/baseUrl")
fun baseUrl(): Flux<Issue> {
return gitHubApiClient.getIssue("Ahoo-Wang", "Wow")
}
@GetExchange("/serviceId")
fun serviceId(): Flux<Issue> {
return serviceApiClient.getIssue("Ahoo-Wang", "CoApi").doOnError(WebClientResponseException::class.java) {
log.error(it.responseBodyAsString)
}
}
@GetExchange("/uri")
fun uri(): Flux<Issue> {
val uri = URI.create("https://api.github.com/repos/Ahoo-Wang/CoApi/issues")
return uriApiClient.getIssueByUri(uri)
}
@GetExchange("/uriBuilder")
fun uriBuilder(): Flux<Issue> {
val uriBuilderFactory = DefaultUriBuilderFactory("https://api.github.com/repos/{owner}/{repo}/issues")
return uriApiClient.getIssue(uriBuilderFactory, "Ahoo-Wang", "Wow")
}
}
|
CoApi/example/example-consumer-server/src/main/kotlin/me/ahoo/coapi/example/consumer/ConsumerServer.kt | 2868344424 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.consumer
import me.ahoo.coapi.example.consumer.client.GitHubApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterBeanName
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterType
import me.ahoo.coapi.example.consumer.client.UriApiClient
import me.ahoo.coapi.example.provider.client.TodoClient
import me.ahoo.coapi.spring.EnableCoApi
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.boot.runApplication
@EnableCoApi(
clients = [
GitHubApiClient::class,
ServiceApiClient::class,
ServiceApiClientUseFilterBeanName::class,
ServiceApiClientUseFilterType::class,
UriApiClient::class,
TodoClient::class
]
)
@SpringBootApplication
class ConsumerServer
fun main(args: Array<String>) {
runApplication<ConsumerServer>(*args)
}
|
CoApi/example/example-provider-api/src/main/kotlin/me/ahoo/coapi/example/provider/api/TodoApi.kt | 915426880 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.provider.api
import org.springframework.web.service.annotation.GetExchange
import org.springframework.web.service.annotation.HttpExchange
import reactor.core.publisher.Flux
@HttpExchange("todo")
interface TodoApi {
@GetExchange
fun getTodo(): Flux<Todo>
}
data class Todo(val title: String) |
CoApi/example/example-provider-api/src/main/kotlin/me/ahoo/coapi/example/provider/client/TodoClient.kt | 2968660814 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.example.provider.client
import me.ahoo.coapi.api.CoApi
import me.ahoo.coapi.example.provider.api.TodoApi
@CoApi(serviceId = "provider-service")
interface TodoClient : TodoApi |
CoApi/api/src/main/kotlin/me/ahoo/coapi/api/CoApi.kt | 953783909 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.api
import org.springframework.stereotype.Component
@Target(AnnotationTarget.CLASS)
@Component
annotation class CoApi(
val serviceId: String = "",
val baseUrl: String = "",
val name: String = ""
)
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/ClientModeTest.kt | 2404528347 | package me.ahoo.coapi.spring
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.equalTo
import org.junit.jupiter.api.Test
class ClientModeTest {
@Test
fun inferClientModeIfNull() {
val mode = ClientMode.inferClientMode {
null
}
assertThat(mode, equalTo(ClientMode.REACTIVE))
}
@Test
fun inferClientMode() {
val mode = ClientMode.inferClientMode {
"SYNC"
}
assertThat(mode, equalTo(ClientMode.SYNC))
}
}
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/CoApiDefinitionTest.kt | 1302957722 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import io.mockk.mockk
import me.ahoo.coapi.spring.CoApiDefinition.Companion.toCoApiDefinition
import org.junit.jupiter.api.Test
class CoApiDefinitionTest {
@Test
fun toCoApiDefinitionIfNoCoApi() {
org.junit.jupiter.api.assertThrows<IllegalArgumentException> {
CoApiDefinitionTest::class.java.toCoApiDefinition(mockk())
}
}
}
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/client/reactive/auth/JwtFixture.kt | 778747356 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive.auth
import com.auth0.jwt.JWT
import com.auth0.jwt.algorithms.Algorithm
import java.util.Date
object JwtFixture {
var ALGORITHM = Algorithm.HMAC256("FyN0Igd80Gas8stTavArGKOYnS9uLWGA_")
fun generateToken(expiresAt: Date): String {
val accessTokenBuilder = JWT.create()
.withExpiresAt(expiresAt)
return accessTokenBuilder.sign(ALGORITHM)
}
}
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/client/reactive/auth/CachedExpirableTokenProviderTest.kt | 1013220009 | package me.ahoo.coapi.spring.client.reactive.auth
import me.ahoo.coapi.spring.client.reactive.auth.ExpirableToken.Companion.jwtToExpirableToken
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.equalTo
import org.junit.jupiter.api.Test
import reactor.core.publisher.Mono
import reactor.kotlin.test.test
import java.util.*
class CachedExpirableTokenProviderTest {
@Test
fun getBearerToken() {
val cachedExpirableTokenProvider = CachedExpirableTokenProvider(MockBearerTokenProvider)
cachedExpirableTokenProvider.getToken()
.test()
.consumeNextWith {
// ไป
ๅฝ็ผๅญๅฝๅๅทฒๅกซๅ
ๆถๆไผ่ฏไผฐ
assertThat(it, equalTo(MockBearerTokenProvider.expiredToken))
}.verifyComplete()
cachedExpirableTokenProvider.getToken()
.test()
.consumeNextWith {
assertThat(it, equalTo(MockBearerTokenProvider.notExpiredToken))
}.verifyComplete()
cachedExpirableTokenProvider.getToken()
.test()
.consumeNextWith {
assertThat(it, equalTo(MockBearerTokenProvider.notExpiredToken))
}.verifyComplete()
cachedExpirableTokenProvider.getToken()
.test()
.consumeNextWith {
assertThat(it, equalTo(MockBearerTokenProvider.notExpiredToken))
}.verifyComplete()
}
object MockBearerTokenProvider : ExpirableTokenProvider {
@Volatile
private var isFistCall = true
val expiredToken = JwtFixture
.generateToken(Date(System.currentTimeMillis() - 10000)).jwtToExpirableToken()
val notExpiredToken = JwtFixture
.generateToken(Date(System.currentTimeMillis() + 10000)).jwtToExpirableToken()
override fun getToken(): Mono<ExpirableToken> {
return Mono.create {
if (isFistCall) {
isFistCall = false
it.success(expiredToken)
} else {
it.success(notExpiredToken)
}
}
}
}
}
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/client/reactive/auth/BearerTokenFilterTest.kt | 116512883 | package me.ahoo.coapi.spring.client.reactive.auth
import io.mockk.mockk
import me.ahoo.coapi.spring.client.reactive.auth.BearerHeaderValueMapper.withBearerPrefix
import me.ahoo.coapi.spring.client.reactive.auth.ExpirableToken.Companion.jwtToExpirableToken
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.equalTo
import org.junit.jupiter.api.Test
import org.springframework.http.HttpHeaders
import org.springframework.http.HttpMethod
import org.springframework.web.reactive.function.client.ClientRequest
import org.springframework.web.reactive.function.client.ExchangeFunction
import reactor.core.publisher.Mono
import reactor.kotlin.test.test
import java.net.URI
import java.util.*
class BearerTokenFilterTest {
@Test
fun filter() {
val clientRequest = ClientRequest
.create(HttpMethod.GET, URI.create("http://localhost"))
.build()
val jwtToken = JwtFixture.generateToken(Date())
val nextException = ExchangeFunction { request ->
assertThat(request.headers().getFirst(HttpHeaders.AUTHORIZATION), equalTo(jwtToken.withBearerPrefix()))
Mono.empty()
}
val tokenProvider = object : ExpirableTokenProvider {
override fun getToken(): Mono<ExpirableToken> {
return Mono.just(jwtToken.jwtToExpirableToken())
}
}
val bearerTokenFilter = BearerTokenFilter(tokenProvider)
bearerTokenFilter.filter(clientRequest, nextException)
.test()
.verifyComplete()
}
@Test
fun filter_ContainsKey() {
val jwtToken = JwtFixture.generateToken(Date())
val clientRequest = ClientRequest
.create(HttpMethod.GET, URI.create("http://localhost"))
.headers {
it.setBearerAuth(jwtToken)
}
.build()
val nextException = ExchangeFunction { request ->
Mono.empty()
}
val tokenProvider = mockk<ExpirableTokenProvider>()
val bearerTokenFilter = BearerTokenFilter(tokenProvider)
bearerTokenFilter.filter(clientRequest, nextException)
.test()
.verifyComplete()
}
}
|
CoApi/spring/src/test/kotlin/me/ahoo/coapi/spring/CoApiContextTest.kt | 3863073479 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import io.mockk.mockk
import me.ahoo.coapi.example.consumer.client.GitHubApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClient
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterBeanName
import me.ahoo.coapi.example.consumer.client.ServiceApiClientUseFilterType
import me.ahoo.coapi.example.provider.client.TodoClient
import me.ahoo.coapi.spring.client.ClientProperties
import me.ahoo.coapi.spring.client.reactive.ReactiveHttpExchangeAdapterFactory
import me.ahoo.coapi.spring.client.reactive.WebClientBuilderCustomizer
import me.ahoo.coapi.spring.client.sync.RestClientBuilderCustomizer
import me.ahoo.coapi.spring.client.sync.SyncHttpExchangeAdapterFactory
import org.assertj.core.api.AssertionsForInterfaceTypes
import org.junit.jupiter.api.Test
import org.springframework.boot.autoconfigure.web.reactive.function.client.WebClientAutoConfiguration
import org.springframework.boot.test.context.runner.ApplicationContextRunner
import org.springframework.cloud.client.loadbalancer.LoadBalancerInterceptor
import org.springframework.cloud.client.loadbalancer.reactive.LoadBalancedExchangeFilterFunction
import org.springframework.web.client.RestClient
class CoApiContextTest {
private val loadBalancedExchangeFilterName =
ClientProperties.FilterDefinition(names = listOf("loadBalancerExchangeFilterFunction"))
private val loadBalancedExchangeFilterType =
ClientProperties.FilterDefinition(types = listOf(LoadBalancedExchangeFilterFunction::class.java))
private val loadBalancedExchangeInterceptorName =
ClientProperties.InterceptorDefinition(names = listOf("loadBalancerInterceptor"))
private val loadBalancedExchangeInterceptorType =
ClientProperties.InterceptorDefinition(types = listOf(LoadBalancerInterceptor::class.java))
@Test
fun `should create Reactive CoApi bean`() {
ApplicationContextRunner()
.withPropertyValues("github.url=https://api.github.com")
.withBean("loadBalancerExchangeFilterFunction", LoadBalancedExchangeFilterFunction::class.java, { mockk() })
.withBean(WebClientBuilderCustomizer::class.java, { WebClientBuilderCustomizer.NoOp })
.withBean("clientProperties", ClientProperties::class.java, {
MockClientProperties(
filter = mapOf(
"ServiceApiClientUseFilterBeanName" to loadBalancedExchangeFilterName,
"ServiceApiClientUseFilterType" to loadBalancedExchangeFilterType
)
)
})
.withUserConfiguration(WebClientAutoConfiguration::class.java)
.withUserConfiguration(EnableCoApiConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(ReactiveHttpExchangeAdapterFactory::class.java)
.hasSingleBean(GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
context.getBean(GitHubApiClient::class.java)
context.getBean(ServiceApiClient::class.java)
context.getBean(ServiceApiClientUseFilterBeanName::class.java)
context.getBean(ServiceApiClientUseFilterType::class.java)
}
}
@Test
fun `should create Sync CoApi bean`() {
ApplicationContextRunner()
.withPropertyValues("${ClientMode.COAPI_CLIENT_MODE_PROPERTY}=SYNC")
.withPropertyValues("github.url=https://api.github.com")
.withBean("loadBalancerInterceptor", LoadBalancerInterceptor::class.java, { mockk() })
.withBean(RestClientBuilderCustomizer::class.java, { RestClientBuilderCustomizer.NoOp })
.withBean(RestClient.Builder::class.java, {
RestClient.builder()
})
.withBean("clientProperties", ClientProperties::class.java, {
MockClientProperties(
interceptor = mapOf(
"ServiceApiClientUseFilterBeanName" to loadBalancedExchangeInterceptorName,
"ServiceApiClientUseFilterType" to loadBalancedExchangeInterceptorType
)
)
})
.withUserConfiguration(EnableCoApiConfiguration::class.java)
.run { context ->
AssertionsForInterfaceTypes.assertThat(context)
.hasSingleBean(SyncHttpExchangeAdapterFactory::class.java)
.hasSingleBean(GitHubApiClient::class.java)
.hasSingleBean(ServiceApiClient::class.java)
context.getBean(GitHubApiClient::class.java)
context.getBean(ServiceApiClient::class.java)
context.getBean(ServiceApiClientUseFilterBeanName::class.java)
context.getBean(ServiceApiClientUseFilterType::class.java)
}
}
}
@EnableCoApi(
clients = [
GitHubApiClient::class,
ServiceApiClient::class,
ServiceApiClientUseFilterBeanName::class,
ServiceApiClientUseFilterType::class,
TodoClient::class
]
)
class EnableCoApiConfiguration
data class MockClientProperties(
val filter: Map<String, ClientProperties.FilterDefinition> = emptyMap(),
val interceptor: Map<String, ClientProperties.InterceptorDefinition> = emptyMap(),
) : ClientProperties {
override fun getFilter(coApiName: String): ClientProperties.FilterDefinition {
return filter[coApiName] ?: ClientProperties.FilterDefinition()
}
override fun getInterceptor(coApiName: String): ClientProperties.InterceptorDefinition {
return interceptor[coApiName] ?: ClientProperties.InterceptorDefinition()
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/EnableCoApi.kt | 4095773428 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import org.springframework.context.annotation.Import
import kotlin.reflect.KClass
@Import(EnableCoApiRegistrar::class)
@Target(AnnotationTarget.CLASS)
annotation class EnableCoApi(
val clients: Array<KClass<*>> = []
)
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/CoApiRegistrar.kt | 683385004 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import me.ahoo.coapi.spring.client.reactive.LoadBalancedWebClientFactoryBean
import me.ahoo.coapi.spring.client.reactive.WebClientFactoryBean
import me.ahoo.coapi.spring.client.sync.LoadBalancedRestClientFactoryBean
import me.ahoo.coapi.spring.client.sync.RestClientFactoryBean
import org.slf4j.LoggerFactory
import org.springframework.beans.factory.support.BeanDefinitionBuilder
import org.springframework.beans.factory.support.BeanDefinitionRegistry
class CoApiRegistrar(private val registry: BeanDefinitionRegistry, private val clientMode: ClientMode) {
companion object {
private val log = LoggerFactory.getLogger(CoApiRegistrar::class.java)
}
fun register(coApiDefinitions: Set<CoApiDefinition>) {
coApiDefinitions.forEach {
register(it)
}
}
fun register(coApiDefinition: CoApiDefinition) {
if (clientMode == ClientMode.SYNC) {
registerRestClient(registry, coApiDefinition)
} else {
registerWebClient(registry, coApiDefinition)
}
registerApiClient(registry, coApiDefinition)
}
private fun registerRestClient(registry: BeanDefinitionRegistry, coApiDefinition: CoApiDefinition) {
if (log.isInfoEnabled) {
log.info("Register RestClient [{}].", coApiDefinition.httpClientBeanName)
}
if (registry.containsBeanDefinition(coApiDefinition.httpClientBeanName)) {
if (log.isWarnEnabled) {
log.warn(
"RestClient [{}] already exists - Ignore.",
coApiDefinition.httpClientBeanName
)
}
return
}
val clientFactoryBeanClass = if (coApiDefinition.loadBalanced) {
LoadBalancedRestClientFactoryBean::class.java
} else {
RestClientFactoryBean::class.java
}
val beanDefinitionBuilder = BeanDefinitionBuilder.genericBeanDefinition(clientFactoryBeanClass)
beanDefinitionBuilder.addConstructorArgValue(coApiDefinition)
registry.registerBeanDefinition(coApiDefinition.httpClientBeanName, beanDefinitionBuilder.beanDefinition)
}
private fun registerWebClient(registry: BeanDefinitionRegistry, coApiDefinition: CoApiDefinition) {
if (log.isInfoEnabled) {
log.info("Register WebClient [{}].", coApiDefinition.httpClientBeanName)
}
if (registry.containsBeanDefinition(coApiDefinition.httpClientBeanName)) {
if (log.isWarnEnabled) {
log.warn(
"WebClient [{}] already exists - Ignore.",
coApiDefinition.httpClientBeanName
)
}
return
}
val clientFactoryBeanClass = if (coApiDefinition.loadBalanced) {
LoadBalancedWebClientFactoryBean::class.java
} else {
WebClientFactoryBean::class.java
}
val beanDefinitionBuilder = BeanDefinitionBuilder.genericBeanDefinition(clientFactoryBeanClass)
beanDefinitionBuilder.addConstructorArgValue(coApiDefinition)
registry.registerBeanDefinition(coApiDefinition.httpClientBeanName, beanDefinitionBuilder.beanDefinition)
}
private fun registerApiClient(registry: BeanDefinitionRegistry, coApiDefinition: CoApiDefinition) {
if (log.isInfoEnabled) {
log.info("Register CoApi [{}].", coApiDefinition.coApiBeanName)
}
if (registry.containsBeanDefinition(coApiDefinition.coApiBeanName)) {
if (log.isWarnEnabled) {
log.warn(
"CoApi [{}] already exists - Ignore.",
coApiDefinition.coApiBeanName
)
}
return
}
val beanDefinitionBuilder = BeanDefinitionBuilder.genericBeanDefinition(CoApiFactoryBean::class.java)
beanDefinitionBuilder.addConstructorArgValue(coApiDefinition)
registry.registerBeanDefinition(coApiDefinition.coApiBeanName, beanDefinitionBuilder.beanDefinition)
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/CoApiDefinition.kt | 2504447409 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import me.ahoo.coapi.api.CoApi
import org.springframework.core.env.Environment
data class CoApiDefinition(
val name: String,
val apiType: Class<*>,
val baseUrl: String,
val loadBalanced: Boolean
) {
companion object {
private const val CLIENT_BEAN_NAME_SUFFIX = ".HttpClient"
private const val COAPI_BEAN_NAME_SUFFIX = ".CoApi"
private const val LB_SCHEME_PREFIX = "http://"
fun Class<*>.toCoApiDefinition(environment: Environment): CoApiDefinition {
val coApi = getAnnotation(CoApi::class.java)
?: throw IllegalArgumentException("The class must be annotated by @CoApi.")
val baseUrl = coApi.resolveBaseUrl(environment)
return CoApiDefinition(
name = resolveClientName(coApi),
apiType = this,
baseUrl = baseUrl,
loadBalanced = coApi.serviceId.isNotBlank()
)
}
private fun CoApi.resolveBaseUrl(environment: Environment): String {
if (serviceId.isNotBlank()) {
return LB_SCHEME_PREFIX + serviceId
}
return environment.resolvePlaceholders(baseUrl)
}
private fun Class<*>.resolveClientName(coApi: CoApi): String {
if (coApi.name.isNotBlank()) {
return coApi.name
}
return simpleName
}
}
val httpClientBeanName: String by lazy {
name + CLIENT_BEAN_NAME_SUFFIX
}
val coApiBeanName: String by lazy {
name + COAPI_BEAN_NAME_SUFFIX
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/AbstractCoApiRegistrar.kt | 3624136649 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import me.ahoo.coapi.spring.ClientMode.Companion.inferClientMode
import me.ahoo.coapi.spring.client.reactive.ReactiveHttpExchangeAdapterFactory
import me.ahoo.coapi.spring.client.sync.SyncHttpExchangeAdapterFactory
import org.springframework.beans.factory.BeanFactory
import org.springframework.beans.factory.BeanFactoryAware
import org.springframework.beans.factory.support.BeanDefinitionBuilder
import org.springframework.beans.factory.support.BeanDefinitionRegistry
import org.springframework.context.EnvironmentAware
import org.springframework.context.annotation.ImportBeanDefinitionRegistrar
import org.springframework.core.env.Environment
import org.springframework.core.type.AnnotationMetadata
abstract class AbstractCoApiRegistrar : ImportBeanDefinitionRegistrar, EnvironmentAware, BeanFactoryAware {
protected lateinit var env: Environment
protected lateinit var appContext: BeanFactory
override fun setEnvironment(environment: Environment) {
this.env = environment
}
override fun setBeanFactory(beanFactory: BeanFactory) {
this.appContext = beanFactory
}
abstract fun getCoApiDefinitions(importingClassMetadata: AnnotationMetadata): Set<CoApiDefinition>
override fun registerBeanDefinitions(importingClassMetadata: AnnotationMetadata, registry: BeanDefinitionRegistry) {
val clientMode = inferClientMode {
env.getProperty(it)
}
registerHttpExchangeAdapterFactory(clientMode, registry)
val coApiRegistrar = CoApiRegistrar(registry, clientMode)
val apiDefinitions = getCoApiDefinitions(importingClassMetadata)
coApiRegistrar.register(apiDefinitions)
}
private fun registerHttpExchangeAdapterFactory(clientMode: ClientMode, registry: BeanDefinitionRegistry) {
if (registry.containsBeanDefinition(HttpExchangeAdapterFactory.BEAN_NAME)) {
return
}
val httpExchangeAdapterFactoryClass = if (clientMode == ClientMode.SYNC) {
SyncHttpExchangeAdapterFactory::class.java
} else {
ReactiveHttpExchangeAdapterFactory::class.java
}
val beanDefinitionBuilder = BeanDefinitionBuilder.genericBeanDefinition(httpExchangeAdapterFactoryClass)
registry.registerBeanDefinition(HttpExchangeAdapterFactory.BEAN_NAME, beanDefinitionBuilder.beanDefinition)
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/CoApiFactoryBean.kt | 3774352017 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import org.springframework.beans.factory.FactoryBean
import org.springframework.context.ApplicationContext
import org.springframework.context.ApplicationContextAware
import org.springframework.web.service.invoker.HttpServiceProxyFactory
class CoApiFactoryBean(
private val coApiDefinition: CoApiDefinition
) : FactoryBean<Any>, ApplicationContextAware {
private lateinit var applicationContext: ApplicationContext
override fun getObject(): Any {
val httpExchangeAdapterFactory = applicationContext.getBean(HttpExchangeAdapterFactory::class.java)
val httpExchangeAdapter = httpExchangeAdapterFactory.create(
beanFactory = applicationContext,
httpClientName = coApiDefinition.httpClientBeanName
)
val httpServiceProxyFactory = HttpServiceProxyFactory.builderFor(httpExchangeAdapter).build()
return httpServiceProxyFactory.createClient(coApiDefinition.apiType)
}
override fun getObjectType(): Class<*> {
return coApiDefinition.apiType
}
override fun setApplicationContext(applicationContext: ApplicationContext) {
this.applicationContext = applicationContext
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/ClientMode.kt | 539227127 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
enum class ClientMode {
REACTIVE, SYNC, AUTO;
companion object {
const val COAPI_CLIENT_MODE_PROPERTY = "coapi.mode"
private const val REACTIVE_WEB_APPLICATION_CLASS = "org.springframework.web.reactive.HandlerResult"
private val INFERRED_MODE_BASED_ON_CLASS: ClientMode by lazy {
try {
Class.forName(REACTIVE_WEB_APPLICATION_CLASS)
REACTIVE
} catch (ignore: ClassNotFoundException) {
SYNC
}
}
fun inferClientMode(getProperty: (propertyKey: String) -> String?): ClientMode {
val propertyValue = getProperty(COAPI_CLIENT_MODE_PROPERTY) ?: AUTO.name
val mode = ClientMode.valueOf(propertyValue.uppercase())
if (mode == AUTO) {
return INFERRED_MODE_BASED_ON_CLASS
}
return mode
}
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/EnableCoApiRegistrar.kt | 251416930 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import me.ahoo.coapi.spring.CoApiDefinition.Companion.toCoApiDefinition
import org.springframework.core.type.AnnotationMetadata
class EnableCoApiRegistrar : AbstractCoApiRegistrar() {
@Suppress("UNCHECKED_CAST")
override fun getCoApiDefinitions(importingClassMetadata: AnnotationMetadata): Set<CoApiDefinition> {
val enableCoApi =
importingClassMetadata.getAnnotationAttributes(EnableCoApi::class.java.name) ?: return emptySet()
val clients = enableCoApi[EnableCoApi::clients.name] as Array<Class<*>>
return clients.map { clientType ->
clientType.toCoApiDefinition(env)
}.toSet()
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/HttpExchangeAdapterFactory.kt | 822668056 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring
import org.springframework.beans.factory.BeanFactory
import org.springframework.web.service.invoker.HttpExchangeAdapter
fun interface HttpExchangeAdapterFactory {
companion object {
const val BEAN_NAME = "CoApi.HttpExchangeAdapterFactory"
}
fun create(beanFactory: BeanFactory, httpClientName: String): HttpExchangeAdapter
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/ReactiveHttpExchangeAdapterFactory.kt | 756097217 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive
import me.ahoo.coapi.spring.HttpExchangeAdapterFactory
import org.springframework.beans.factory.BeanFactory
import org.springframework.web.reactive.function.client.WebClient
import org.springframework.web.reactive.function.client.support.WebClientAdapter
import org.springframework.web.service.invoker.HttpExchangeAdapter
class ReactiveHttpExchangeAdapterFactory : HttpExchangeAdapterFactory {
override fun create(beanFactory: BeanFactory, httpClientName: String): HttpExchangeAdapter {
val httpClient = beanFactory.getBean(httpClientName, WebClient::class.java)
return WebClientAdapter.create(httpClient)
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/WebClientBuilderCustomizer.kt | 3699614830 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive
import me.ahoo.coapi.spring.CoApiDefinition
import me.ahoo.coapi.spring.client.HttpClientBuilderCustomizer
import org.springframework.web.reactive.function.client.WebClient
fun interface WebClientBuilderCustomizer : HttpClientBuilderCustomizer<WebClient.Builder> {
object NoOp : WebClientBuilderCustomizer {
override fun customize(coApiDefinition: CoApiDefinition, builder: WebClient.Builder) = Unit
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/auth/HeaderSetFilter.kt | 2549461439 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive.auth
import org.springframework.web.reactive.function.client.ClientRequest
import org.springframework.web.reactive.function.client.ClientResponse
import org.springframework.web.reactive.function.client.ExchangeFilterFunction
import org.springframework.web.reactive.function.client.ExchangeFunction
import reactor.core.publisher.Mono
open class HeaderSetFilter(
private val headerName: String,
private val headerValueProvider: HeaderValueProvider,
private val headerValueMapper: HeaderValueMapper = HeaderValueMapper.IDENTITY
) : ExchangeFilterFunction {
override fun filter(request: ClientRequest, next: ExchangeFunction): Mono<ClientResponse> {
if (request.headers().containsKey(headerName)) {
return next.exchange(request)
}
return headerValueProvider.getHeaderValue()
.map { headerValue ->
ClientRequest.from(request)
.headers { headers ->
headers[headerName] = headerValueMapper.map(headerValue)
}
.build()
}
.flatMap { next.exchange(it) }
}
}
fun interface HeaderValueProvider {
fun getHeaderValue(): Mono<String>
}
fun interface HeaderValueMapper {
companion object {
val IDENTITY = HeaderValueMapper { it }
}
fun map(headerValue: String): String
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/auth/CachedExpirableTokenProvider.kt | 4139103619 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive.auth
import org.slf4j.LoggerFactory
import reactor.core.publisher.Mono
class CachedExpirableTokenProvider(tokenProvider: ExpirableTokenProvider) : ExpirableTokenProvider {
companion object {
private val log = LoggerFactory.getLogger(CachedExpirableTokenProvider::class.java)
}
private val tokenCache: Mono<ExpirableToken> = tokenProvider.getToken()
.cacheInvalidateIf {
if (log.isDebugEnabled) {
log.debug("CacheInvalidateIf - isExpired:${it.isExpired}")
}
it.isExpired
}
override fun getToken(): Mono<ExpirableToken> {
return tokenCache
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/auth/ExpirableTokenProvider.kt | 3872968533 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive.auth
import com.auth0.jwt.JWT
import reactor.core.publisher.Mono
data class ExpirableToken(val token: String, val expireAt: Long) {
val isExpired: Boolean
get() = System.currentTimeMillis() > expireAt
companion object {
private val jwtParser = JWT()
fun String.jwtToExpirableToken(): ExpirableToken {
val decodedJWT = jwtParser.decodeJwt(this)
val expiresAt = checkNotNull(decodedJWT.expiresAt)
return ExpirableToken(this, expiresAt.time)
}
}
}
interface ExpirableTokenProvider : HeaderValueProvider {
fun getToken(): Mono<ExpirableToken>
override fun getHeaderValue(): Mono<String> {
return getToken().map { it.token }
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/auth/BearerTokenFilter.kt | 89704242 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive.auth
import org.springframework.http.HttpHeaders
class BearerTokenFilter(tokenProvider: ExpirableTokenProvider) :
HeaderSetFilter(
headerName = HttpHeaders.AUTHORIZATION,
headerValueProvider = tokenProvider,
headerValueMapper = BearerHeaderValueMapper
)
object BearerHeaderValueMapper : HeaderValueMapper {
private const val BEARER_TOKEN_PREFIX = "Bearer "
fun String.withBearerPrefix(): String {
return "$BEARER_TOKEN_PREFIX$this"
}
override fun map(headerValue: String): String {
return headerValue.withBearerPrefix()
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/AbstractWebClientFactoryBean.kt | 2218482063 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive
import me.ahoo.coapi.spring.CoApiDefinition
import me.ahoo.coapi.spring.client.ClientProperties
import org.springframework.beans.factory.FactoryBean
import org.springframework.context.ApplicationContext
import org.springframework.context.ApplicationContextAware
import org.springframework.web.reactive.function.client.ExchangeFilterFunction
import org.springframework.web.reactive.function.client.WebClient
abstract class AbstractWebClientFactoryBean(private val definition: CoApiDefinition) :
FactoryBean<WebClient>,
ApplicationContextAware {
protected lateinit var appContext: ApplicationContext
protected open val builderCustomizer: WebClientBuilderCustomizer = WebClientBuilderCustomizer.NoOp
override fun getObjectType(): Class<*> {
return WebClient::class.java
}
override fun getObject(): WebClient {
val clientBuilder = appContext
.getBean(WebClient.Builder::class.java)
clientBuilder.baseUrl(definition.baseUrl)
val clientProperties = appContext.getBean(ClientProperties::class.java)
val filterDefinition = clientProperties.getFilter(definition.name)
clientBuilder.filters {
filterDefinition.initFilters(it)
}
builderCustomizer.customize(definition, clientBuilder)
appContext.getBeanProvider(WebClientBuilderCustomizer::class.java)
.orderedStream()
.forEach { customizer ->
customizer.customize(definition, clientBuilder)
}
return clientBuilder.build()
}
private fun ClientProperties.FilterDefinition.initFilters(filters: MutableList<ExchangeFilterFunction>) {
names.forEach { filterName ->
val filter = appContext.getBean(filterName, ExchangeFilterFunction::class.java)
filters.add(filter)
}
types.forEach { filterType ->
val filter = appContext.getBean(filterType)
filters.add(filter)
}
}
override fun setApplicationContext(applicationContext: ApplicationContext) {
this.appContext = applicationContext
}
}
|
CoApi/spring/src/main/kotlin/me/ahoo/coapi/spring/client/reactive/LoadBalancedWebClientFactoryBean.kt | 646420195 | /*
* Copyright [2022-present] [ahoo wang <[email protected]> (https://github.com/Ahoo-Wang)].
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package me.ahoo.coapi.spring.client.reactive
import me.ahoo.coapi.spring.CoApiDefinition
import org.springframework.cloud.client.loadbalancer.reactive.LoadBalancedExchangeFilterFunction
import org.springframework.web.reactive.function.client.WebClient
class LoadBalancedWebClientFactoryBean(definition: CoApiDefinition) :
AbstractWebClientFactoryBean(definition) {
companion object {
private val loadBalancedFilterClass = LoadBalancedExchangeFilterFunction::class.java
}
override val builderCustomizer: WebClientBuilderCustomizer = LoadBalancedWebClientBuilderCustomizer()
inner class LoadBalancedWebClientBuilderCustomizer : WebClientBuilderCustomizer {
override fun customize(coApiDefinition: CoApiDefinition, builder: WebClient.Builder) {
builder.filters {
val hasLoadBalancedFilter = it.any { filter ->
filter is LoadBalancedExchangeFilterFunction
}
if (!hasLoadBalancedFilter) {
val loadBalancedExchangeFilterFunction = appContext.getBean(loadBalancedFilterClass)
it.add(loadBalancedExchangeFilterFunction)
}
}
}
}
}
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.