ArcGIS Pro SDK (八)地理数据库 5 编辑

ArcGIS Pro SDK (八)地理数据库 5 编辑

文章目录

  • ArcGIS Pro SDK (八)地理数据库 5 编辑
    • 1 创建行
    • 2 创建要素
    • 3 修改行
    • 4 修改要素
    • 5 将值写入 Guid 列
    • 6 删除行/要素
    • 7 添加附件
    • 8 更新附件
    • 9 删除附件
    • 10 写入 Blob 字段
    • 11 读取 Blob 字段
    • 12 获取按关系类关联的行
    • 13 创建关系
    • 14 删除关系
    • 15 使用插入游标
    • 16 使用 RowBuffer 在注记要素类中创建新的注记要素

环境:Visual Studio 2022 + .NET6 + ArcGIS Pro SDK 3.0

1 创建行

public async Task CreatingARow()
{string message = String.Empty;bool creationResult = false;EditOperation editOperation = new EditOperation();await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (Table enterpriseTable = geodatabase.OpenDataset<Table>("LocalGovernment.GDB.piCIPCost")){//var geodatabase = new Geodatabase(new FileGeodatabaseConnectionPath(uri)) for a File GDB//用于文件地理数据库的 geodatabase//var shapeFileConnPath = new FileSystemConnectionPath(uri, FileSystemDatastoreType.Shapefile);//var shapefile = new FileSystemDatastore(shapeFileConnPath);//var table = shapefile.OpenDataset<Table>(strShapeFileName); 用于 Shapefile//声明回调函数。我们还没有执行它editOperation.Callback(context =>{TableDefinition tableDefinition = enterpriseTable.GetDefinition();int assetNameIndex = tableDefinition.FindField("ASSETNA");using (RowBuffer rowBuffer = enterpriseTable.CreateRowBuffer()){// 可以使用字段索引或字段名称rowBuffer[assetNameIndex] = "wMain";rowBuffer["COST"] = 700;rowBuffer["ACTION"] = "Open Cut";// 子类型值为“Abandon”。rowBuffer[tableDefinition.GetSubtypeField()] = 3;using (Row row = enterpriseTable.CreateRow(rowBuffer)){// 指示属性表需要更新context.Invalidate(row);}}}, enterpriseTable);try{creationResult = editOperation.Execute();if (!creationResult) message = editOperation.ErrorMessage;}catch (GeodatabaseException exObj){message = exObj.Message;}}});if (!string.IsNullOrEmpty(message))MessageBox.Show(message);
}

2 创建要素

public async Task CreatingAFeature()
{string message = String.Empty;bool creationResult = false;await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (FeatureClass enterpriseFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.FacilitySite")){//var geodatabase = new Geodatabase(new FileGeodatabaseConnectionPath(uri)) for a File GDB//用于文件地理数据库的 geodatabase//var shapeFileConnPath = new FileSystemConnectionPath(uri, FileSystemDatastoreType.Shapefile);//var shapefile = new FileSystemDatastore(shapeFileConnPath);//var table = shapefile.OpenDataset<Table>(strShapeFileName); 用于 Shapefile//声明回调函数。我们还没有执行它EditOperation editOperation = new EditOperation();editOperation.Callback(context =>{FeatureClassDefinition facilitySiteDefinition = enterpriseFeatureClass.GetDefinition();int facilityIdIndex = facilitySiteDefinition.FindField("FACILITYID");using (RowBuffer rowBuffer = enterpriseFeatureClass.CreateRowBuffer()){// 可以使用字段索引或字段名称rowBuffer[facilityIdIndex] = "wMain";rowBuffer["NAME"] = "Griffith Park";rowBuffer["OWNTYPE"] = "Municipal";rowBuffer["FCODE"] = "Park";// 添加到公共景点子类型rowBuffer[facilitySiteDefinition.GetSubtypeField()] = 820;List<Coordinate2D> newCoordinates = new List<Coordinate2D>{new Coordinate2D(1021570, 1880583),new Coordinate2D(1028730, 1880994),new Coordinate2D(1029718, 1875644),new Coordinate2D(1021405, 1875397)};rowBuffer[facilitySiteDefinition.GetShapeField()] = new PolygonBuilderEx(newCoordinates).ToGeometry();using (Feature feature = enterpriseFeatureClass.CreateRow(rowBuffer)){//指示属性表需要更新context.Invalidate(feature);}}}, enterpriseFeatureClass);try{creationResult = editOperation.Execute();if (!creationResult) message = editOperation.ErrorMessage;}catch (GeodatabaseException exObj){message = exObj.Message;}}});if (!string.IsNullOrEmpty(message))MessageBox.Show(message);
}

3 修改行

public async Task ModifyingARow()
{string message = String.Empty;bool modificationResult = false;await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (Table enterpriseTable = geodatabase.OpenDataset<Table>("LocalGovernment.GDB.piCIPCost")){//var geodatabase = new Geodatabase(new FileGeodatabaseConnectionPath(uri)) for a File GDB//用于文件地理数据库的 geodatabase//var shapeFileConnPath = new FileSystemConnectionPath(uri, FileSystemDatastoreType.Shapefile);//var shapefile = new FileSystemDatastore(shapeFileConnPath);//var table = shapefile.OpenDataset<Table>(strShapeFileName); 用于 ShapefileEditOperation editOperation = new EditOperation();editOperation.Callback(context =>{QueryFilter openCutFilter = new QueryFilter { WhereClause = "ACTION = 'Open Cut'" };using (RowCursor rowCursor = enterpriseTable.Search(openCutFilter, false)){TableDefinition tableDefinition = enterpriseTable.GetDefinition();int subtypeFieldIndex = tableDefinition.FindField(tableDefinition.GetSubtypeField());while (rowCursor.MoveNext()){using (Row row = rowCursor.Current){// 为了更新地图和/或属性表// 必须在对行进行任何更改之前调用context.Invalidate(row);row["ASSETNA"] = "wMainOpenCut";if (Convert.ToDouble(row["COST"]) > 700){// 如果成本高于 700,则放弃资产(如果这是你想做的)。row["ACTION"] = "Open Cut Abandon";row[subtypeFieldIndex] = 3; //“Abandon”的子类型值}//所有更改完成后,保存更改。row.Store();// 保存之后也必须调用context.Invalidate(row);}}}}, enterpriseTable);try{modificationResult = editOperation.Execute();if (!modificationResult) message = editOperation.ErrorMessage;}catch (GeodatabaseException exObj){message = exObj.Message;}}});if (!string.IsNullOrEmpty(message))MessageBox.Show(message);
}

4 修改要素

public async Task ModifyingAFeature()
{string message = String.Empty;bool modificationResult = false;await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (FeatureClass enterpriseFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.FacilitySite")){//var geodatabase = new Geodatabase(new FileGeodatabaseConnectionPath(uri)) for a File GDB//用于文件地理数据库的 geodatabase//var shapeFileConnPath = new FileSystemConnectionPath(uri, FileSystemDatastoreType.Shapefile);//var shapefile = new FileSystemDatastore(shapeFileConnPath);//var table = shapefile.OpenDataset<Table>(strShapeFileName); 用于 ShapefileFeatureClassDefinition facilitySiteDefinition = enterpriseFeatureClass.GetDefinition();int ownTypeIndex = facilitySiteDefinition.FindField("OWNTYPE");int areaIndex = facilitySiteDefinition.FindField(facilitySiteDefinition.GetAreaField());EditOperation editOperation = new EditOperation();editOperation.Callback(context =>{QueryFilter queryFilter = new QueryFilter { WhereClause = "FCODE = 'Hazardous Materials Facility' AND OWNTYPE = 'Private'" };using (RowCursor rowCursor = enterpriseFeatureClass.Search(queryFilter, false)){while (rowCursor.MoveNext()){using (Feature feature = (Feature)rowCursor.Current){// 为了更新地图和/或属性表// 必须在对行进行任何更改之前调用context.Invalidate(feature);if (Convert.ToDouble(feature[areaIndex]) > 750){//将所有 FCODE 值为“Hazardous Materials Facility”且 OWNTYPE 为“Private”的行更改为 OWNTYPE 值为“Municipal”feature[ownTypeIndex] = "Municipal";feature.Store();}// 保存之后也必须调用context.Invalidate(feature);}}}}, enterpriseFeatureClass);try{modificationResult = editOperation.Execute();if (!modificationResult) message = editOperation.ErrorMessage;}catch (GeodatabaseException exObj){message = exObj.Message;}}});if (!string.IsNullOrEmpty(message))MessageBox.Show(message);
}

5 将值写入 Guid 列

row[field.Name] = "{" + guid.ToString() + "}";

6 删除行/要素

public async Task DeletingARowOrFeature()
{string message = String.Empty;bool deletionResult = false;await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (Table enterpriseTable = geodatabase.OpenDataset<Table>("LocalGovernment.GDB.piCIPCost")){//var geodatabase = new Geodatabase(new FileGeodatabaseConnectionPath(uri)) 对于 File GDB////var shapeFileConnPath = new FileSystemConnectionPath(uri, FileSystemDatastoreType.Shapefile);//var shapefile = new FileSystemDatastore(shapeFileConnPath);//var table = shapefile.OpenDataset<Table>(strShapeFileName); 对于 Shape 文件EditOperation editOperation = new EditOperation();editOperation.Callback(context =>{QueryFilter openCutFilter = new QueryFilter { WhereClause = "ACTION = 'Open Cut'" };using (RowCursor rowCursor = enterpriseTable.Search(openCutFilter, false)){while (rowCursor.MoveNext()){using (Row row = rowCursor.Current){// 为了更新地图和/或属性表。必须在删除之前调用。context.Invalidate(row);row.Delete();}}}}, enterpriseTable);try{deletionResult = editOperation.Execute();if (!deletionResult) message = editOperation.ErrorMessage;}catch (GeodatabaseException exObj){message = exObj.Message;}}});if (!string.IsNullOrEmpty(message))MessageBox.Show(message);
}

7 添加附件

public async Task AddingAttachments()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (FeatureClass parkFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.Park")){QueryFilter filter = new QueryFilter { WhereClause = "NUMPARKING > 0" };using (RowCursor parkingCursor = parkFeatureClass.Search(filter, false)){while (parkingCursor.MoveNext()){using (MemoryStream stream = CreateMemoryStreamFromContentsOf("Sample.xml")){Attachment attachment = new Attachment("Sample.xml", "text/xml", stream);using (Row row = parkingCursor.Current){long attachmentId = row.AddAttachment(attachment);}}}}}});
}private MemoryStream CreateMemoryStreamFromContentsOf(String fileNameWithPath)
{MemoryStream memoryStream = new MemoryStream();using (FileStream file = new FileStream(fileNameWithPath, FileMode.Open, FileAccess.Read)){byte[] bytes = new byte[file.Length];file.Read(bytes, 0, (int)file.Length);memoryStream.Write(bytes, 0, (int)file.Length);}return memoryStream;
}

8 更新附件

public async Task UpdatingAttachments()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (FeatureClass landUseCaseFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.LandUseCase")){QueryFilter filter = new QueryFilter { WhereClause = "CASETYPE = 'Rezoning'" };using (RowCursor landUseCursor = landUseCaseFeatureClass.Search(filter, false)){while (landUseCursor.MoveNext()){using (Feature rezoningUseCase = (Feature)landUseCursor.Current){IReadOnlyList<Attachment> rezoningAttachments = rezoningUseCase.GetAttachments();IEnumerable<Attachment> filteredAttachments = rezoningAttachments.Where(attachment => !attachment.GetName().Contains("rezoning"));foreach (Attachment attachmentToUpdate in filteredAttachments){attachmentToUpdate.SetName(attachmentToUpdate.GetName().Replace(".pdf", "Rezoning.pdf"));rezoningUseCase.UpdateAttachment(attachmentToUpdate);}}}}}});
}

9 删除附件

public async Task DeletingAttachments()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file\\sdefile.sde"))))using (Table inspectionTable = geodatabase.OpenDataset<Table>("luCodeInspection")){QueryFilter queryFilter = new QueryFilter { WhereClause = "ACTION = '1st Notice'" };using (RowCursor cursor = inspectionTable.Search(queryFilter, false)){while (cursor.MoveNext()){using (Row currentRow = cursor.Current){IReadOnlyList<Attachment> rowAttachments = currentRow.GetAttachments(null, true);IEnumerable<Attachment> attachments = rowAttachments.Where(attachment => attachment.GetContentType().Equals("application/pdf"));var attachmentIDs = attachments.Select(attachment => attachment.GetAttachmentID()) as IReadOnlyList<long>;IReadOnlyDictionary<long, Exception> failures = currentRow.DeleteAttachments(attachmentIDs);if (failures.Count > 0){//处理错误}}}}}});
}

10 写入 Blob 字段

public async Task WriteBlobField(Table table, string blobFieldName, string imageFileName)
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{// 将图像文件读入 MemoryStreamMemoryStream memoryStream = new MemoryStream(); ;using (FileStream imageFile = new FileStream(imageFileName, FileMode.Open, FileAccess.Read)){imageFile.CopyTo(memoryStream);}// 在表中创建新行,并将 MemoryStream 写入 blob 字段using (RowBuffer rowBuffer = table.CreateRowBuffer()){rowBuffer[blobFieldName] = memoryStream;table.CreateRow(rowBuffer).Dispose();}});
}

11 读取 Blob 字段

public async Task ReadBlobField(Table table, QueryFilter queryFilter, string blobFieldName)
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{const string imageFileBaseName = "C:\\path\\to\\image\\directory\\Image";// 对于满足搜索条件的每一行,将 blob 字段写出到图像文件using (RowCursor rowCursor = table.Search(queryFilter)){int fileCount = 0;while (rowCursor.MoveNext()){using (Row row = rowCursor.Current){// 将 blob 字段读入 MemoryStreamMemoryStream memoryStream = row[blobFieldName] as MemoryStream;// 创建文件using (FileStream outputFile = new FileStream(imageFileBaseName + fileCount.ToString(), FileMode.Create, FileAccess.Write)){// 将 MemoryStream 写入文件memoryStream.WriteTo(outputFile);}}}}});
}

12 获取按关系类关联的行

public async Task GettingRowsRelatedByRelationshipClass()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file"))))using (RelationshipClass relationshipClass = geodatabase.OpenDataset<RelationshipClass>("LocalGovernment.GDB.luCodeViolationHasInspections"))using (FeatureClass violationsFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.luCodeViolation"))using (Table inspectionTable = geodatabase.OpenDataset<Table>("LocalGovernment.GDB.luCodeInspection")){List<Row> jeffersonAveViolations = new List<Row>();QueryFilter queryFilter = new QueryFilter { WhereClause = "LOCDESC LIKE '///%Jefferson///%'" };using (RowCursor rowCursor = violationsFeatureClass.Search(queryFilter, false)){while (rowCursor.MoveNext()){jeffersonAveViolations.Add(rowCursor.Current);}}IReadOnlyList<Row> relatedOriginRows = null;IReadOnlyList<Row> relatedDestinationRows = null;try{QueryFilter filter = new QueryFilter { WhereClause = "ACTION = '1st Notice'" };using (Selection selection = inspectionTable.Select(filter, SelectionType.ObjectID, SelectionOption.Normal)){relatedOriginRows = relationshipClass.GetRowsRelatedToDestinationRows(selection.GetObjectIDs());}bool containsJeffersonAve = relatedOriginRows.Any(row => Convert.ToString(row["LOCDESC"]).Contains("Jefferson"));List<long> jeffersonAveViolationObjectIds = jeffersonAveViolations.Select(row => row.GetObjectID()).ToList();relatedDestinationRows = relationshipClass.GetRowsRelatedToOriginRows(jeffersonAveViolationObjectIds);}finally{if (relatedOriginRows != null){foreach (Row row in relatedOriginRows){row.Dispose();}}if (relatedDestinationRows != null){foreach (Row row in relatedDestinationRows){row.Dispose();}}}}});
}

