【22】Android高级知识之Window(三) -WMS

一、概述

这次开始到了WindowManagerService(WMS),你可以把它看做一个WindowManager,只不过呢,属于系统服务进程(system_server)中的一员,和应用不在同一进程,所以涉及了一些跨进程通信的内容,如果不清楚的可以去补一下Binder通信机制。这些不是重点,这次重点接着之前没讲完的addToDisplayAsUser。

二、WMS

关于WMS启动的过程,之后会和AMS(ATMS)文章中一起讲解。如果已经有了解Android特有的跨进程通信方式Binder的基础,不难知道WMS是一个Binder对象,这对之后的讲解有点帮助。

2.1 addToDisplay

上篇Window的文章不知道大家还有没有印象mWindowSession#addToDisplayAsUser,这里的Session是通过WindowManagerGlobal#getWindowSession提供的binder对象,帮助我们完成跨进程通信。

	//WindowManagerGlobal.java@UnsupportedAppUsagepublic static IWindowManager getWindowManagerService() {synchronized (WindowManagerGlobal.class) {if (sWindowManagerService == null) {sWindowManagerService = IWindowManager.Stub.asInterface(ServiceManager.getService("window"));try {if (sWindowManagerService != null) {ValueAnimator.setDurationScale(sWindowManagerService.getCurrentAnimatorScale());sUseBLASTAdapter = sWindowManagerService.useBLAST();}} catch (RemoteException e) {throw e.rethrowFromSystemServer();}}return sWindowManagerService;}}@UnsupportedAppUsagepublic static IWindowSession getWindowSession() {synchronized (WindowManagerGlobal.class) {if (sWindowSession == null) {try {// Emulate the legacy behavior.  The global instance of InputMethodManager// was instantiated here.// TODO(b/116157766): Remove this hack after cleaning up @UnsupportedAppUsageInputMethodManager.ensureDefaultInstanceForDefaultDisplayIfNecessary();IWindowManager windowManager = getWindowManagerService();sWindowSession = windowManager.openSession(new IWindowSessionCallback.Stub() {@Overridepublic void onAnimatorScaleChanged(float scale) {ValueAnimator.setDurationScale(scale);}});} catch (RemoteException e) {throw e.rethrowFromSystemServer();}}return sWindowSession;}}

这段代码很长,但是很简单,目的是请求服务端的WindowSession对象,即服务端的binder对象。我们看它是怎么做的。首先先通过IPC通信方式获取WMS,之前说过这也是一个binder对象。然后借助WMS的openSession拿到服务端的WindowSession对象。这样做的好处是什么呢?将两次binder通信简化成了一次binder通信,优化了跨进程通信的效率。

服务端的WindowSession对象是一个叫做Session的类。

既然已经进入Session这个类,我们直接来看一下addToDisplayAsUser做了什么。

    //Session.java@Overridepublic int addToDisplay(IWindow window, WindowManager.LayoutParams attrs,int viewVisibility, int displayId, @InsetsType int requestedVisibleTypes,InputChannel outInputChannel, InsetsState outInsetsState,InsetsSourceControl.Array outActiveControls, Rect outAttachedFrame,float[] outSizeCompatScale) {return mService.addWindow(this, window, attrs, viewVisibility, displayId,UserHandle.getUserId(mUid), requestedVisibleTypes, outInputChannel, outInsetsState,outActiveControls, outAttachedFrame, outSizeCompatScale);}@Overridepublic int addToDisplayAsUser(IWindow window, WindowManager.LayoutParams attrs,int viewVisibility, int displayId, int userId, @InsetsType int requestedVisibleTypes,InputChannel outInputChannel, InsetsState outInsetsState,InsetsSourceControl.Array outActiveControls, Rect outAttachedFrame,float[] outSizeCompatScale) {return mService.addWindow(this, window, attrs, viewVisibility, displayId, userId,requestedVisibleTypes, outInputChannel, outInsetsState, outActiveControls,outAttachedFrame, outSizeCompatScale);}

它调用了内部的addToDisplay方法,一般我会把这种行为相同,但是命名有些许不同的方法叫做衍生方法。这里面的mService就是WMS,因为它们属于同一个进程,所以这里的调用已经不是跨进程通信了。并且调用了WMS#addWindow方法。

上面跟了一大段,我们发现现在才是真正进入了WMS,可见系统源码对于职责的封装不可谓是不严格啊,我们继续分析。

