Flutter启动流程(2)

Flutter启动流程

简述

我们还是从Flutter在Android上启动流程来学习Flutter,只要学习了启动流程,就会对Flutter的实现有一些理解,否则像Flutter,RN这些对于原生应用开发者就像是一个黑盒子。
Flutter 在Android上必然还是要依赖于Activity的,Activity启动之后应该会启动dart虚拟机,执行dart上UI节点的构建,后续UI节点构建后应该会通过绘制引擎(skia,vulkan之类的)来渲染UI,本节主要来看第一个Activity启动dart虚拟机这个流程。

启动流程

我们根据官网来构建一个Flutter app,然后从Activity开始看。

1.1 MainActivity
这个MainActivity什么逻辑都没有,只是继承了FlutterActivity,这个FlutterActivity的源码在Flutter engine的仓库里。
我们来看一下Activity的onCreate和onStart里做的事~

class MainActivity: FlutterActivity()

1.2 FlutterActivity.onCreate
onCreate中构造了FlutterActivityAndFragmentDelegate,用于逻辑解耦,逻辑都在这个类里,然后调用onAttach,onAttach里构造了FlutterEngine,FlutterEngine里面包含了FlutterJNI,DartExecutor等,FlutterEngine核心逻辑都是C++写的,这里就是通过JNI绑定Native真实的实现。

@Override
protected void onCreate(@Nullable Bundle savedInstanceState) {// 配置主题switchLaunchThemeForNormalTheme();super.onCreate(savedInstanceState);// 构建Delegate,逻辑解耦,主要的逻辑都在这个类里delegate = new FlutterActivityAndFragmentDelegate(this);// 构造绑定FlutterEnginedelegate.onAttach(this);delegate.onRestoreInstanceState(savedInstanceState);lifecycle.handleLifecycleEvent(Lifecycle.Event.ON_CREATE);configureWindowForTransparency();// 构造FlutterView,Flutter的渲染都在这个View上,详见1.3setContentView(createFlutterView());configureStatusBarForFullscreenFlutterExperience();
}

1.3 FlutterActivity.createFlutterView
调用了delegate的onCreateView构造FlutterView

private View createFlutterView() {// 详见1.4 return delegate.onCreateView(/* inflater=*/ null,/* container=*/ null,/* savedInstanceState=*/ null,/*flutterViewId=*/ FLUTTER_VIEW_ID,/*shouldDelayFirstAndroidViewDraw=*/ getRenderMode() == RenderMode.surface);
}

1.4 FlutterActivityAndFragmentDelegate.onCreateView
Android有两种渲染View,一种是基于TextureView的,一种是基于SurfaceView的,FlutterView继承了FrameLayout,然后会将这里的SurfaceView/TextureView添加到FlutterView中,后续的绘制都是在这个上面,我们来看SurfaceView的流程。
onCreate创建完FlutterView之后,我们接着看Activity onStart的流程。