13 创建关系

public async Task CreatingARelationship()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file"))))using (RelationshipClass relationshipClass = geodatabase.OpenDataset<RelationshipClass>("LocalGovernment.GDB.OverviewToProject"))using (FeatureClass projectsFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.CIPProjects"))using (FeatureClass overviewFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.CIPProjectsOverview")){// 获取关系类的原键字段,可以使用字段索引或字段名称string originKeyField = relationshipClass.GetDefinition().GetOriginKeyField();EditOperation editOperation = new EditOperation();editOperation.Callback(context =>{// 添加示例数据行以创建关系。可以使用已有的行来创建关系using (RowBuffer projectsRowBuffer = projectsFeatureClass.CreateRowBuffer())using (RowBuffer overviewRowBuffer = overviewFeatureClass.CreateRowBuffer()){projectsRowBuffer["TOTCOST"] = 500000;overviewRowBuffer[originKeyField] = "LibraryConstruction";overviewRowBuffer["PROJECTMAN"] = "John Doe";overviewRowBuffer["FUNDSOUR"] = "Public";using (Row projectsRow = projectsFeatureClass.CreateRow(projectsRowBuffer))using (Row overviewRow = overviewFeatureClass.CreateRow(overviewRowBuffer)){Relationship relationship = relationshipClass.CreateRelationship(overviewRow, projectsRow);// 更新地图和属性表context.Invalidate(projectsRow);context.Invalidate(overviewRow);context.Invalidate(relationshipClass);}}}, projectsFeatureClass, overviewFeatureClass);bool editResult = editOperation.Execute();}});
}