//WindowManagerService.javapublic int addWindow(Session session, IWindow client, LayoutParams attrs, int viewVisibility,int displayId, int requestUserId, @InsetsType int requestedVisibleTypes,InputChannel outInputChannel, InsetsState outInsetsState,InsetsSourceControl.Array outActiveControls, Rect outAttachedFrame,float[] outSizeCompatScale) {...//获取屏幕内容对象,根据屏幕id(一屏多显可能也会有多个id)final DisplayContent displayContent = getDisplayContentOrCreate(displayId, attrs.token);...//一个window集合,保存的key是ViewRootImpl$w的binder对象(也可以理解为是window的binder对象)if (mWindowMap.containsKey(client.asBinder())) {ProtoLog.w(WM_ERROR, "Window %s is already added", client);return WindowManagerGlobal.ADD_DUPLICATE_ADD;}...//创建WindowState,服务端管理的window,记录了window全部信息
final WindowState win = new WindowState(this, session, client, token, parentWindow,appOp[0], attrs, viewVisibility, session.mUid, userId,session.mCanAddInternalSystemWindow);...win.attach();//添加到map集合中,key是客户端w的binder对象,value是WindwoStatemWindowMap.put(client.asBinder(), win);win.initAppOpsState();...//WindowState拿到token添加当前的WindowState进去,双向绑定win.mToken.addWindow(win);

由于WMS#addWindow篇幅很多,省略了很多细节之后看上去就清楚多了。重要的事情注解都有说明:

  • 通过DisplayContent获取token
  • 根据客户端window创建WindowState对象,保存Window有关的所有信息
  • 把WindowState缓存到WindowMap集合中,key是客户端的w的binder对象
  • 将WindowState和token双向绑定

关于ViewRootImpl#setView中的关于WMS#addToDisplayAsUser的逻辑我们就分析完了。这样一趟分析下来,发现其实也没有做多少事,但是有一点好奇的不知道大家有没有注意到,方法是setView,而addToDisplayAsUser只是在WMS层创建了一个WindowState对象进行管控,并没有对window或者view的操作和绘制。

2.2 relayoutWindow

在上一篇文章中Android基础知识之Window(二)我们有提到过performTraversals这个方法,是准备遍历开始绘制view的,在执行perfromMeasure之前,也就是最早的测量阶段前,还会调用一个方法relayoutWindow,我们在来看一下。

//ViewRootImpl.javaprivate int relayoutWindow(WindowManager.LayoutParams params, int viewVisibility,boolean insetsPending) throws RemoteException {...relayoutResult = mWindowSession.relayout(mWindow, params,requestedWidth, requestedHeight, viewVisibility,insetsPending ? WindowManagerGlobal.RELAYOUT_INSETS_PENDING : 0, mRelayoutSeq,mLastSyncSeqId, mTmpFrames, mPendingMergedConfiguration, mSurfaceControl,mTempInsets, mTempControls, mRelayoutBundle);...

其实这个有一个relayout和relayoutAsync的方法,两个在Session中都会调用到同一个方法,这里就不过多展示代码了。像之前讲的一样,Session也是借助WMS#relayoutWindow来处理的。

