网易首页 > 网易号 > 正文 申请入驻

WebView 常见 Crash 分析及解决方案

0
分享至

1 前言

App 出现意外闪退我们称之为 Crash,Crash 率是衡量 App 稳定性的一个重要指标,App 的稳定性不仅影响使用体验,甚至会造成用户流失。由于导致 App Crash 的原因和类型众多,一篇文章无法阐述清楚,也不是本文的重点,我们不做过多赘述。

众所周知,WebView 具有跨端运行的优势,大多场景下无需跟随 App 发版,最新内容渗透率明显高于 Native,这使得 WebView 的应用场景越来越多。WebView 导致的 Crash 也占据较大比例,有效治理 WebVi ew 导致的 Crash 迫在眉睫。

本文主要讲述 Android WebView 常见 Crash 及解决方案。

2 01. WebView 开启多进程引发的崩溃

在 Android 9.0 系统上如果引入多个进程使用 WebView 需要使用官方提供的 api 在子进程中给 WebView 的数据文件夹设置后缀。


WebView.setDataDirectorySuffix(suffix);

否则会出现如下异常:


Using WebView from more than one process at once with the same data directory is not supported. https://crbug.com/5583771 com.android.webview.chromium.WebViewChromiumAwInit.startChromiumLocked(WebViewChromiumAwInit.java:63)2 com.android.webview.chromium.WebViewChromiumAwInitForP.startChromiumLocked(WebViewChromiumAwInitForP.java:3)3 com.android.webview.chromium.WebViewChromiumAwInit$3.run(WebViewChromiumAwInit.java:3)4 android.os.Handler.handleCallback(Handler.java:873)5 android.os.Handler.dispatchMessage(Handler.java:99)6 android.os.Looper.loop(Looper.java:220)7 android.app.ActivityThread.main(ActivityThread.java:7437)8 java.lang.reflect.Method.invoke(Native Method)9 com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:500)10 com.android.internal.os.ZygoteInit.main(ZygoteInit.java:865)

使用官方提供的 API 后问题减少了一部分,但是线上依然有大量崩溃上报。

问题分析

通过阅读源码发现最终调用到了 AwDataDirLock 中的 lock 方法。


