独立游戏《星尘异变》UE5 C++程序开发日志5——实现物流系统

目录

一、进出口清单

二、路径计算

 三、包裹

1.包裹的数据结构

 2.包裹在场景中的运动

四、道路

1.道路的数据结构

2.道路的建造

3.道路的销毁

4.某个有道路连接的建筑被删除


        作为一个工厂类模拟经营游戏,各个工厂之间的运输必不可少,本游戏采用的是按需进口的模式,工厂之间可以建立类似于传送带一样的直连道路,每个工厂根据自身当前缺少的所需物品,按照从近到远的顺序依次访问能够生产该物品的工厂,然后收到出口订单的工厂会发出包裹,沿着玩家建设的道路送达发出进口需求的工厂,玩家可以手动配置进出口清单,也就是工厂仓库中某类物品少于多少个就要进口,以及某类物品多于多少个才可以出口,效果如下:

一、进出口清单

         玩家可以编辑每一个建筑的进出口清单实现对进出口的调控,即库存少于多少进口,多于多少出口。清单是一个数组,包括物品的种类和数量,同时还有自动和手动计算的功能切换,在自动模式下,清单中的数值即为生产时实际需求的原料数量,在改为手动模式后,对应物品的数量等于上次手动设置过的数量,清单数组中的数据结构如下:

USTRUCT(BlueprintType)
struct FImportStardust
{FImportStardust(const FName& StardustId, const int Quantity): StardustId(StardustId),Quantity(Quantity){}GENERATED_BODY()UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "Import")FName StardustId{ "Empty" };UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "Import")int Quantity{ 0 };//是否手动更新数量UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "Import")bool IsAuto{true};//上一次手动设定的值UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "Import")int LastManualSet{0};FImportStardust()=default;
};

        设置清单中某类星尘的数量:

bool ABP_Asters::SetElementInImportingStardust(const int& Index, const int& Amount)
{//检查索引是否合法if(Index<0||Index>=ImportingStardust.Num()){UE_LOG(LogTemp,Error,TEXT("SetElementInImportingStardust failed,invalid index:%d"),Index);return false;}ImportingStardust[Index].Quantity=Amount;//维护上一次手动设置的值if(!ImportingStardust[Index].IsAuto){ImportingStardust[Index].LastManualSet=Amount;}return true;
}

设置某类星尘的计算是否手动:

void ABP_Asters::SetIsAutoInImportingStardust(const int& Index, const bool& IsAuto)
{//检查索引是否合法if(Index<0||Index>=ImportingStardust.Num()){UE_LOG(LogTemp,Error,TEXT("SetIsAutoInImportingStardust failed,invalid index:%d"),Index);return;}ImportingStardust[Index].IsAuto=IsAuto;if(IsAuto){ImportingStardust[Index].LastManualSet=ImportingStardust[Index].Quantity;//计算某类星尘的需求量
ImportingStardust[Index].Quantity=CalCulateReactionConsumption(ImportingStardust[Index].StardustId);}else{ImportingStardust[Index].Quantity=ImportingStardust[Index].LastManualSet;}
}

二、路径计算

        我们的物流是由进口需求引导的,所以寻路也是由某一个建筑出发,依次遍历连通的最近的建筑来尝试从其进口需要的物品,路径为从出口天体到该天体的路径