View onCreateView(LayoutInflater inflater,@Nullable ViewGroup container,@Nullable Bundle savedInstanceState,int flutterViewId,boolean shouldDelayFirstAndroidViewDraw) {Log.v(TAG, "Creating FlutterView.");ensureAlive();if (host.getRenderMode() == RenderMode.surface) {FlutterSurfaceView flutterSurfaceView =new FlutterSurfaceView(host.getContext(), host.getTransparencyMode() == TransparencyMode.transparent);// 这里什么也没做host.onFlutterSurfaceViewCreated(flutterSurfaceView);// 构建FlutterViewflutterView = new FlutterView(host.getContext(), flutterSurfaceView);} else {// 使用TextureView构建FlutterView}flutterView.addOnFirstFrameRenderedListener(flutterUiDisplayListener);if (host.attachToEngineAutomatically()) {Log.v(TAG, "Attaching FlutterEngine to FlutterView.");flutterView.attachToFlutterEngine(flutterEngine);}flutterView.setId(flutterViewId);if (shouldDelayFirstAndroidViewDraw) {delayFirstAndroidViewDraw(flutterView);}return flutterView;
}

1.5 FlutterActivity.onStart
调用FlutterActivityAndFragmentDelegate.onStart

protected void onStart() {super.onStart();lifecycle.handleLifecycleEvent(Lifecycle.Event.ON_START);if (stillAttachedForEvent("onStart")) {// 详见1.6delegate.onStart();}
}

1.6 FlutterActivityAndFragmentDelegate.onStart
调用doInitialFlutterViewRun来初始化Flutter实现的View

void onStart() {Log.v(TAG, "onStart()");ensureAlive();// 初始化View的流程。详见1.7doInitialFlutterViewRun();if (previousVisibility != null) {flutterView.setVisibility(previousVisibility);}
}

1.7 FlutterActivityAndFragmentDelegate.doInitialFlutterViewRun
根据配置寻找dart入口点,主要是dart的文件路径和入口函数。
然后将入口信息封装到DartEntrypoint,调用executeDartEntrypoint执行dart。

private void doInitialFlutterViewRun() {// 检查是否有缓存if (host.getCachedEngineId() != null) {return;}if (flutterEngine.getDartExecutor().isExecutingDart()) {return;}// 这里根据配置寻找dart的入口点根目录String initialRoute = host.getInitialRoute();if (initialRoute == null) {initialRoute = maybeGetInitialRouteFromIntent(host.getActivity().getIntent());if (initialRoute == null) {initialRoute = DEFAULT_INITIAL_ROUTE;}}@Nullable String libraryUri = host.getDartEntrypointLibraryUri();flutterEngine.getNavigationChannel().setInitialRoute(initialRoute);String appBundlePathOverride = host.getAppBundlePath();if (appBundlePathOverride == null || appBundlePathOverride.isEmpty()) {appBundlePathOverride = FlutterInjector.instance().flutterLoader().findAppBundlePath();}// 构建DartEntrypoint,这个封装了入口点信息,主要是dart入口的文件路径和入口函数DartExecutor.DartEntrypoint entrypoint =libraryUri == null? new DartExecutor.DartEntrypoint(appBundlePathOverride, host.getDartEntrypointFunctionName()): new DartExecutor.DartEntrypoint(appBundlePathOverride, libraryUri, host.getDartEntrypointFunctionName());// 执行dart入口函数,详见1.8  flutterEngine.getDartExecutor().executeDartEntrypoint(entrypoint, host.getDartEntrypointArgs());
}

1.8 executeDartEntrypoint
调用flutterJNI.runBundleAndSnapshotFromLibrary执行dart入口函数。

public void executeDartEntrypoint(@NonNull DartEntrypoint dartEntrypoint, @Nullable List<String> dartEntrypointArgs) {// 如果已经执行过dart虚拟机,就返回if (isApplicationRunning) {Log.w(TAG, "Attempted to run a DartExecutor that is already running.");return;}try (TraceSection e = TraceSection.scoped("DartExecutor#executeDartEntrypoint")) {Log.v(TAG, "Executing Dart entrypoint: " + dartEntrypoint);// 调用flutterJNI.runBundleAndSnapshotFromLibrary执行dart,详见1.9flutterJNI.runBundleAndSnapshotFromLibrary(dartEntrypoint.pathToBundle,dartEntrypoint.dartEntrypointFunctionName,dartEntrypoint.dartEntrypointLibrary,assetManager,dartEntrypointArgs);isApplicationRunning = true;}
}

1.9 FlutterJNI.runBundleAndSnapshotFromLibrary
调用native函数,到C++层。

public void runBundleAndSnapshotFromLibrary(@NonNull String bundlePath,@Nullable String entrypointFunctionName,@Nullable String pathToEntrypointFunction,@NonNull AssetManager assetManager,@Nullable List<String> entrypointArgs) {ensureRunningOnMainThread();ensureAttachedToNative();// 详见1.10nativeRunBundleAndSnapshotFromLibrary(nativeShellHolderId,bundlePath,entrypointFunctionName,pathToEntrypointFunction,assetManager,entrypointArgs);
}

1.10 RunBundleAndSnapshotFromLibrary
jni调用到C++层。

static void RunBundleAndSnapshotFromLibrary(JNIEnv* env,jobject jcaller,jlong shell_holder,jstring jBundlePath,jstring jEntrypoint,jstring jLibraryUrl,jobject jAssetManager,jobject jEntrypointArgs) {auto apk_asset_provider = std::make_unique<flutter::APKAssetProvider>(env,                                            // jni environmentjAssetManager,                                  // asset managerfml::jni::JavaStringToString(env, jBundlePath)  // apk asset dir);auto entrypoint = fml::jni::JavaStringToString(env, jEntrypoint);auto libraryUrl = fml::jni::JavaStringToString(env, jLibraryUrl);auto entrypoint_args = fml::jni::StringListToVector(env, jEntrypointArgs);// 详见1.11ANDROID_SHELL_HOLDER->Launch(std::move(apk_asset_provider), entrypoint,libraryUrl, entrypoint_args);
}

1.11 AndroidShellHolder::Launch
将dart入口函数信息封装到BuildRunConfiguration,然后调用RunEngine来执行。

void AndroidShellHolder::Launch(std::unique_ptr<APKAssetProvider> apk_asset_provider,const std::string& entrypoint,const std::string& libraryUrl,const std::vector<std::string>& entrypoint_args) {if (!IsValid()) {return;}apk_asset_provider_ = std::move(apk_asset_provider);// 封装入口信息到BuildRunConfigurationauto config = BuildRunConfiguration(entrypoint, libraryUrl, entrypoint_args);if (!config) {return;}UpdateDisplayMetrics();// 详见1.12shell_->RunEngine(std::move(config.value()));
}

1.12 Shell::RunEngine
通过engine->Run调用dart代码,这里RunEngine我们省略了一个重载函数,就是result_callback为null。
result_callback是用于dart执行完成之后回调使用的。

void Shell::RunEngine(RunConfiguration run_configuration,const std::function<void(Engine::RunStatus)>& result_callback) {
// 这里result_callback是null,我们省略了一个重载函数,result_callback是用于调用执行完dart之后回调的方法。
auto result = [platform_runner = task_runners_.GetPlatformTaskRunner(),result_callback](Engine::RunStatus run_result) {if (!result_callback) {return;}platform_runner->PostTask([result_callback, run_result]() { result_callback(run_result); });
};
FML_DCHECK(is_set_up_);
FML_DCHECK(task_runners_.GetPlatformTaskRunner()->RunsTasksOnCurrentThread());fml::TaskRunner::RunNowOrPostTask(task_runners_.GetUITaskRunner(),fml::MakeCopyable([run_configuration = std::move(run_configuration),weak_engine = weak_engine_, result]() mutable {// weak_engine是flutter的engine,如果这里没拿到就直接返回失败if (!weak_engine) {FML_LOG(ERROR)<< "Could not launch engine with configuration - no engine.";result(Engine::RunStatus::Failure);return;}// 通过engine->Run执行dart代码,详见1.13auto run_result = weak_engine->Run(std::move(run_configuration));if (run_result == flutter::Engine::RunStatus::Failure) {FML_LOG(ERROR) << "Could not launch engine with configuration.";}result(run_result);}));
}

1.13 Engine::Run
调用runtime_controller_->LaunchRootIsolate

Engine::RunStatus Engine::Run(RunConfiguration configuration) {// ...last_entry_point_ = configuration.GetEntrypoint();last_entry_point_library_ = configuration.GetEntrypointLibrary();// ...UpdateAssetManager(configuration.GetAssetManager());if (runtime_controller_->IsRootIsolateRunning()) {return RunStatus::FailureAlreadyRunning;}auto root_isolate_create_callback = [&]() {if (settings_.prefetched_default_font_manager) {SetupDefaultFontManager();}};// 调用runtime_controller_的LaunchRootIsolate执行dart逻辑,详见1.14if (!runtime_controller_->LaunchRootIsolate(settings_,                                 //root_isolate_create_callback,              //configuration.GetEntrypoint(),             //configuration.GetEntrypointLibrary(),      //configuration.GetEntrypointArgs(),         //configuration.TakeIsolateConfiguration())  //) {return RunStatus::Failure;}// ...return Engine::RunStatus::Success;
}

1.14 RuntimeController::LaunchRootIsolate
调用DartIsolate::CreateRunningRootIsolate执行dart虚拟机

bool RuntimeController::LaunchRootIsolate(const Settings& settings,const fml::closure& root_isolate_create_callback,std::optional<std::string> dart_entrypoint,std::optional<std::string> dart_entrypoint_library,const std::vector<std::string>& dart_entrypoint_args,std::unique_ptr<IsolateConfiguration> isolate_configuration) {// ...通过锁检查是否已经构建了DartIsolate// 调用CreateRunningRootIsolate,详见1.15auto strong_root_isolate =DartIsolate::CreateRunningRootIsolate(settings,                                       //isolate_snapshot_,                              //std::make_unique<PlatformConfiguration>(this),  //DartIsolate::Flags{},                           //root_isolate_create_callback,                   //isolate_create_callback_,                       //isolate_shutdown_callback_,                     //std::move(dart_entrypoint),                     //std::move(dart_entrypoint_library),             //dart_entrypoint_args,                           //std::move(isolate_configuration),               //context_,                                       //spawning_isolate_.lock().get())                 //.lock();if (!strong_root_isolate) {FML_LOG(ERROR) << "Could not create root isolate.";return false;}strong_root_isolate->GetIsolateGroupData().SetPlatformMessageHandler(strong_root_isolate->GetRootIsolateToken(),client_.GetPlatformMessageHandler());root_isolate_ = strong_root_isolate;strong_root_isolate->SetReturnCodeCallback([this](uint32_t code) { root_isolate_return_code_ = code; });// ...return true;
}

1.15 DartIsolate::CreateRunningRootIsolate
做了一些检查后,处理和配置了dart虚拟机创建和销毁回调,然后调用RunFromLibrary执行dart。

std::weak_ptr<DartIsolate> DartIsolate::CreateRunningRootIsolate(const Settings& settings,const fml::RefPtr<const DartSnapshot>& isolate_snapshot,std::unique_ptr<PlatformConfiguration> platform_configuration,Flags isolate_flags,const fml::closure& root_isolate_create_callback,const fml::closure& isolate_create_callback,const fml::closure& isolate_shutdown_callback,std::optional<std::string> dart_entrypoint,std::optional<std::string> dart_entrypoint_library,const std::vector<std::string>& dart_entrypoint_args,std::unique_ptr<IsolateConfiguration> isolate_configuration,const UIDartState::Context& context,const DartIsolate* spawning_isolate) {// ...isolate_flags.SetNullSafetyEnabled(isolate_configuration->IsNullSafetyEnabled(*isolate_snapshot));isolate_flags.SetIsDontNeedSafe(isolate_snapshot->IsDontNeedSafe());auto isolate = CreateRootIsolate(settings,                           //isolate_snapshot,                   //std::move(platform_configuration),  //isolate_flags,                      //isolate_create_callback,            //isolate_shutdown_callback,          //context,                            //spawning_isolate                    //).lock();// ...// 回调dart虚拟机创建的回调if (settings.root_isolate_create_callback) {tonic::DartState::Scope scope(isolate.get());settings.root_isolate_create_callback(*isolate.get());}if (root_isolate_create_callback) {root_isolate_create_callback();}// 调用RunFromLibrary执行dart,详见1.16if (!isolate->RunFromLibrary(std::move(dart_entrypoint_library),  //std::move(dart_entrypoint),          //dart_entrypoint_args)) {FML_LOG(ERROR) << "Could not run the run main Dart entrypoint.";return {};}// 配置dart虚拟机shutdown回调if (settings.root_isolate_shutdown_callback) {isolate->AddIsolateShutdownCallback(settings.root_isolate_shutdown_callback);}shutdown_on_error.Release();return isolate;
}

1.16 DartIsolate::RunFromLibrary
获取dart入口函数,使用Dart_GetField获取入口函数,调用InvokeMainEntrypoint执行dart虚拟机。

bool DartIsolate::RunFromLibrary(std::optional<std::string> library_name,std::optional<std::string> entrypoint,const std::vector<std::string>& args) {TRACE_EVENT0("flutter", "DartIsolate::RunFromLibrary");if (phase_ != Phase::Ready) {return false;}tonic::DartState::Scope scope(this);// 获取dart入口库信息auto library_handle =library_name.has_value() && !library_name.value().empty()? ::Dart_LookupLibrary(tonic::ToDart(library_name.value().c_str())): ::Dart_RootLibrary();// 获取dart的入口点auto entrypoint_handle = entrypoint.has_value() && !entrypoint.value().empty()? tonic::ToDart(entrypoint.value().c_str()): tonic::ToDart("main");if (!FindAndInvokeDartPluginRegistrant()) {InvokeDartPluginRegistrantIfAvailable(library_handle);}// 获取dart入口函数auto user_entrypoint_function =::Dart_GetField(library_handle, entrypoint_handle);auto entrypoint_args = tonic::ToDart(args);// 调用dart虚拟机,详见1.17if (!InvokeMainEntrypoint(user_entrypoint_function, entrypoint_args)) {return false;}phase_ = Phase::Running;return true;
}

1.17 InvokeMainEntrypoint
调用DartInvokeField来调用Dart的方法,Dart_LookupLibrary和DartInvokeField都是dart sdk提供的接口。
这里之后就到了main.dart进入dart入口。

[[nodiscard]] static bool InvokeMainEntrypoint(Dart_Handle user_entrypoint_function,Dart_Handle args) {// ...// 调用DartInvokeFieldDart_Handle start_main_isolate_function =tonic::DartInvokeField(Dart_LookupLibrary(tonic::ToDart("dart:isolate")),"_getStartMainIsolateFunction", {});if (tonic::CheckAndHandleError(start_main_isolate_function)) {FML_LOG(ERROR) << "Could not resolve main entrypoint trampoline.";return false;}if (tonic::CheckAndHandleError(tonic::DartInvokeField(Dart_LookupLibrary(tonic::ToDart("dart:ui")), "_runMain",{start_main_isolate_function, user_entrypoint_function, args}))) {FML_LOG(ERROR) << "Could not invoke the main entrypoint.";return false;}return true;
}

小结

我们基于Flutter在Android上的启动流程,来了解了一下Flutter app是怎么构建构建FlutterView,启动dart虚拟机,然后进入dart入口的。
后面我们会介绍dart层是怎么管理Widget,然后进行渲染的。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/59107.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【java】java的基本程序设计结构06-运算符

运算符 一、分类 算术运算符关系运算符位运算符逻辑运算符赋值运算符其他运算符 1.1 算术运算符 操作符描述例子加法 - 相加运算符两侧的值A B 等于 30-减法 - 左操作数减去右操作数A – B 等于 -10*乘法 - 相乘操作符两侧的值A * B等于200/除法 - 左操作数除以右操作数B /…

As Simple as One and Two

E. As Simple as One and Two You are given a non-empty string s s 1 s 2 … s n ss_1s_2\dots s_n ss1​s2​…sn​, which consists only of lowercase Latin letters. Polycarp does not like a string if it contains at least one string “one” or at least one st…

Spring Cloud Sleuth(Micrometer Tracing +Zipkin)

分布式链路追踪 分布式链路追踪技术要解决的问题&#xff0c;分布式链路追踪&#xff08;Distributed Tracing&#xff09;&#xff0c;就是将一次分布式请求还原成调用链路&#xff0c;进行日志记录&#xff0c;性能监控并将一次分布式请求的调用情况集中展示。比如各个服务节…

关于我的编程语言——C/C++——第四篇(深入1)

&#xff08;叠甲&#xff1a;如有侵权请联系&#xff0c;内容都是自己学习的总结&#xff0c;一定不全面&#xff0c;仅当互相交流&#xff08;轻点骂&#xff09;我也只是站在巨人肩膀上的一个小卡拉米&#xff0c;已老实&#xff0c;求放过&#xff09; 字符类型介绍 char…

一台手机可以登录运营多少个TikTok账号?

很多TikTok内容创作者和商家通过运营多个账号来实现品牌曝光和产品销售&#xff0c;这种矩阵运营方式需要一定的技巧和设备成本&#xff0c;那么对于很多新手来说&#xff0c;一台手机可以登录和运营多少个TikTok账号呢&#xff1f; 一、运营TikTok账号的数量限制 TikTok的官…

DNS服务器部署

一、要求 1.搭建dns服务器能够对自定义的正向或者反向域完成数据解析查询。 2.配置从DNS服务器&#xff0c;对主dns服务器进行数据备份。 二、配置 1.搭建dns服务器能够对自定义的正向或者反向域完成数据解析查询。 &#xff08;1&#xff09;首先需要安装bind服务 &#xf…

15分钟学 Go 第 34 天:依赖管理——Go Modules

第34天&#xff1a;依赖管理——Go Modules 目标&#xff1a;学习和掌握Go语言中的依赖管理工具“Go Modules”&#xff0c;理解如何使用Go Modules进行依赖管理。 一、Go Modules 简介 Go Modules 是 Go 语言官方推出的依赖管理工具&#xff0c;旨在解决 Go 语言项目中的依赖…

三周精通FastAPI:28 构建更大的应用 - 多个文件

官方文档&#xff1a;https://fastapi.tiangolo.com/zh/tutorial/bigger-applications 更大的应用 - 多个文件 如果你正在开发一个应用程序或 Web API&#xff0c;很少会将所有的内容都放在一个文件中。 FastAPI 提供了一个方便的工具&#xff0c;可以在保持所有灵活性的同时…

制作Ubuntu根文件系统

制作Ubuntu根文件系统&#xff1a; gunzip ubuntu-base-22.04.5-base-arm64.tar.gz mkdir ubuntu tar xvpf ubuntu-base-22.04.5-base-arm64.tar -C ubuntu 挂载目录、复制dns、执行chroot cd /userdisk/ubuntu cp /etc/resolv.conf ./etc/resolv.conf mount --bind /dev ./d…

Logstash 迁移索引元数据(设置和映射)

https://help.aliyun.com/zh/es/use-cases/use-logstash-to-migrate-full-or-incremental-data-from-self-managed-elasticsearch-to-alibaba-cloud-elasticsearch 在进行数据迁移时&#xff0c;Logstash会帮助您自动创建索引&#xff0c;但是自动创建的索引可能与您待迁移的索…

【Pandas】基础操作

&#x1f4dd;本文介绍 本文为作者观看pandas入门课后整理的基础操作笔记 &#x1f44b;作者简介&#xff1a;一个正在积极探索的本科生 &#x1f4f1;联系方式&#xff1a;943641266(QQ) &#x1f6aa;Github地址&#xff1a;https://github.com/sankexilianhua &#x1f511;…

【react使用AES对称加密的实现】

react使用AES对称加密的实现 前言使用CryptoJS库密钥存放加密方法解密方法结语 前言 项目中要求敏感信息怕被抓包泄密必须进行加密传输处理&#xff0c;普通的md5加密虽然能解决传输问题&#xff0c;但是项目中有权限的用户是需要查看数据进行查询的&#xff0c;所以就不能直接…

【STM32】INA3221三通道电压电流采集模块,HAL库

一、简单介绍 芯片的datasheet地址&#xff1a; INA3221 三通道、高侧测量、分流和总线电压监视器&#xff0c;具有兼容 I2C 和 SMBUS 的接口 datasheet (Rev. B) 笔者所使用的INA3221是淘宝买的模块 原理图 模块的三个通道的电压都是一样&#xff0c;都是POWER。这个芯片采用…

《机器人SLAM导航核心技术与实战》第1季:第10章_其他SLAM系统

视频讲解 【第1季】10.第10章_其他SLAM系统-视频讲解 【第1季】10.1.第10章_其他SLAM系统_RTABMAP算法-视频讲解 【第1季】10.2.第10章_其他SLAM系统_VINS算法-视频讲解 【第1季】10.3.第10章_其他SLAM系统_机器学习与SLAM-视频讲解 第1季&#xff1a;第10章_其他SLAM系统 …

《HelloGitHub》第 103 期

兴趣是最好的老师&#xff0c;HelloGitHub 让你对编程感兴趣&#xff01; 简介 HelloGitHub 分享 GitHub 上有趣、入门级的开源项目。 github.com/521xueweihan/HelloGitHub 这里有实战项目、入门教程、黑科技、开源书籍、大厂开源项目等&#xff0c;涵盖多种编程语言 Python、…

【OJ题解】C++实现反转字符串中的每个单词

&#x1f4b5;个人主页: 起名字真南 &#x1f4b5;个人专栏:【数据结构初阶】 【C语言】 【C】 【OJ题解】 题目要求&#xff1a;给定一个字符串 s &#xff0c;你需要反转字符串中每个单词的字符顺序&#xff0c;同时仍保留空格和单词的初始顺序。 题目链接: 反转字符串中的所…

Oracle OCP认证考试考点详解082系列09

题记&#xff1a; 本系列主要讲解Oracle OCP认证考试考点&#xff08;题目&#xff09;&#xff0c;适用于19C/21C,跟着学OCP考试必过。 41. 第41题&#xff1a; 题目 41.Examine the description of the EMPLOYEES table NLS_DATE_FORMAT is set to DD-MON-YY Which query…

创建线程时传递参数给线程

在C中&#xff0c;可以使用 std::thread 来创建和管理线程&#xff0c;同时可以通过几种方式将参数传递给线程函数。这些方法包括使用值传递、引用传递和指针传递。下面将对这些方法进行详细讲解并给出相应的代码示例。 1. 值传递参数 当你创建线程并希望传递参数时&#xff…

Linux下cgdb/gdb调试以及关于操作系统那些事

目录 一.gdb调试 1.1debug和release版本有什么区别? 1.2性能优化 1.3gdb的使用 1.4cgdb的安装 二.什么是硬件 三.冯诺依曼体系 四.操作系统(OS) 4.1理解操作系统 4.1.1操作系统是什么? 4.1.2为什么要有操作系统? 4.1.3 OS-银行 4.1.4OS如何管理 理解库文件和系…

Kafka相关知识点(上)

为什么要使用消息队列&#xff1f; 使用消息队列的主要目的主要记住这几个关键词:解耦、异步、削峰填谷。 解耦: 在一个复杂的系统中&#xff0c;不同的模块或服务之间可能需要相互依赖&#xff0c;如果直接使用函数调用或者 API 调用的方式&#xff0c;会造成模块之间的耦合…