public class WebViewChromiumAwInit {protected void startChromiumLocked() {AwBrowserProcess.start();public final class AwBrowserProcess {public static void start() {AwDataDirLock.lock(appContext);

AwDataDirLock 中抛出如上异常的核心代码:


// We failed to get the lock even after retrying.// Many existing apps rely on this even though it's known to be unsafe.// Make it fatal when on P for apps that target P or higherString error = getLockFailureReason(sLockFile);boolean dieOnFailure = Build.VERSION.SDK_INT >= Build.VERSION_CODES.P&& appContext.getApplicationInfo().targetSdkVersion >= Build.VERSION_CODES.P;if (dieOnFailure) {throw new RuntimeException(error);} else {Log.w(TAG, error);

lock 方法对 WebView 缓存目录中的 webview_data.lock 文件在 for 循环中尝试加锁 16 次,如注释解释:可能出现的极端情况是一个旧进程正在被杀死时一个新的进程启动了,如果加载成功会将该进程 id 和进程名写入到文件,如果加锁失败则会抛出异常,在 Android P 及更高版本检测应用是否存在多进程公用 WebView 数据目录的原理就是进程持有 WebView 数据目录中的 webview_ data.lock 文件的锁。所以如果子进程也尝试对 webvie w_data.loc 文件加锁则会导致应用崩溃。


// Android versions before 11 have edge cases where a new instance of an app process can// be started while an existing one is still in the process of being killed. This can// still happen on Android 11+ because the platform has a timeout for waiting, but it's// much less likely. Retry the lock a few times to give the old process time to fully go// away.for (int attempts = 1; attempts <= LOCK_RETRIES; ++attempts) {try {sExclusiveFileLock = sLockFile.getChannel().tryLock();} catch (IOException e) {// Older versions of Android incorrectly throw IOException when the flock()// call fails with EAGAIN, instead of returning null. Just ignore it.if (sExclusiveFileLock != null) {// We got the lock; write out info for debugging.writeCurrentProcessInfo(sLockFile);return;// If we're not out of retries, sleep and try again.if (attempts == LOCK_RETRIES) break;try {Thread.sleep(LOCK_SLEEP_MS);} catch (InterruptedException e) {// We failed to get the lock even after retrying.// Many existing apps rely on this even though it's known to be unsafe.// Make it fatal when on P for apps that target P or higherString error = getLockFailureReason(sLockFile);boolean dieOnFailure = Build.VERSION.SDK_INT >= Build.VERSION_CODES.P&& appContext.getApplicationInfo().targetSdkVersion >= Build.VERSION_CODES.P;if (dieOnFailure) {throw new RuntimeException(error);} else {Log.w(TAG, error);

解决方案

既然获取文件锁失败就会发生崩溃,并且该文件只是用于加锁判断是否存在多进程共用 WebView 数据目录,每次加锁成功都会重新写入对应进程信息,那么我们可以在应用启动时对该文件尝试加锁,如果加锁失败就删除该文件并重新创建,加锁成功就立即释放锁,这样当系统尝试加锁时理论上是可以加锁成功的,也就避免了这个问题的发生。


private static void fixWebviewDataDirLock(Context context) {if (Build.VERSION.SDK_INT < Build.VERSION_CODES.P) {return;try {String suffix = "";String processName = getProcessName(context);if (!TextUtils.equals(context.getPackageName(), processName)) {suffix = TextUtils.isEmpty(processName) ? context.getPackageName() : processName;WebView.setDataDirectorySuffix(suffix);suffix = "_" + suffix;ensureSuffixLock(context,suffix);} catch (Exception e) {e.printStackTrace();
@TargetApi(Build.VERSION_CODES.P)private static void ensureSuffixLock(Context context,String suffix) {String sb = context.getDataDir().getAbsolutePath() +"/app_webview"+suffix+"/webview_data.lock";File file = new File(sb);if (file.exists()) {try {FileLock tryLock = new RandomAccessFile(file, "rw").getChannel().tryLock();if (tryLock != null) {tryLock.close();} else {createFile(file, file.delete());} catch (Exception e) {e.printStackTrace();boolean deleted = false;if (file.exists()) {deleted = file.delete();createFile(file, deleted);
private static void createFile(File file, boolean deleted){try {if (deleted && !file.exists()) {file.createNewFile();} catch (Exception e) {e.printStackTrace();

3 02. 支持 64 位 CPU 架构升级引发的 Crash

App 升级支持 64 位系统后,部分国产手机升级覆盖安装后,进入 WebView 的页面发生 Crash,日志如下:


pid: 1947, tid: 2230, name: Chrome_InProcGp >>> com.####### <<<signal 11 (SIGSEGV), code 1 (SEGV_MAPERR), fault addr 0x958caf8000x0 000000718baf4000 x1 0000000000000000 x2 000000718baf4000 x3 000000718baf4250x4 0000000000000000 x5 000000718baf4b44 x6 00000000000029a4 x7 000000718baf69a4x8 0000000000000000 x9 0000007188e2a748 x10 000000718baf4afc x11 0000000000000b44x12 0000000000000001 x13 000000718baf4b44 x14 0000000000000000 x15 0000002401004000x16 0000007188e2a748 x17 0000000000000000 x18 000000958caf8000 x19 0000007187361200x20 00000071a54cb080 x21 000000718baf1000 x22 000000718baf4000 x23 000000718baf4070x24 00000071a147b07c x25 0000007188e2a748 x26 0000000000000000 x27 0000000000000000x28 0000000000000130 x29 0000000000000000 x30 00000071a118a12csp 0000007188e2a4d0 pc 00000071a118a384 pstate 000000006000000008-20 16:38:46.697 2304-2304/? A/DEBUG: backtrace:#00 pc 0000000000a7b384 /vendor/lib64/libllvm-glnext.so(ShaderObjects::loadProgramBinary(CompilerContext, void, unsigned long, QGLC_LINKPROGRAM_RESULT)+1400)#01 pc 00000000009b0e38 /vendor/lib64/libllvm-glnext.so(CompilerContext::loadProgramBinary(void, unsigned long, QGLC_LINKPROGRAM_RESULT)+156)#02 pc 0000000000a92550 /vendor/lib64/libllvm-glnext.so(QGLCLoadProgramBinary(void, void, unsigned long, QGLC_LINKPROGRAM_RESULT)+88)#03 pc 00000000001b9694 /vendor/lib64/egl/libGLESv2_adreno.so (EsxShaderCompiler::LoadProgramBinaryBlob(EsxContext, EsxProgram, void const, unsigned long, EsxInfoLog)+256)08-20 16:38:48.125 1395-1743/? E/TaskPersister: File error accessing recents directory (directory doesn't exist?).

问题分析

Android 8.0 版本的 WebView 在读取 WebView 缓存时出现内存溢出。

解决方案

App 升级后删除 /data/data/ 包名 /app_webview/GPUCache 目录,由于手机厂商对 app_webview/GPUCache 目录修改太多不同机型删除细节不同。如华为手机的目录是 app_hws_webview/Default/GPUCache;OPPO 和小米手机的目录是 app_webview/Default/GPUCache,为了彻底兼容不同机型的适配问题,我们采用暴力删除的方式,App 版本升级后,首次启动时删除 /data/data/ 包名 / 所有包含 webview 的缓存目录。


SharedPreferences prefs =application.getSharedPreferences("WebViewChromiumPrefs", Context.MODE_PRIVATE);prefs.edit().clear().apply();final File dir = context.getFilesDir();if (dir != null && dir.getParent() != null) {File file = new File(dir.getParent());if (file.exists() && file.isDirectory()) {final File[] files = file.listFiles();if (files != null) {for (File child : files) {final String path = child.getAbsolutePath();if (!TextUtils.isEmpty(path) && path.toLowerCase().contains("webview")) {deleteFile(child);
private static void deleteFile(File file) {if (file == null || !file.exists()) {return;if (file.isDirectory()) {File[] files = file.listFiles();if (files != null) {for (File child : files) {deleteFile(child);} else {file.delete();

4 03. WebView 本地缓存数据导致的 Crash

App 覆盖升级安装后在部分手机上进入 WebView 页面直接崩溃的现象,而且是必现的,非首次安装不会出现该问题。对于出现问题的手机只能进入到设置 - 应用管理 - 应用里清楚数据,用户体验极差。


signal 6 (SIGABRT), code -6 (SI_TKILL), fault addr --------Abort message: 'java_vm_ext.cc:534] JNI DETECTED ERROR IN APPLICATION:JNI GetMethodID called with pending exception java.lang.NoSuchMethodError: no non-static method"Lorg/android/spdy/SpdyAgent;.spdySessionConnectCB(Lorg/android/spdy/SpdySession;Lorg/android/spdy/SuperviseConnectInfo;)V"'r0 00000000 r1 000001fe r2 00000006 r3 00000008r4 0000018c r5 000001fe r6 89219074 r7 0000010cr8 00000000 r9 a4319368 sl 0000000a fp 892190c0ip 972e59e0 sp 89219060 lr a4ec18bd pc a4ebb40e cpsr 200b0030
backtrace:#00 pc 0001a40e /system/lib/libc.so (abort+63)#01 pc 0035ca45 /system/lib/libart.so (art::Runtime::Abort(char const*)+392)#02 pc 0041fe2d /system/lib/libart.so (android::base::LogMessage::~LogMessage()+452)#03 pc 0024e545 /system/lib/libart.so (art::JavaVMExt::JniAbort(char const*, char const*)+1212)#04 pc 0024e6c7 /system/lib/libart.so (art::JavaVMExt::JniAbortV(char const*, char const*, std::__va_list)+58)#05 pc 000d6403 /system/lib/libart.so (art::ScopedCheck::AbortF(char const*, ...)+42)#06 pc 000d5f83 /system/lib/libart.so (art::ScopedCheck::CheckThread(_JNIEnv*)+274)#07 pc 000d492d /system/lib/libart.so (art::ScopedCheck::Check(art::ScopedObjectAccess&, bool, char const*, art::JniValueType*)+596)#08 pc 000d79e9 /system/lib/libart.so (art::CheckJNI::GetMethodIDInternal(char const*, _JNIEnv*, _jclass*, char const*, char const*, bool)+464)#09 pc 000c9365 /system/lib/libart.so (art::CheckJNI::GetMethodID(_JNIEnv*, _jclass*, char const*, char const*)+20)#10 pc 00003657 /data/app/ 此处为应用包名 -K2pKM3UWvCbPitz1xjJr7A==/lib/arm/libtnet-3.1.11.so#11 pc 00004a0d /data/app/ 此处为应用包名 -K2pKM3UWvCbPitz1xjJr7A==/lib/arm/libtnet-3.1.11.so#12 pc 0003d0cd /data/app/ 此处为应用包名 -K2pKM3UWvCbPitz1xjJr7A==/oat/arm/base.odex(offset 0x3b000)

问题分析

清除应用数据后不再崩溃,可以正常使用,结合上面日志里面出现的 data/data/ 应用包名 /lib/***.so,由此推断系统在覆盖安装或升级新版本的时候如果老版本和新版本存在相同库文件并不会重新加载进系统导致新版本安装之后用的还是老版本加载的库文件,然而新版本与老版本的缓存文件之间没有必要的关联,从而导致找不到方法名而报错。

解决方案

根据上面分析,在新版本进入应用初始化的时候对应用缓存进行一次清理,在系统检测到没有缓存之后就会重新加载新的库文件主要清楚的缓存文件路径是:getFileDir().getParent() 这个路径下有一些文件夹如:/lib、/database、/shared_prefs..... /shared_prefs 下面保存的是 SharedPreference 数据,/database 下保存的是 db 数据库文件,这两个文件下的文件保存着用户数据,可以不用删除或者选择性删除,删除代码如下:


public static void deleteFolder(File file) {if (!file.exists())return;
if (file.isDirectory()) {File files[] = file.listFiles();for (int i = 0; i < files.length; i++) {if(files[i].getAbsolutePath().endsWith("/databases")){continue;deleteFolder(files[i]);if(!file.getAbsolutePath().endsWith("/shared_prefs/user_info.xml") ){file.delete();SharePreferenceUtils.saveOrUpdateAttribute(context,MyConstants.USER_INFO, "dataCleared", true);

在 Application 的 onCreate 方法中调用:


@Overridepublic void onCreate() {super.onCreate();if(!SharePreferenceUtils.getAttributeByKey(this,MyConstants.USER_INFO, "dataCleared",SharePreferenceUtil.VALUE_IS_BOOLEAN)){deleteFolder(new File(getFilesDir().getParent()));

在删除 SharePreference 数据的时候,只保留了自己创建的文件,其余都删除了,因为在测试过程中发现如果保留整个 /shared_prefs 文件夹的话还是会出错,里面存有一些其他第三方库文件写进去的数据如果不清楚也会报错。

5 04. WebView 页面 OOM


2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 W Adreno-GSL: : sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory2973 8387 E Adreno-GSL: : GSL MEM ERROR: kgsl_sharedmem_alloc ioctl failed.2973 8387 E chromium: [ERROR:buffer_manager.cc(488)] [.RendererMainThread-0xe90cdf20]GL ERROR:GL_OUT_OF_MEMORY : glBufferData: <- error from previous GL command2973 8387 E chromium: [ERROR:gles2_cmd_decoder.cc(5995)] Error: 5 for Command kBufferData

MemFree: 1211920 kB
VmSize: 3912496 kB

问题分析

通过日志 sharedmem_gpumem_alloc: mmap failed errno 12 Out of memory 不难发现,Crash 的原因是内存分配出现问题引发了 RenderMainThread 退出,RenderMainThread 8387 是负责向 GPU 申请绘制所需内存的,GPU 与 RAM 本质都是一块物理内存,sharedme m_gpumem_alloc 需要分配内存 VmSize 近 4G,而此时可供使用的有效内存 1.16G,申请分配远超空闲内存,引发内存 OOM 而发生崩溃。

解决方案

针对该 Crash,紧急联系相关运营人员中止活动投放,同时将页面替换成文本 + 小图的方式后再次投放,Crash 得以中止。

但是这种方案不是长久之计,我们有效约束所有运营人员都按照我们的标准去配置。所以短期的解决方案是后端限制图片的分辨率,当超出该分辨率后提示上传失败并给出提示及引导方案。

长期有效的方案是在 WebView 页面加载图片的时候,校验图片的分辨率和大小,对不符合规范的图片做响应的压缩,像 Glide 一样。这项内容我们还在有条不紊的规划开发中,待成熟后及时输出给大家。

6 0.5 WebView 常见问题

  • 安全策略导致白屏


// 在安卓 5.0 之后,默认不允许加载 http 与 https 混合内容,需要设置 webView 允许其加载混合网络协议内容if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {webviewSetting.setMixedContentMode(WebSettings.MIXED_CONTENT_ALWAYS_ALLOW);
  • 安全浏览功能


//Android 8 以上 默认开启 &【Google Play Service】span>webviewSetting.setSafeBrowsingEnabled(false) 26 以下 xml 中配置WebView.setSafeBrowsingWhitelist(List hosts, ValueCallbackcallback)
  • 证书验证


public void onReceivedSslError(WebView view, SslErrorHandler handler, SslError error) {// handler.cancel(); 不处理或者 cancel 默认白屏// handler.proceed(); // 忽略证书异常,正常加载页面,不推荐// TODO 进行证书验证
  • 兼容性导致的 WebView 页面白屏

1.WebView 默认不支持标签:


localStorage.XXX = YYY
webviewSetting.setDomStorageEnbale(true)
  1. 语法错误造成页面无法渲染

  2. 网络资源获取出错

  • 内存问题导致的 WebView 页面白屏

  1. Webview 自身内存问题


if (mWebView != null) {mWebView.loadDataWithBaseURL(null, "", "text/html", "utf-8", null);mWebView.clearHistory();mLayout.removeView(mWebView);mWebView.destroy();mWebView = null;
  1. 加载内容引起的内存问题

对 WebViewClient.onRenderProcessGone(WebView view, RenderProcessGoneDetail detail) 回调进行处理,将引起问题的 WebView 移除、destroy()。

活动推荐

汇集全网最深度技术内容,聚齐各领域最优秀创作者
InfoQ 引航计划正式启动,下一个引导技术领域共建发展的 Pioneer 就是你!
扫描下方二维码获取更多活动信息!

特别声明:以上内容(如有图片或视频亦包括在内)为自媒体平台“网易号”用户上传并发布,本平台仅提供信息存储服务。

Notice: The content above (including the pictures and videos if any) is uploaded and posted by a user of NetEase Hao, which is a social media platform and only provides information storage services.

相关推荐
热点推荐
周鸿祎:360不能卸载是谣言 繁琐是故意为之

周鸿祎:360不能卸载是谣言 繁琐是故意为之

3DMGAME官方号
2024-06-13 17:08:39
日本参与对华制裁,G7要将华踢出SWIFT,中方抛美债建新结算体系

日本参与对华制裁,G7要将华踢出SWIFT,中方抛美债建新结算体系

影孖看世界
2024-06-13 00:27:24
刚刚,大爆冷!17岁中专女生闯进全球数学竞赛12强,学服装设计的她怎么做到的?

刚刚,大爆冷!17岁中专女生闯进全球数学竞赛12强,学服装设计的她怎么做到的?

都市快报橙柿互动
2024-06-13 14:57:11
科学家终于公布酸奶和大病的关系,你知道吗?

科学家终于公布酸奶和大病的关系,你知道吗?

霹雳炮
2024-06-12 23:41:08
“中国人在将屋顶涂成蓝色”,许多美国网民吓坏了

“中国人在将屋顶涂成蓝色”,许多美国网民吓坏了

环球时报国际
2024-06-13 22:43:56
帕金斯:东契奇是独行侠输G3的原因 他从比赛开始时就一直在抱怨

帕金斯:东契奇是独行侠输G3的原因 他从比赛开始时就一直在抱怨

直播吧
2024-06-13 21:33:04
女子带男子去看房两小时,深入沟通后成功签约,女子累得扶墙走

女子带男子去看房两小时,深入沟通后成功签约,女子累得扶墙走

你回头我就在
2024-06-06 11:46:36
网红老板娘“佳佳”去世!前一天直播到深夜,知情人曝更多细节

网红老板娘“佳佳”去世!前一天直播到深夜,知情人曝更多细节

裕丰娱间说
2024-06-12 18:17:55
6月13日俄乌最新:俄罗斯海军最强战队杀入美国后院

6月13日俄乌最新:俄罗斯海军最强战队杀入美国后院

西楼饮月
2024-06-13 15:12:33
性生活时,为何轻柔触摸乳房更为关键?

性生活时,为何轻柔触摸乳房更为关键?

智见派
2024-06-12 00:46:52
避免影响储户取款,深圳多家银行超5万元大额取款需预约

避免影响储户取款,深圳多家银行超5万元大额取款需预约

南方都市报
2024-06-13 23:22:22
“辛追夫人”数字人疑似复原专家自己,该如何解开观众的疑问

“辛追夫人”数字人疑似复原专家自己,该如何解开观众的疑问

极目新闻
2024-06-12 09:58:29
深圳一家五口喝汤中毒,2人进ICU!

深圳一家五口喝汤中毒,2人进ICU!

南方都市报
2024-06-13 20:45:08
突发!广汕公路16车连环相撞,起因是司机操作不当,评论区炸锅!

突发!广汕公路16车连环相撞,起因是司机操作不当,评论区炸锅!

乡野小珥
2024-06-14 02:30:36
有了新欢,会忘记旧爱吗?三个男人说了心里话

有了新欢,会忘记旧爱吗?三个男人说了心里话

莲子说情感
2024-06-12 11:28:47
这一天终究还是来了,说好的淘汰燃油车,没想到电车这要先倒下了

这一天终究还是来了,说好的淘汰燃油车,没想到电车这要先倒下了

芯怡飞
2024-06-14 00:11:39
喝茶对心脏到底是好是坏?医生苦劝:4种茶,一口都不要喝

喝茶对心脏到底是好是坏?医生苦劝:4种茶,一口都不要喝

宋若讲故事
2023-01-18 21:38:26
笑不活了,中俄免签的第一批受害者出现了,要被评论区笑死了

笑不活了,中俄免签的第一批受害者出现了,要被评论区笑死了

奇特短尾矮袋鼠
2024-06-07 15:54:13
惨不忍睹!河南汽车城火灾现场一片火海,震撼画面曝光!

惨不忍睹!河南汽车城火灾现场一片火海,震撼画面曝光!

小毅讲历史
2024-06-12 18:39:58
孙楠冲上热搜!身高178,体重130斤引爆笑,坐韩红对面瘦到认不出

孙楠冲上热搜!身高178,体重130斤引爆笑,坐韩红对面瘦到认不出

山野下
2024-06-12 08:33:54
2024-06-14 07:34:44
InfoQ
InfoQ
有内容的技术社区媒体
9904文章数 50005关注度
往期回顾 全部

科技要闻

小红书员工仅1/5工龄满2年 32岁就不让进了

头条要闻

欧盟拟加税 玉渊谭天:中方可对欧盟白兰地等采取行动

头条要闻

欧盟拟加税 玉渊谭天:中方可对欧盟白兰地等采取行动

体育要闻

乔丹最想单挑的男人走了

娱乐要闻

森林北报案,称和汪峰的感情遭受压力

财经要闻

私募大佬孙强:中国为什么缺少耐心资本

汽车要闻

升级8155芯片 新款卡罗拉锐放售12.98-18.48万

态度原创

教育
游戏
时尚
本地
军事航空

教育要闻

快收藏!@山东高考生,手把手教你填报志愿!附视频操作步骤+图文详解

《乐高地平线大冒险》使用虚幻5开发 支持光追

受法律保护的可颂,究竟有多好吃!?

本地新闻

粽情一夏|海河龙舟赛,竟然成了外国人的大party!

军事要闻

美军演习将罕见以4万吨级准航母作为靶舰

无障碍浏览 进入关怀版