//WMS
public int relayoutWindow(Session session, IWindow client, LayoutParams attrs,int requestedWidth, int requestedHeight, int viewVisibility, int flags, int seq,int lastSyncSeqId, ClientWindowFrames outFrames,MergedConfiguration outMergedConfiguration, SurfaceControl outSurfaceControl,InsetsState outInsetsState, InsetsSourceControl.Array outActiveControls,Bundle outSyncIdBundle) {if (outActiveControls != null) {outActiveControls.set(null);}...//根据之前管理的WindowMap取出对应的WindowStatefinal WindowState win = windowForClientLocked(session, client, false);...//这个值是ViewRootImpl传下来的,根据内部mView是可见,设置请求的大小if (viewVisibility != View.GONE) {win.setRequestedSize(requestedWidth, requestedHeight);}...flagChanges = win.mAttrs.flags ^ attrs.flags;privateFlagChanges = win.mAttrs.privateFlags ^ attrs.privateFlags;//更新窗口的LayoutParamsattrChanges = win.mAttrs.copyFrom(attrs);...//给WMS管理的WindowState设置是否可见状态win.setViewVisibility(viewVisibility)...// Create surfaceControl before surface placement otherwise layout will be skipped// (because WS.isGoneForLayout() is true when there is no surface.if (shouldRelayout && outSurfaceControl != null) {try {//根据ViewRootImpl的SurfaceControl创建WMS的SurfaceControlresult = createSurfaceControl(outSurfaceControl, result, win, winAnimator);} catch (Exception e) {displayContent.getInputMonitor().updateInputWindowsLw(true /*force*/);ProtoLog.w(WM_ERROR,"Exception thrown when creating surface for client %s (%s). %s",client, win.mAttrs.getTitle(), e);Binder.restoreCallingIdentity(origId);return 0;}}...//刷新界面和更新焦点// We may be deferring layout passes at the moment, but since the client is interested// in the new out values right now we need to force a layout.mWindowPlacerLocked.performSurfacePlacement(true /* force */);...if (focusMayChange) {if (updateFocusedWindowLocked(UPDATE_FOCUS_NORMAL, true /*updateInputWindows*/)) {imMayMove = false;}}}

有负责取出之前创建WindowState、DisplayContent等对象;有设置可见状态;有更新窗口参数,请求窗口大小;然后创建WindowSurfaceControl对象。

createSurfaceControl

//WMSprivate int createSurfaceControl(SurfaceControl outSurfaceControl, int result,WindowState win, WindowStateAnimator winAnimator) {if (!win.mHasSurface) {result |= RELAYOUT_RES_SURFACE_CHANGED;}WindowSurfaceController surfaceController;try {Trace.traceBegin(TRACE_TAG_WINDOW_MANAGER, "createSurfaceControl");surfaceController = winAnimator.createSurfaceLocked();} finally {Trace.traceEnd(TRACE_TAG_WINDOW_MANAGER);}if (surfaceController != null) {surfaceController.getSurfaceControl(outSurfaceControl);ProtoLog.i(WM_SHOW_TRANSACTIONS, "OUT SURFACE %s: copied", outSurfaceControl);} else {// For some reason there isn't a surface.  Clear the// caller's object so they see the same state.ProtoLog.w(WM_ERROR, "Failed to create surface control for %s", win);outSurfaceControl.release();}return result;}

可以看到,应用上层传下来的是自己创建的outSurfaceControl,但是在WMS中,会创建一个SurfaceController,叫做WindowSurfaceController,内部也会创建一个SurfaceControl,然后把SurfaceControl的一些状态拷贝给outSurfaceControl。

//WindowStateAnimator.javaWindowSurfaceController createSurfaceLocked() {final WindowState w = mWin;if (mSurfaceController != null) {return mSurfaceController;}//设置是否有surface的标志为falsew.setHasSurface(false);ProtoLog.i(WM_DEBUG_ANIM, "createSurface %s: mDrawState=DRAW_PENDING", this);//重置绘制状态resetDrawState();...//创建WindowSurfaceControllermSurfaceController = new WindowSurfaceController(attrs.getTitle().toString(), format,flags, this, attrs.type);mSurfaceController.setColorSpaceAgnostic(w.getPendingTransaction(),(attrs.privateFlags & LayoutParams.PRIVATE_FLAG_COLOR_SPACE_AGNOSTIC) != 0);//SurfaceController创建好了,设置是否有surface的标志为truew.setHasSurface(true);...

这里我们先忽略一下WindowStateAnimator的创建过程,只需要知道,在创建上一篇文章中讲到的创建WindowState的过程中,会判断是否有Animator,没有则直接创建一个WindowStateAnimator对象,并让WindowState持有。而这段代码中,重点是当创建SurfaceController之后,才会把hasSurface设置为true。

我们再来看看WindowPlacerLocked#performSurfacePlacement方法,执行surface位置摆放,即Window显示位置和大小。

//WindowSurfacePlacer.java
private void performSurfacePlacementLoop() {...try {mService.mRoot.performSurfacePlacement();mInLayout = false;if (mService.mRoot.isLayoutNeeded()) {if (++mLayoutRepeatCount < 6) {requestTraversal();} else {Slog.e(TAG, "Performed 6 layouts in a row. Skipping");mLayoutRepeatCount = 0;}} else {mLayoutRepeatCount = 0;}if (mService.mWindowsChanged && !mService.mWindowChangeListeners.isEmpty()) {mService.mH.removeMessages(REPORT_WINDOWS_CHANGE);mService.mH.sendEmptyMessage(REPORT_WINDOWS_CHANGE);}} catch (RuntimeException e) {mInLayout = false;Slog.wtf(TAG, "Unhandled exception while laying out windows", e);}...
}

核心代码就是这一段,mService.mRoot是WMS中的RootWindowContainer,调用它的performSurfacePlacement执行表面放置操作。

void performSurfacePlacementNoTrace() {...//获取WindowSurfacePlacer,是一个单例final WindowSurfacePlacer surfacePlacer = mWmService.mWindowPlacerLocked;if (SHOW_LIGHT_TRANSACTIONS) {Slog.i(TAG,">>> OPEN TRANSACTION performLayoutAndPlaceSurfaces");}Trace.traceBegin(TRACE_TAG_WINDOW_MANAGER, "applySurfaceChanges");//开启surface处理mWmService.openSurfaceTransaction();try {//开始处理surface变化的处理applySurfaceChangesTransaction();} catch (RuntimeException e) {Slog.wtf(TAG, "Unhandled exception in Window Manager", e);} finally {//关闭surface处理mWmService.closeSurfaceTransaction("performLayoutAndPlaceSurfaces");Trace.traceEnd(TRACE_TAG_WINDOW_MANAGER);if (SHOW_LIGHT_TRANSACTIONS) {Slog.i(TAG,"<<< CLOSE TRANSACTION performLayoutAndPlaceSurfaces");}}...
}

我们继续看看applySurfaceChangesTransaction,对surface变化处理做了什么。

//RootWindowContainer.javaprivate void applySurfaceChangesTransaction() {// TODO(multi-display): Support these features on secondary screens.final DisplayContent defaultDc = mDefaultDisplay;final DisplayInfo defaultInfo = defaultDc.getDisplayInfo();...// 也就是这个WindowContainer的一系列子windowContainer的集合final int count = mChildren.size();for (int j = 0; j < count; ++j) {//获取到这个WindowContainer对应的DisplayContentfinal DisplayContent dc = mChildren.get(j);//displaycontent执行surface变化的处理dc.applySurfaceChangesTransaction();}// Give the display manager a chance to adjust properties like display rotation if it needs to.mWmService.mDisplayManagerInternal.performTraversal(t);if (t != defaultDc.mSyncTransaction) {SurfaceControl.mergeToGlobalTransaction(t);}}

通过遍历WindowContainer来获取DisplayContent,对每个DisplayContent执行surface变化的任务。之前有说过,DisplayContent这个对象创建是通过Display模块提供的DisplayId,而这个id一般情况是一个屏幕对应一个,除非有创建虚拟屏幕。

//DisplayContent.java
// TODO: Super unexpected long method that should be broken down...
void applySurfaceChangesTransaction() {...// Perform a layout, if needed.performLayout(true /* initial */, false /* updateInputWindows */);pendingLayoutChanges = 0;Trace.traceBegin(TRACE_TAG_WINDOW_MANAGER, "applyPostLayoutPolicy");try {mDisplayPolicy.beginPostLayoutPolicyLw();forAllWindows(mApplyPostLayoutPolicy, true /* traverseTopToBottom */);mDisplayPolicy.finishPostLayoutPolicyLw();} finally {Trace.traceEnd(TRACE_TAG_WINDOW_MANAGER);}mInsetsStateController.onPostLayout();mTmpApplySurfaceChangesTransactionState.reset();Trace.traceBegin(TRACE_TAG_WINDOW_MANAGER, "applyWindowSurfaceChanges");try {forAllWindows(mApplySurfaceChangesTransaction, true /* traverseTopToBottom */);} finally {Trace.traceEnd(TRACE_TAG_WINDOW_MANAGER);}prepareSurfaces();...
}

这里两个重要的方法一个performLayout,这个之后进入分析,还有一个forAllWindows,传入的是一个mApplyPostLayoutPolicy的回调方法,它是遍历所有window,并对每个window应用Surface变化的事务。

//DisplayContent.javavoid performLayout(boolean initial, boolean updateInputWindows) {Trace.traceBegin(TRACE_TAG_WINDOW_MANAGER, "performLayout");try {performLayoutNoTrace(initial, updateInputWindows);} finally {Trace.traceEnd(TRACE_TAG_WINDOW_MANAGER);}}private void performLayoutNoTrace(boolean initial, boolean updateInputWindows) {if (!isLayoutNeeded()) {return;}clearLayoutNeeded();if (DEBUG_LAYOUT) {Slog.v(TAG, "-------------------------------------");Slog.v(TAG, "performLayout: dw=" + mDisplayInfo.logicalWidth+ " dh=" + mDisplayInfo.logicalHeight);}int seq = mLayoutSeq + 1;if (seq < 0) seq = 0;mLayoutSeq = seq;mTmpInitial = initial;// First perform layout of any root windows (not attached to another window).forAllWindows(mPerformLayout, true /* traverseTopToBottom */);// Now perform layout of attached windows, which usually depend on the position of the// window they are attached to. XXX does not deal with windows that are attached to windows// that are themselves attached.forAllWindows(mPerformLayoutAttached, true /* traverseTopToBottom */);// Window frames may have changed. Tell the input dispatcher about it.mInputMonitor.setUpdateInputWindowsNeededLw();if (updateInputWindows) {mInputMonitor.updateInputWindowsLw(false /*force*/);}}

这里的两个forAllWindow,同样是遍历了所有的window,只不过它们的回调方法不同,一个处理遍历所有window,让它们应用Layout的事务,一个遍历所有window,让它们应用LayoutAttach的事务。这几个回调方法,我们就不继续跟了,想要了解的可以自行查看一下源码。
总结就是先遍历所有窗口,对每个窗口应用表面变化,接着对每个根窗口执行布局操作,再接着对每个附加窗口(依赖其他窗口位置的窗口)执行布局操作。最后根据updateInputWindows的状态,更新input window(输入窗口)。

updateFocusedWindowLocked
我们继续看WMS#relayoutWindow中的另一个方法updateFocusedWindowLocked,通过RootWindowContainer遍历所有的DisplayContent,执行它们的updateFocusedWindowLocked方法。

//RootWindowContainer.java
boolean updateFocusedWindowLocked(int mode, boolean updateInputWindows) {mTopFocusedAppByProcess.clear();boolean changed = false;int topFocusedDisplayId = INVALID_DISPLAY;// Go through the children in z-order starting at the top-mostfor (int i = mChildren.size() - 1; i >= 0; --i) {final DisplayContent dc = mChildren.get(i);changed |= dc.updateFocusedWindowLocked(mode, updateInputWindows, topFocusedDisplayId);
...
}//DisplayContent.java
boolean updateFocusedWindowLocked(int mode, boolean updateInputWindows,int topFocusedDisplayId) {
...
//计算新焦点窗口是哪个WindowState newFocus = findFocusedWindowIfNeeded(topFocusedDisplayId);if (mCurrentFocus == newFocus) {return false;}
...
//为输入法更新输入窗口adjustForImeIfNeeded();
...
}

所以直接看DisplayContent#updateFocusedWindowLocked,就是计算新焦点窗口,并且为输入法更新之后需要输入的窗口。

补充

在这里插入图片描述
1、经过分析我们知道ViewRootImpl会创建SurfaceControl传递给WMS,WMS在创建WindowSurfaceController之后,会调用surfaceController.getSurfaceControl(outSurfaceControl)把上层的outSurfaceControl作为参数传递进去
2、WindowSurfaceController也会自己创建一个SurfaceControl,把它的状态信息拷贝给outSurfaceControl
2、创建WindowSurfaceController的过程中,SurfaceControl会和SurfaceFlinger(SF)进行IPC通信请求一个表面(surface),SF会创建一个Layer对象来表示这个表面
3、创建Layer对象后,会返回一个Handler(句柄)给SurfaceControl,这个句柄包含了新建Layer的相关信息
4、WindowSurfaceController持有这个SurfaceControl来管理窗口表面的属性和生命周期

三、总结

1、ViewRootImpl#setView通过WindwoSession来管理window
2、借助WMS的binder对象调用openSession来获取WindowSession对象,服务端叫Session
3、WMS#addWindow根据客户端window创建了对应的WindowState对象
4、用一个WindowMap集合缓存,key是客户端ViewRootImpl$W的binder对象
5、WindowState和WindowToken双向绑定
6、relayoutWindow对窗口设置了是否可见状态、窗口大小位置、WindowSurfaceController
7、WindowSurfaceController对ViewRootImpl#SurfaceControl状态进行了重新赋值
8、WindowSurfacePlacer对Surface(window)大小位置以及焦点更新

文章讲了这么多,有对Window在WMS层管理进行了创建WindowState,和对window的重新布局,比如刷新大小位置以及焦点的更新。那么View又是怎么处理的呢?我们下一篇文章中继续探索Window的真相。

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

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

相关文章

CSS(二)——CSS 背景

CSS 背景 CSS 背景属性用于定义HTML元素的背景。 CSS 背景属性 Property描述background简写属性&#xff0c;作用是将背景属性设置在一个声明中。background-attachment背景图像是否固定或者随着页面的其余部分滚动。background-color设置元素的背景颜色。background-image把…

《程序猿学会 Vue · 基础与实战篇》

&#x1f4e2; 大家好&#xff0c;我是 【战神刘玉栋】&#xff0c;有10多年的研发经验&#xff0c;致力于前后端技术栈的知识沉淀和传播。 &#x1f497; &#x1f33b; CSDN入驻不久&#xff0c;希望大家多多支持&#xff0c;后续会继续提升文章质量&#xff0c;绝不滥竽充数…

数据结构(二叉树-1)

文章目录 一、树 1.1 树的概念与结构 1.2 树的相关术语 1.3 树的表示 二、二叉树 2.1 二叉树的概念与结构 2.2特殊的二叉树 满二叉树 完全二叉树 2.3 二叉树的存储结构 三、实现顺序结构二叉树 3.1 堆的概念与结构 3.2 堆的实现 Heap.h Heap.c 默认初始化堆 堆的销毁 堆的插入 …

2024100读书笔记|《飞花令·夏》——鲜鲫银丝脍,香芹碧涧羹,人皆苦炎热,我爱夏日长

2024100读书笔记|《飞花令夏》——鲜鲫银丝脍&#xff0c;香芹碧涧羹&#xff0c;人皆苦炎热&#xff0c;我爱夏日长 《飞花令夏&#xff08;中国文化古典诗词品鉴&#xff09;》素心落雪 编著&#xff0c;飞花令得名于唐代诗人韩翃《寒食》中的名句“春城无处不飞花”&#xf…

matlab仿真 模拟调制(下)

&#xff08;内容源自详解MATLAB&#xff0f;SIMULINK 通信系统建模与仿真 刘学勇编著第五章内容&#xff0c;有兴趣的读者请阅读原书&#xff09; clear all ts0.001; t0:ts:10-ts; fs1/ts; dffs/length(t); msgrandi([-3 3],100,1); msg1msg*ones(1,fs/10); msg2reshape(ms…

Stable Diffusion 使用详解(1)---- 提示词及相关参数

目录 背景 提示词 内容提示词 人物及主体特征 场景 环境光照 画幅视角 注意事项及示例 标准化提示词 画质等级 风格与真实性 具体要求 背景处理 光线与色彩 负向提示词 小结 常用工具 另外几个相关参数 迭代步数 宽度与高度 提示词引导系数 图片数量 背景…

Unity | Shader基础知识(第十九集:顶点着色器的进一步理解-易错点讲解)

目录 一、前言 二、网格 三、方法UnityObjectToClipPos 四、顶点着色器和片元着色器的POSITION 五、作者的碎碎念 一、前言 之前我们简单讲解过顶点着色器&#xff0c;也简单讲解了表面着色器&#xff0c;并且一起做了一些案例&#xff0c;因为顶点着色器本身是更自由一些…

【Git多人协作开发】不同的分支下的多人协作开发模式

目录 0.前言背景 1.开发者1☞完成准备工作&协作开发 1.1查看分支情况 1.2创建本地分支feature-1 1.3三板斧 1.4push推本地分支feature-1到远程仓库 2.开发者2☞完成准备工作&协作开发 2.1创建本地分支feature-2 2.2三板斧 2.2push推送本地feature-2到远程仓库…

FineBI连接MySQL5.7

一、在FineBI系统管理中&#xff0c;点击【新建数据库连接】 选择MySQL数据库 配置数据库连接&#xff0c;如下&#xff0c;其中数据库名称就是需要连接的目标数据库

【通信协议-RTCM】MSM语句(2) - RINEXMSM7语句总结(重要!自动化开发计算卫星状态常用)

注释&#xff1a; 在工作中主要负责的是RTCM-MSM7语句相关开发工作&#xff0c;所以主要介绍的就是MSM7语句相关内容 1. 相位校准参考信号 2. MSM1、MSM2、MSM3、MSM4、MSM5、MSM6和MSM7的消息头内容 DATA FIELDDF NUMBERDATA TYPENO. OF BITSNOTES Message Number - 消息编…

DML数据操作语句和基本的DQL语句

一、MySQL对数据的增删改查 1.DML语句 1.1 增加数据(INSERT) insert into 表名 (字段名,字段名,...字段名) values/value (值,值,...值) 1.1.1 新增数据的具体实现 &#xff08;1&#xff09;全字段的插入 方式一&#xff1a; insert into student (sid,sname,birthday,ssex,…

【2024最新华为OD-C/D卷试题汇总】[支持在线评测] 开源项目热度排行榜(100分) - 三语言AC题解(Python/Java/Cpp)

🍭 大家好这里是清隆Coding ,一枚热爱算法的程序员 ✨ 本系列打算持续跟新华为OD-C/D卷的三语言AC题解 👏 感谢大家的订阅➕ 和 喜欢💗 🍿 最新华为OD机试D卷目录,全、新、准,题目覆盖率达 95% 以上,支持题目在线评测,专栏文章质量平均 93 分 最新华为OD机试目录…

Linux网络-配置IP

作者介绍&#xff1a;简历上没有一个精通的运维工程师。希望大家多多关注作者&#xff0c;下面的思维导图也是预计更新的内容和当前进度(不定时更新)。 本来IP配置应该放在Linux安装完成的就要配置的&#xff0c;但是由于那个时候对Linux不怎么熟悉&#xff0c;所以单独列了一个…

JVM系列(一) -浅谈虚拟机的成长史

一、摘要 众所周知&#xff0c;Java 经过多年的发展&#xff0c;已经从一门单纯的计算机编程语言&#xff0c;发展成了一套成熟的软件解决方案。从互联网到企业平台&#xff0c;Java 是目前使用最广泛的编程语言。 以下这段内容是来自 Java 的官方介绍&#xff01; 从笔记本电…

图片变更检测

20240723 By wdhuag 目录 前言&#xff1a; 参考&#xff1a; 文件监控&#xff1a; 图片占用问题&#xff1a; 源码&#xff1a; 前言&#xff1a; 由于第三方图像处理软件不能回传图片&#xff08;正常都能做&#xff0c;这里只是不想做&#xff09;&#xff0c;只能在…

Postman接口测试工具的使用

一、postman简介 Postman是一款功能强大的网页调试与发送网页HTTP请求的Chrome插件。作用&#xff1a;常用于进行接口测试。不需要安装。 特征&#xff1a;简单&#xff0c;实用&#xff0c;美观&#xff0c;大方。 二、Postman接口测试工具的使用 Postman不需要安…

MySQL的账户管理

目录 1 密码策略 1.1 查看数据库当前密码策略&#xff1a; 1.2 查看密码设置策略 1.3 密码强度检查等级解释&#xff08;validate_password.policy&#xff09; 2 新建登录账户 3 账户授权 3.1 赋权原则 3.2 常见的用户权限 3.3 查看权限 3.4 赋权语法 4 实例 4.1 示例1&#x…

python脚本制作循环执行命令行

python import subprocess import sysif __name____main__:ret 1while ret!0:ret subprocess.call(sys.argv[1:], textTrue)pack pip install pyinstaller pyinstaller --onefile loop.py 使用场景 使用上面生成的loop.exe调用cmd命令&#xff0c;执行失败了返回值&#xf…

项目实战二

Git 服务器 公共代码平台GitLab 配置gitlab 1.设置管理员帐号密码 2.让程序员传代码到20主机上需要配置&#xff1a; 创建用户 mark 1234.com 创建用户组devops 然后把mark 添加到devons 创建项目 http://192.168.88.20/devops/myproject.git 3.客户端操作&#x…

textblob文本处理、词性分析与情感分析

1 前言 textBlob 是一個简单易用的 NLP库&#xff0c;基于 NLTK 和 pattern库&#xff0c; 提供了文本处理和情感分析等功能。 安装 textblob0.18.0 nltk3.8.1测试环境&#xff1a;Python3.10.9 使用前&#xff0c;先运行下面代码先下载些文件 import nltk nltk.download…