作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我想在 Android Kotlin 应用程序显示的 Google map 上设置一个标记,作为我选择的 URL。很明显,获取 URL 内容需要在 UI 线程之外完成,而协程是这里的方法,所以我想运行几行代码来获取 URL 并将其放入 BitmapDescription
协程中的对象,然后使用 BitmapDescription
调用setIcon
在 Marker
对象来设置自定义图像。
我已经有一个 Marker
,和一个网址。所以我尝试了这个:
uiScope.launch(Dispatchers.IO) { // not sure this is the best way to launch in IO
val furl = URL(myURL)
val bm = BitmapFactory.decodeStream(furl.openConnection().getInputStream())
val bd = BitmapDescriptorFactory.fromBitmap(bm)
uiScope.launch(Dispatchers.Main) { // go back to UI thread; this crashes
marker.setIcon(bd)
}
}
这显然是不对的,因为它会崩溃。获取 URL 并创建
BitmapDescriptor
据我所知,似乎工作正常;一旦我有了
BitmapDescriptor
, 如何调用
marker.setIcon
用它?
最佳答案
虽然您说获取图像并创建 BitmapDescriptor
似乎工作正常,我几乎可以说使用 URL
自己做是不对的联系。获取和解码图像的过程可能涉及许多无法以这种方式处理的可能错误。最好将此责任以及线程切换委托(delegate)给可靠的工具,例如 Glide
.
让我们为 Marker
编写一个扩展函数使用 Glide
在 kotlin
文件:
扩展函数.kt
import android.content.Context
import android.graphics.Bitmap
import com.bumptech.glide.Glide
import com.bumptech.glide.load.DataSource
import com.bumptech.glide.load.engine.GlideException
import com.bumptech.glide.request.RequestListener
import com.bumptech.glide.request.target.Target
import com.google.android.gms.maps.model.BitmapDescriptorFactory
import com.google.android.gms.maps.model.Marker
fun Marker.loadIcon(context: Context, url: String?) {
Glide.with(context)
.asBitmap()
.load(url)
.error(R.drawable.default_marker) // to show a default icon in case of any errors
.listener(object : RequestListener<Bitmap> {
override fun onLoadFailed(
e: GlideException?,
model: Any?,
target: Target<Bitmap>?,
isFirstResource: Boolean
): Boolean {
return false
}
override fun onResourceReady(
resource: Bitmap?,
model: Any?,
target: Target<Bitmap>?,
dataSource: DataSource?,
isFirstResource: Boolean
): Boolean {
return resource?.let {
BitmapDescriptorFactory.fromBitmap(it)
}?.let {
setIcon(it); true
} ?: false
}
}).submit()
}
现在。只需通过标记对象调用它来异步加载图像就足够了:
marker.loadIcon(context, url)
关于android - 适用于 Android 的 Kotlin : setting a Google Maps marker image to a URL,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/63491864/
我是一名优秀的程序员,十分优秀!