14 删除关系

public async Task DeletingARelationship()
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file"))))using (RelationshipClass relationshipClass = geodatabase.OpenDataset<RelationshipClass>("LocalGovernment.GDB.luCodeViolationHasInspections"))using (FeatureClass violationsFeatureClass = geodatabase.OpenDataset<FeatureClass>("LocalGovernment.GDB.luCodeViolation")){QueryFilter queryFilter = new QueryFilter { WhereClause = "LOCDESC LIKE '///%Jefferson///%'" };using (RowCursor rowCursor = violationsFeatureClass.Search(queryFilter, false)){if (!rowCursor.MoveNext())return;using (Row jeffersonAveViolation = rowCursor.Current){IReadOnlyList<Row> relatedDestinationRows = relationshipClass.GetRowsRelatedToOriginRows(new List<long> { jeffersonAveViolation.GetObjectID() });try{EditOperation editOperation = new EditOperation();editOperation.Callback(context =>{foreach (Row relatedDestinationRow in relatedDestinationRows){try{relationshipClass.DeleteRelationship(jeffersonAveViolation, relatedDestinationRow);}catch (GeodatabaseRelationshipClassException exception){Console.WriteLine(exception);}}}, relationshipClass);bool editResult = editOperation.Execute();}finally{foreach (Row row in relatedDestinationRows)row.Dispose();}}}}});
}