TArray<FStardustBasic> ATradingSystemActor::TriggerImport(const int& SourceAsterIndex, const TArray<FStardustBasic> ImportingStardust)
{//输入进口源天体的索引和需求的星尘,返回有哪些进口需求未被满足//检查输入索引是否合法if(!DebugActor->AllAster.Find(SourceAsterIndex)){UE_LOG(LogTemp,Error,TEXT("TriggerImport failed,invalid index:%d"),SourceAsterIndex);return TArray<FStardustBasic>();}std::unordered_map<std::string,int>StardustNeed;for(const auto& it:ImportingStardust){StardustNeed[TCHAR_TO_UTF8(*it.StardustId.ToString())]=it.Quantity;}//建立一个dijkstra算法使用的节点结构,包含点的ID和到起点距离struct Node{Node(const int& ID, const long long& DIstance): ID(ID),DIstance(DIstance){}Node(const Node& Other):ID(Other.ID),DIstance(Other.DIstance){}int ID;long long DIstance;};//重载优先队列排序规则auto cmp{[](const TSharedPtr<Node>&a,const TSharedPtr<Node>& b){return a->DIstance>b->DIstance;}};//储存当前待遍历的点的优先队列,按到起点路径长度从小到大排序
std::priority_queue<TSharedPtr<Node>,std::vector<TSharedPtr<Node>>,decltype(cmp)>Queue(cmp);//放入起点Queue.push(MakeShared<Node>(SourceAsterIndex, 0));//起点到每一个点的最短距离std::map<int,long long>MinimumDistance;//每个点是否被处理完毕std::map<int,bool>Done;//储存最短路径中每个点的父节点std::map<int,int>Path;for(auto& it:DebugActor->AllAster){//初始化最短距离为极大值MinimumDistance[it.Key]=1e18;Done[it.Key]=false;}MinimumDistance[SourceAsterIndex]=0;while(!Queue.empty()){auto Current{Queue.top()};Queue.pop();if(Done[Current->ID]){continue;}if(Current->ID!=SourceAsterIndex){if(!DebugActor->AllAster.Find(Current->ID)){continue;}//当前遍历到的天体auto FoundedAster{DebugActor->AllAster[Current->ID]};TArray<FStardustBasic>PackgingStardust;//遍历出口清单for(const auto&it:FoundedAster->GetExportingStardust()){std::string IDString{TCHAR_TO_UTF8(*it.StardustId.ToString())};if(StardustNeed.find(IDString)==StardustNeed.end()||!StardustNeed[IDString]){continue;}//找到的天体可出口的星尘数量int Available{FoundedAster->OutputInventory->CheckStardust(it.StardustId)-it.Quantity};//实际出口的数量if(int Transfered{std::max(0,std::min(StardustNeed[IDString],Available))}){//维护当前包裹中的星尘和天体仓库中的星尘PackgingStardust.Add(FStardustBasic(it.StardustId,Transfered));FoundedAster->OutputInventory->RemoveStardust(it.StardustId,Transfered);StardustNeed[IDString]-=Transfered;if(!StardustNeed[IDString]){StardustNeed.erase(IDString);}}}//该天体进行了出口if(!PackgingStardust.IsEmpty()){TArray<int>PassedAsters;int CurrentPosition{Current->ID};//记录该天体到进口需求发出天体的路径while (CurrentPosition!=SourceAsterIndex){CurrentPosition=Path[CurrentPosition];PassedAsters.Add(CurrentPosition);}TArray<int>PassedAsters2;//使路径从后往前为包裹要走过的天体for(int i=PassedAsters.Num()-1;i>=0;i--){PassedAsters2.Add(PassedAsters[i]);}//令目标天体发送包裹SendPackage(FPackageInformation(Current->ID,PassedAsters2,PackgingStardust));//所有进口需求都被满足,提前终止if(StardustNeed.empty()){return TArray<FStardustBasic>();}}}//该天体处理完毕,防止被再次处理Done[Current->ID]=true;//遍历该天体所有联通的天体for(const auto&it:AsterGraph[Current->ID]){if(Done[it->TerminalIndex])continue;//这条路是最短路if(MinimumDistance[it->TerminalIndex]>it->distance+Current->DIstance){Path[it->TerminalIndex]=Current->ID;//更新最短路径MinimumDistance[it->TerminalIndex]=it->distance+Current->DIstance;Queue.push(MakeShared<Node>(it->TerminalIndex,MinimumDistance[it->TerminalIndex]));}}}//返回未满足的进口需求TArray<FStardustBasic> Result;if(!StardustNeed.empty()){for(const auto&it:StardustNeed){Result.Add(FStardustBasic(FName(UTF8_TO_TCHAR(it.first.c_str())),it.second));}}return Result;
}

重新寻路的逻辑与之类似,区别在于只是搜索确定的两点之间的最短路,不会发送包裹:

TArray<int> ATradingSystemActor::ReRoute(const int& Start, const int& end)
{TArray<int>Result;struct Node{Node(const int ID, const int DIstance): ID(ID),DIstance(DIstance){}int ID;long long DIstance;};auto cmp{[](const TSharedPtr<Node>&a,const TSharedPtr<Node>& b){return a->DIstance>b->DIstance;}};std::priority_queue<TSharedPtr<Node>,std::vector<TSharedPtr<Node>>,decltype(cmp)>Queue(cmp);Queue.push(MakeShared<Node>(Start,0));std::unordered_map<int,long long>MinimumDistance;std::unordered_map<int,bool>Done;std::map<int,int>Path;for(auto& it:DebugActor->AllAster){MinimumDistance[it.Key]=1e18;Done[it.Key]=false;}MinimumDistance[0]=0;while(!Queue.empty()){auto Current{Queue.top()};Queue.pop();if(Done[Current->ID]){continue;}Done[Current->ID]=true;for(const auto&it:AsterGraph[Current->ID]){//找到终点立刻终止运算if(it->TerminalIndex==end){TArray<int>PassedAsters;int CurrentPosition{Current->ID};while (CurrentPosition!=Start){CurrentPosition=Path[CurrentPosition];PassedAsters.Add(CurrentPosition);}TArray<int>PassedAsters2;for(int i=PassedAsters.Num()-1;i>=0;i--){PassedAsters2.Add(PassedAsters[i]);}return PassedAsters2;}if(Done[it->TerminalIndex])continue;if(MinimumDistance[it->TerminalIndex]>it->distance+Current->DIstance){Path[it->TerminalIndex]=Current->ID;MinimumDistance[it->TerminalIndex]=it->distance+Current->DIstance;Queue.push(MakeShared<Node>(it->TerminalIndex,MinimumDistance[it->TerminalIndex]));}}}//没找到路径返回的是空数组return Result;
}

 三、包裹

1.包裹的数据结构

        包裹的数据包裹发出该包裹的建筑的索引,计划要经过的所有建筑的索引,和携带的星尘

USTRUCT(BlueprintType)
struct FPackageInformation
{explicit  FPackageInformation(const int SourceAsterIndex, const TArray<int>& ExpectedPath,const TArray<FStardustBasic>&ExpectedStardusts): SourceAsterIndex(SourceAsterIndex),ExpectedPath(ExpectedPath),Stardusts(ExpectedStardusts){}FPackageInformation() = default;GENERATED_BODY()//发出包裹的源天体UPROPERTY(VisibleAnywhere,BlueprintReadWrite,Category="Package")int SourceAsterIndex{0};//计划的路径,从后到前依次为即将走过的天体索引UPROPERTY(VisibleAnywhere,BlueprintReadWrite,Category="Package")TArray<int> ExpectedPath;//包裹携带的星尘UPROPERTY(VisibleAnywhere,BlueprintReadWrite,Category="Package")TArray<FStardustBasic>Stardusts;
};

 2.包裹在场景中的运动

            每个包裹的路径是在其生成时就计算好的,数组中从后到前依次是其计划经过的建筑的索引,每到达一个建筑后将末尾的元素弹出,直到全部弹出即到达终点

bool APackageActor::AsterReached(const int& AsterIndex)
{//检查输入的天体索引是否真实存在if(!TradingSystem->DebugActor->AllAster.Find(AsterIndex)){UE_LOG(LogTemp,Error,TEXT("AsterReached failed,invalid index:%d"),AsterIndex);return false;}//即将到达终点if(PackgeInfo.ExpectedPath.Num()==1){//送达包裹中的星尘for(auto&it:PackgeInfo.Stardusts){TradingSystem->DebugActor->AllAster[AsterIndex]->InputInventory->AddStardust(it.StardustId,it.Quantity);it.Quantity-=std::min(it.Quantity,TradingSystem->DebugActor->AllAster[AsterIndex]->InputInventory->CheckAddable(it.StardustId));}//更新库存UITradingSystem->DebugActor->AllAster[AsterIndex]->MCUpdateEvent();TArray<FStardustBasic>LostStardust;//统计因终点库存已满而丢包的星尘for(const auto&it:PackgeInfo.Stardusts){if(it.Quantity){LostStardust.Add(FStardustBasic(it.StardustId,it.Quantity));UE_LOG(LogTemp,Error,TEXT("%d %s can't put in target aster"),it.Quantity,*it.StardustId.ToString());}}return true;}//弹出路径中队尾的元素PackgeInfo.ExpectedPath.Pop();//更新包裹的路径UpdatePathEvent(PackgeInfo.ExpectedPath);return false;
}

        我们使用时间轴和设置actor变换的方式来使包裹在场景中移动,也可以实现游戏暂停时停止移动和恢复移动

四、道路

1.道路的数据结构

        在本游戏中,玩家可以建造多种道路,每种道路有不同的传输速度,最大建造距离和消耗,首先是数据表格的数据结构,这里和DataTable的互动可以看开发日志2(独立游戏《星尘异变》UE5 C++程序开发日志2——实现一个存储物品数据的c++类-CSDN博客)

USTRUCT(BlueprintType)
struct FRoadDataTable:public FTableRowBase
{FRoadDataTable() = default;FRoadDataTable(const FString& RoadName, ERoadType RoadType, int TransferSpeed, double MaximumLength): RoadName(RoadName),RoadType(RoadType),TransferSpeed(TransferSpeed),MaximumLength(MaximumLength){}GENERATED_USTRUCT_BODY()//道路名称UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="RoadInfo")FString RoadName{"Empty"};//道路种类UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="RoadInfo")ERoadType RoadType{ERoadType::Empty};//传输速度,单位距离/秒UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="RoadInfo")int TransferSpeed{1};//最大长度UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="RoadInfo")double MaximumLength{1};//道路建造消耗UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="RoadInfo")TMap<FString,int>RoadConsumption;};

        然后是每条建造出来的道路的数据结构,包括道路的起点和终点,用的是所连建筑物的全局索引,以及这条路建成的长度和表格数据。我们有一个数组维护着所有场上的建筑物的指针,通过这两个索引就可以访问到道路两端的建筑

USTRUCT(BlueprintType)
struct FRoadInformation
{friend bool operator<(const FRoadInformation& Lhs, const FRoadInformation& RHS){return Lhs.distance > RHS.distance;}friend bool operator<=(const FRoadInformation& Lhs, const FRoadInformation& RHS){return !(RHS < Lhs);}friend bool operator>(const FRoadInformation& Lhs, const FRoadInformation& RHS){return RHS < Lhs;}friend bool operator>=(const FRoadInformation& Lhs, const FRoadInformation& RHS){return !(Lhs < RHS);}friend bool operator==(const FRoadInformation& Lhs, const FRoadInformation& RHS){return Lhs.TerminalIndex == RHS.TerminalIndex && Lhs.StartIndex==RHS.StartIndex;}friend bool operator!=(const FRoadInformation& Lhs, const FRoadInformation& RHS){return !(Lhs == RHS);}FRoadInformation() = default;explicit FRoadInformation(const int& StartIndex,const int& TerminalIndex,const FVector&StartLocation,const FVector&EndLocation,const FRoadDataTable& Road):StartIndex(StartIndex), TerminalIndex(TerminalIndex),distance(StartLocation.Distance(StartLocation,EndLocation)),RoadInfo(Road){}GENERATED_USTRUCT_BODY()UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="Road")int StartIndex{0};//起点天体的索引UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="Road")int TerminalIndex{0};//终点天体的索引UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="Road")int distance{0};//两个天体之间的距离,取整//道路的数据UPROPERTY(EditAnywhere,BlueprintReadWrite,Category="Road")FRoadDataTable RoadInfo;};

2.道路的建造

        我们用一个红黑树来储存每个建筑都分别链接了哪些建筑

	std::map<int,TArray<TSharedPtr<FRoadInformation>>> AsterGraph;//所有天体构成的图

        在建造道路时传入起点和终点索引,以及道路类型的名称,将建造的道路存入上面存图的容器中

bool ATradingSystemActor::RoadBuilt(const int& Aster1, const int& Aster2,const FString& RoadName)
{if(!DebugActor->IsValidLowLevel()){UE_LOG(LogTemp,Error,TEXT("RoadBuild failed,invalid pointer:DebugActor"));return false;}//这两个建筑之间已存在道路,不可重复建造if(AsterGraph[Aster1].FindByPredicate([Aster2](const TSharedPtr<FRoadInformation>& Road){return Road->TerminalIndex==Aster2;})){return false;}//对应索引的天体不存在if(!DebugActor->AllAster.Find(Aster1)||!DebugActor->AllAster.Find(Aster2)){UE_LOG(LogTemp,Error,TEXT("RoadBuilt failed,invalid index :%d %d"),Aster1,Aster2);return false;}//数据表中存储的道路信息auto RoadInfo{*Instance->RoadDataMap[TCHAR_TO_UTF8(*RoadName)]};//存双向边AsterGraph[Aster1].Add(MakeShared<FRoadInformation>(Aster1,Aster2,DebugActor->AllAster[Aster1]->AsterPosition,DebugActor->AllAster[Aster2]->AsterPosition,RoadInfo));AsterGraph[Aster2].Add(MakeShared<FRoadInformation>(Aster2,Aster1,DebugActor->AllAster[Aster2]->AsterPosition,DebugActor->AllAster[Aster1]->AsterPosition,RoadInfo));return true;
}

3.道路的销毁

        在销毁道路时,我们需要将存的图中的该道路删除,同时对于所有传输中的包裹,如果其原本的路径中包含这条道路,则重新计算路径,如果计算路径失败则将包裹送到下一个到达的建筑物处

void ATradingSystemActor::RoadDestructed(const int& Aster1, const int& Aster2)
{if(!DebugActor->IsValidLowLevel()){UE_LOG(LogTemp,Error,TEXT("RoadDestructed failed,invalid pointer:DebugActor"));return;}//两个方向都要删除AsterGraph[Aster1].RemoveAll([Aster2](const TSharedPtr<FRoadInformation>& Road){return Road->TerminalIndex==Aster2;});AsterGraph[Aster2].RemoveAll([Aster1](const TSharedPtr<FRoadInformation>& Road){return Road->TerminalIndex==Aster1;});//遍历所有在路上的包裹for(auto&it:TransferingPackage){auto Temp{it->GetPackageInfo()};//遍历其计划经过的天体for(int i=Temp.ExpectedPath.Num()-1;i>=1;i--){//是否经过该条道路if(Temp.ExpectedPath[i]==Aster1&&Temp.ExpectedPath[i-1]==Aster2||Temp.ExpectedPath[i]==Aster2&&Temp.ExpectedPath[i-1]==Aster1){//尝试重新计算路径auto TempArray{ReRoute(Temp.ExpectedPath[Temp.ExpectedPath.Num()-1],Temp.ExpectedPath[0])};//没有能到终点的道路了if(TempArray.IsEmpty()){UE_LOG(LogTemp,Error,TEXT("RerouteFailed"));//将终点改为下一个天体TArray<int>Result;Result.Add(Temp.ExpectedPath[Temp.ExpectedPath.Num()-1]);Temp.ExpectedPath=Result;it->SetPackageInfo(Temp);it->UpdatePathEvent(Temp.ExpectedPath);break;}//应用新的路径Temp.ExpectedPath=TempArray;it->SetPackageInfo(Temp);it->UpdatePathEvent(Temp.ExpectedPath);break;}}}
}

4.某个有道路连接的建筑被删除

        在有道路连接的建筑被删除后,所有路径中包含该建筑的包裹要重新寻路,如果不能到达终点,同样送到下一个建筑为止

void ABP_Asters::AsterDestructed()
{ //这里展示的仅是该函数中关于物流系统的部分//删除以该天体为起点的道路TradingSystem->AsterGraph.erase(AsterIndex);for(auto&it:TradingSystem->AsterGraph){//删除以该天体为终点的道路auto temp{AsterIndex};it.second.RemoveAll([temp](const TSharedPtr<FRoadInformation>& Road){return Road->TerminalIndex==temp;});}for(int i=0;i<TradingSystem->TransferingPackage.Num();i++){auto it{TradingSystem->TransferingPackage[i]};if(!IsValid(it)){TradingSystem->TransferingPackage.RemoveAt(i);i--;continue;}auto Temp{it->GetPackageInfo()};bool NeedReroute{false};//计划路径中有该天体就需要重新寻路for(auto& it2:Temp.ExpectedPath){if(it2==AsterIndex){NeedReroute=true;}}if(NeedReroute){        //下一个目的地就是该天体,直接删除if(Temp.ExpectedPath.Num()==1){it->Destroy();continue;}//终点是该天体,那肯定找不到路了if(Temp.ExpectedPath[0]==AsterIndex){UE_LOG(LogTemp,Error,TEXT("Reroute failed"));TArray<int>Result;Result.Add(Temp.ExpectedPath[Temp.ExpectedPath.Num()-1]);Temp.ExpectedPath=Result;it->SetPackageInfo(Temp);it->UpdatePathEvent(Temp.ExpectedPath);continue;}//尝试重新寻路auto TempArray{TradingSystem->ReRoute(Temp.ExpectedPath[Temp.ExpectedPath.Num()-1],Temp.ExpectedPath[0])};//没找到合适的道路if(TempArray.IsEmpty()){UE_LOG(LogTemp,Error,TEXT("Reroute failed"));TArray<int>Result;Result.Add(Temp.ExpectedPath[Temp.ExpectedPath.Num()-1]);Temp.ExpectedPath=Result;it->SetPackageInfo(Temp);it->UpdatePathEvent(Temp.ExpectedPath);continue;}//应用新的路径Temp.ExpectedPath=TempArray;it->SetPackageInfo(Temp);it->UpdatePathEvent(Temp.ExpectedPath);}}//蓝图实现的事件,因为道路的指针存在蓝图里,所以交给蓝图来删除对象AsterDestructedEvent(this);
}


 

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

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

相关文章

SQLite数据库在Android中的使用

目录 一&#xff0c;SQLite简介 二&#xff0c;SQLIte在Android中的使用 1&#xff0c;打开或者创建数据库 2&#xff0c;创建表 3&#xff0c;插入数据 4&#xff0c;删除数据 5&#xff0c;修改数据 6&#xff0c;查询数据 三&#xff0c;SQLiteOpenHelper类 四&…

学习008-02-01-05 Configure a One-to-Many Relationship(配置一对多关系)

Configure a One-to-Many Relationship&#xff08;配置一对多关系&#xff09; This lesson explains how to create a One-to-Many relationship between two entities and how XAF generates the UI for such a relationship. 本课介绍如何在两个实体之间创建一对多关系以及…

nginx高可用实例

什么是nginx高可用 为什么需要高可用 正常情况下使用nginx&#xff0c;浏览器访问网址到nginx服务器&#xff0c;nginx再发送到目标服务器&#xff0c;获取资源返回。 但是会有一个问题&#xff1a;当nginx进程发生宕机&#xff0c;此时目标服务器存在&#xff0c;但是浏览器访…

Vue入门之v-for、computed、生命周期和模板引用

天行健&#xff0c;君子以自强不息&#xff1b;地势坤&#xff0c;君子以厚德载物。 每个人都有惰性&#xff0c;但不断学习是好好生活的根本&#xff0c;共勉&#xff01; 文章均为学习整理笔记&#xff0c;分享记录为主&#xff0c;如有错误请指正&#xff0c;共同学习进步。…

Linux系统下U-Boot基本操作——UBoot基础知识

个人名片&#xff1a; &#x1f393;作者简介&#xff1a;嵌入式领域优质创作者&#x1f310;个人主页&#xff1a;妄北y &#x1f4de;个人QQ&#xff1a;2061314755 &#x1f48c;个人邮箱&#xff1a;[mailto:2061314755qq.com] &#x1f4f1;个人微信&#xff1a;Vir2025WB…

React基础学习-Day08

React基础学习-Day08 React生命周期&#xff08;旧&#xff09;&#xff08;新&#xff09;&#xff08;函数组件&#xff09; &#xff08;旧&#xff09; 在 React 16 版本之前&#xff0c;React 使用了一套不同的生命周期方法。这些生命周期方法在 React 16 中仍然可以使用…

django报错(二):NotSupportedError:MySQL 8 or later is required (found 5.7.43)

执行python manage.py runserver命令时报版本不支持错误&#xff0c;显示“MySQL 8 or later is required (found 5.7.43)”。如图&#xff1a; 即要MySQL 8或更高版本。但是企业大所数用的还是mysql5.7相关版本。因为5.7之后的8.x版本是付费版本&#xff0c;贸然更新数据库肯定…

RK3562 NPU开发环境搭建

如何在Ubuntu系统&#xff08;PC&#xff09;上搭建RK3562 Buildroot Linux的NPU开发环境&#xff1f;即电脑端运行Ubuntu系统&#xff0c;而RK3562板卡运行Buildroot Linux系统的情况下&#xff0c;搭建RK3562 NPU开发环境。 下面是相应的步骤&#xff08;对应的命令&#xf…

DICOM CT\MR片子免费在线查看工具;python pydicom包加载查看;mayavi 3d查看

DICOM CT\MR片子免费在线查看工具 参考&#xff1a; https://zhuanlan.zhihu.com/p/668804209 dicom格式&#xff1a; DICOM&#xff08;Digital Imaging and Communications in Medicine&#xff09;是医学数字成像和通信的标准。它定义了医学图像&#xff08;如CT、MRI、X…

蓝桥 双周赛算法赛【小白场】

博客主页&#xff1a;誓则盟约系列专栏&#xff1a;IT竞赛 专栏关注博主&#xff0c;后期持续更新系列文章如果有错误感谢请大家批评指出&#xff0c;及时修改感谢大家点赞&#x1f44d;收藏⭐评论✍ 蓝桥第14场小白入门赛T1/T2/T3 题目&#xff1a; T1照常还是送分题无需多…

ChatTTS超强的真人AI语音助手下载使用教程

简介 ChatTTS是专门为对话场景设计的文本转语音模型&#xff0c;支持多人同时对话&#xff0c;适用的场景非常丰富&#xff0c;比如LLM助手对话任务&#xff0c;视频配音、声音克隆等。同时支持英文和中文两种语言。最大的模型使用了10万小时以上的中英文数据进行训练&#xf…

AI 基于病理图像分析揭示了一种不同类型的子宫内膜癌| 文献速递-基于人工智能(AI base)的医学影像研究与疾病诊断

Title 题目 AI-based histopathology image analysisreveals a distinct subset of endometrialcancers AI 基于病理图像分析揭示了一种不同类型的子宫内膜癌。 01 文献速递介绍 子宫内膜癌&#xff08;EC&#xff09;有四种分子亚型&#xff0c;具有很强的预后价值和治疗…

如何安装Visual Studio Code

Visual Studio Code&#xff08;简称 VS Code&#xff09; Visual Studio Code 是一款由微软开发的免费、开源的现代化轻量级代码编辑器。 主要特点包括&#xff1a; 跨平台&#xff1a;支持 Windows、Mac 和 Linux 等主流操作系统&#xff0c;方便开发者在不同平台上保持一…

二叉树 初阶 总结

树的基础认知 结点的度&#xff1a;一个结点含有的子树的个数称为该结点的度&#xff1b; 如上图&#xff1a;A的为6 叶结点或终端结点&#xff1a;度为0的结点称为叶结点&#xff1b; 如上图&#xff1a;B、C、H、I...等结点为叶结点 非终端结点或分支结点&#xff1a;度不为0…

采用T网络反馈电路的运算放大器(运放)反相放大器

运算放大器(运放)反相放大器电路 设计目标 输入电压ViMin输入电压ViMax输出电压VoMin输出电压VoMaxBW fp电源电压Vcc电源电压Vee-2.5mV2.5mV–2.5V2.5V5kHz5V–5V 设计说明1 该设计将输入信号 Vin 反相并应用 1000V/V 或 60dB 的信号增益。具有 T 反馈网络的反相放大器可用…

【鸿蒙学习笔记】位置设置・position・绝对定位・子组件相对父组件

官方文档&#xff1a;位置设置 目录标题 position・绝对定位・子组件相对父组件Row Text position position・绝对定位・子组件相对父组件 正→ ↓ Row Text position Entry Component struct Loc_position {State message: string Hello World;build() {Column() {Co…

【Neural signal processing and analysis zero to hero】- 1

The basics of neural signal processing course from youtube: 传送地址 Possible preprocessing steps Signal artifacts (not) to worry about doing visual based artifact rejection so that means that before you start analyzing, you can identify those data epic…

Elasticsearch:如何选择向量数据库?

作者&#xff1a;来自 Elastic Elastic Platform Team 向量数据库领域是一个快速发展的领域&#xff0c;它正在改变我们管理和搜索数据的方式。与传统数据库不同&#xff0c;向量数据库以向量的形式存储和管理数据。这种独特的方法可以实现更精确、更相关的搜索&#xff0c;并允…

【HarmonyOS】关于鸿蒙消息推送的心得体会 (一)

【HarmonyOS】关于鸿蒙消息推送的心得体会&#xff08;一&#xff09; 前言 这几天调研了鸿蒙消息推送的实现方式&#xff0c;形成了开发设计方案&#xff0c;颇有体会&#xff0c;与各位分享。 虽然没做之前觉得很简单的小功能&#xff0c;貌似只需要和华为服务器通信&…

Unity XR Interaction Toolkit的安装(二)

提示&#xff1a;文章有错误的地方&#xff0c;还望诸位大神不吝指教&#xff01; 文章目录 前言一、安装1.打开unity项目2.打开包管理器&#xff08;PackageManage&#xff09;3.导入Input System依赖包4.Interaction Layers unity设置总结 前言 安装前请注意&#xff1a;需要…