15 使用插入游标

// Insert Cursors 适用于 CoreHost 应用,而非 Pro Add-ins
public void UsingInsertCursor()
{using (Geodatabase geodatabase = new Geodatabase(new DatabaseConnectionFile(new Uri("path\\to\\sde\\file"))))using (Table citiesTable = geodatabase.OpenDataset<Table>("name\\of\\cities_table")){geodatabase.ApplyEdits(() =>{using (InsertCursor insertCursor = citiesTable.CreateInsertCursor())using (RowBuffer rowBuffer = citiesTable.CreateRowBuffer()){rowBuffer["State"] = "Colorado";rowBuffer["Name"] = "Fort Collins";rowBuffer["Population"] = 167830;insertCursor.Insert(rowBuffer);rowBuffer["Name"] = "Denver";rowBuffer["Population"] = 727211;insertCursor.Insert(rowBuffer);// 插入更多行// 现实应用中可能会从文件中读取源数据insertCursor.Flush();}});}
}

16 使用 RowBuffer 在注记要素类中创建新的注记要素

public async Task CreatingAnAnnotationFeature(Geodatabase geodatabase)
{await ArcGIS.Desktop.Framework.Threading.Tasks.QueuedTask.Run(() =>{using (AnnotationFeatureClass annotationFeatureClass = geodatabase.OpenDataset<AnnotationFeatureClass>("Annotation // feature // class // name"))using (AnnotationFeatureClassDefinition annotationFeatureClassDefinition = annotationFeatureClass.GetDefinition())using (RowBuffer rowBuffer = annotationFeatureClass.CreateRowBuffer())using (AnnotationFeature annotationFeature = annotationFeatureClass.CreateRow(rowBuffer)){annotationFeature.SetAnnotationClassID(0);annotationFeature.SetStatus(AnnotationStatus.Placed);// 获取注记类的标签集合IReadOnlyList<CIMLabelClass> labelClasses = annotationFeatureClassDefinition.GetLabelClassCollection();// 设置符号引用,包括符号 ID 和文本符号CIMSymbolReference cimSymbolReference = new CIMSymbolReference();cimSymbolReference.Symbol = labelClasses[0].TextSymbol.Symbol;cimSymbolReference.SymbolName = labelClasses[0].TextSymbol.SymbolName;// 设置文本图形CIMTextGraphic cimTextGraphic = new CIMTextGraphic();cimTextGraphic.Text = "Charlotte, North Carolina";cimTextGraphic.Shape = new MapPointBuilderEx(new Coordinate2D(-80.843, 35.234), SpatialReferences.WGS84).ToGeometry();cimTextGraphic.Symbol = cimSymbolReference;// 设置图形上的符号引用并存储annotationFeature.SetGraphic(cimTextGraphic);annotationFeature.Store();}});
}

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

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

相关文章

Perl高手秘籍:自定义操作符的炼金术

&#x1f31f; Perl高手秘籍&#xff1a;自定义操作符的炼金术 Perl是一种极其灵活的编程语言&#xff0c;它不仅支持内置的操作符&#xff0c;还允许开发者定义自己的操作符。自定义操作符可以极大地增强Perl代码的表达力和功能性。本文将深入探讨如何在Perl中定义自定义操作…

一位互联网公司项目经理繁忙的一天

早晨&#xff1a;准备与计划 7:00 AM - 起床与准备 项目经理起床后&#xff0c;快速洗漱并享用早餐。之后花几分钟查看手机上的邮件和消息&#xff0c;确保没有紧急事务需要立即处理。 7:30 AM - 通勤时间 前往公司。在通勤途中&#xff0c;通过手机或平板电脑查看当天的会议…

Java多线程面试题

目录 一.线程和进程的区别 二.保证线程安全的手段 三.创建多线程的方式 四.线程池的讲解 五.volatile和synchronzied的区别 六.synchronized 和 Lock的区别 七.产生死锁的条件 八.Java当中常见的锁策略 本专栏全是博主自己收集的面试题&#xff0c;仅可参考…

C基础day8

一、思维导图 二、课后习题 #include<myhead.h> #define Max_Stu 100 //函数声明 //学生信息录入函数 void Enter_stu(int *Num_Stu,char Stu_name[][50],int Stu_score[]); //查看学生信息 void Print_stu(int Num_Stu,char Stu_name[][50],int Stu_score[]); //求出成绩…

运维锅总详解进程、内核线程、用户态线程和协程

I/O 密集型应用、计算密集型应用应该用什么实现&#xff1f;进程、内核线程、用户态线程、协程它们的原理和应用场景又是什么&#xff1f;如何组合它们才能让机器性能达到最优&#xff1f;它们的死锁和竞态又是什么&#xff1f;如何清晰地表示它们之间的关系&#xff1f;希望读…

红日靶场----(三)2.漏洞利用

上期的通过一句话木马实现对目标主机的持久后门 我使用的是蚁剑&#xff0c;蚁剑安装及使用参考&#xff1a; 下载地址&#xff1a; GitHub - AntSwordProject/AntSword-Loader: AntSword 加载器 安装即使用&#xff1a; 1. 快速入门 语雀 通过YXCMS的后台GETSHELL 利用…

Dify工作流中的变量聚合节点

一.定义 变量聚合节点&#xff08;原变量赋值节点&#xff09;负责整合不同分支的输出结果&#xff0c;确保无论哪个分支被执行&#xff0c;其结果都能通过一个统一的变量来引用和访问。这在多分支的情况下非常有用&#xff0c;可将不同分支下相同作用的变量映射为一个输出变量…

剖析自闭症孩子玩手的独特之处

自闭症孩子玩手的行为常常具有一些较为独特的特点。 重复性是一个显著的特征。他们可能会以一种几乎相同的方式、节奏和频率反复地摆弄自己的手&#xff0c;例如不停地握拳、张开&#xff0c;或者持续地旋转手腕。 动作的单调性也是常见的。玩手的方式可能较为单一&#xff0c;…

力扣 24两两交换链表中节点

画图 注意有头结点 注意判断时先判断cur->next ! nullptr,再判断cur->next->next ! nullptr 注意末尾返回dumyhead->next&#xff0c;用新建result指针来接并返回 class Solution { public:ListNode* swapPairs(ListNode* head) {ListNode *dummyhead new List…

java线程介绍

Java 线程是指程序中的一个独立执行路径。使用多线程编程可以实现并发,从而使程序可以同时执行多个任务。Java 提供了强大的线程支持,使得开发多线程应用程序变得相对简单。以下是对 Java 线程的详细介绍,包括基本概念、创建和管理线程的方法,以及常见的使用场景和注意事项…

小技巧(更新中)

1.Pycharm使用小技巧pycharm的使用小技巧1---快速找到模块内的函数和类&#xff0c;快速定位查看的模块所在位置_pycharm怎么查找某个函数-CSDN博客 2. Python库之requirments Python库安装之requirements.txt, environment.yml_python requirements-CSDN博客 3.执行.sh脚本的…

【Spring Boot 异常处理】

文章目录 一、Spring Boot 中的异常处理概述1. 异常处理的重要性2. Spring Boot的默认异常处理机制 二、自定义异常处理1. 创建自定义异常类示例代码 2. 使用ExceptionHandler注解示例代码 3. ControllerAdvice的使用示例代码 三、进阶异常处理1. 异常处理与REST API使用RestCo…

vue中v-if与v-show的区别

在 Vue.js 中&#xff0c;v-if 和 v-show 都是用来控制元素显示与隐藏的指令&#xff0c;但它们之间有几个关键的区别&#xff1a; 直接上图 一. 条件渲染方式不同 v-if&#xff1a; 真正的条件渲染&#xff1a;v-if 指令会根据表达式的真假来销毁或重新创建 DOM 元素及其…

立体视差算法的研究

实时立体匹配模型 antabangun/coex (github.com) 立体视差数据集网站包含最新高分算法排行榜 antabangun/coex (github.com)

LeetCode 88.合并两个有序数组 C写法

LeetCode 88.合并两个有序数组 C写法 思路&#xff1a; ​ 由题nums1的长度为mn&#xff0c;则我们不需要开辟新的数组去存储元素。题目要求要有序合并&#xff0c;于是可以判断哪边数更大&#xff0c;将更大的数尾插在nums1中。 ​ 定义三个变量来控制下标&#xff0c;end1控…

AI绘画工具Stable Diffusion神级插件InstantID,AI换脸完美版!

随着AI绘画技术的不断迭代&#xff0c;AI换脸也日臻完美。 从路线上看&#xff0c;主要有两条路线&#xff0c;一是一张图换脸&#xff0c;优点是操作简便&#xff0c;缺点是换个姿势的时候&#xff0c;往往不太像&#xff0c;roop等插件是基于这个思路&#xff1b;二是炼制专…

第7章 Vite的测试和调试

测试和调试是软件开发过程中的重要环节。通过合理的测试策略和调试技巧&#xff0c;可以大幅提高代码的质量和稳定性。本章将介绍如何在 Vite 项目中进行单元测试、集成测试和端到端测试&#xff0c;以及常用的调试方法和工具。 1 单元测试 单元测试是对最小可测试单元进行验证…

UWB:FiRa Consortium UCI Generic Technical Specification v1.1.0(1)- UCI架构和通用数据包头

FiRa fine ranging 精确测距 为了UWB产业能够蓬勃发展&#xff0c;各个公司的产品必须互联互通&#xff0c;不然就是一盘散沙&#xff0c;成不了气候。于是成立了FiRa UWB联盟&#xff0c;相当于WiFi里面的WiFi alliance&#xff08;WiFi联盟&#xff09;&#xff0c;蓝牙里面…

uniapp x — 跨平台应用开发的强大助力

摘要&#xff1a; 随着前端技术的不断演进&#xff0c;跨平台应用开发框架成为了提升开发效率、降低开发成本的重要工具。uni-app以其跨平台兼容性和丰富的功能受到了开发者的广泛青睐。然而&#xff0c;随着应用需求的日益增长&#xff0c;对框架的功能和性能要求也在不断提高…

洛谷P1498 南蛮图腾[递归好题]

南蛮图腾 题目背景 自从到了南蛮之地&#xff0c;孔明不仅把孟获收拾的服服帖帖&#xff0c;而且还发现了不少少数民族的智慧&#xff0c;他发现少数民族的图腾往往有着一种分形的效果&#xff0c;在得到了酋长的传授后&#xff0c;孔明掌握了不少绘图技术&#xff0c;但唯独…