Roslyn 去除多余using

原因

当你添加新代码的时候VS会自动帮你添加对应的using,但是它只会帮你加不会帮你减
由于运行时并不能使用UnityEditor命名空间里面的东西。你就算加了也会在打包的时候给你报错,除非使用宏包裹起来
因为我们打包都是在打包机上操作的。一般情况下自己本地是不会打包也就不会知道在代码里面有多余using
经常出现打包到一半因为有多余的using导致的打包失败。然后再通知程序修改上传重新打包

解决方案

VS右键有个删除using和对其排序功能。但是说实话并没有什么卵用。每次保存前都右键执行一次比上面的流程更繁琐
基于以上流程过于繁琐。并且浪费时间。有了以下方案。
在git的pre-commit钩子加上cs后缀文件的using检测。如果有多余的using直接删除

编译动态链接库

编译需要设置是否开启

var options = new CSharpCompilationOptions(OutputKind.DynamicallyLinkedLibrary, allowUnsafe: allowUnsafe);
var compilation = CSharpCompilation.Create(assemblyName, options: options);

添加动态库所引用的dll

portableExecutable = MetadataReference.CreateFromFile(dllPath);
compilation = compilation.AddReferences(portableExecutable);

添加动态库所包含的文件

var option = new CSharpParseOptions(LanguageVersion.CSharp8, DocumentationMode.Parse, SourceCodeKind.Regular, symbols);
var encoding = FileEncoding.GetType(path);
var content = File.ReadAllText(path, encoding);
var tree = CSharpSyntaxTree.ParseText(content, option);
compilation = compilation.AddSyntaxTrees(tree);

以上所有包含的信息在csproj里面都有记录。直接读取并设置即可

检测是否有多余using

https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/compiler-messages/using-directive-errors
从文中可以看到 CS8019 是多余using警告。我们只需要根据这个移除对应的节点即可

CSharpCompilation compilation = CompilationHelper.GetCompilation(assemblyName);
var tree = CompilationHelper.GetSyntaxTree(assemblyName, path);
var root = tree.GetCompilationUnitRoot();
SemanticModel model = compilation.GetSemanticModel(tree);
var diagnostics = model.GetDiagnostics();
foreach (Diagnostic diagnostic in diagnostics)
{if (diagnostic.Id == "CS8019"){if (root.FindNode(diagnostic.Location.SourceSpan) is UsingDirectiveSyntax node){// 需要过滤的节点}}
}

语法树修改

通过CSharpSyntaxRewriter对语法树节点的修改
我们需要的是重载 VisitUsingDirective 函数,只需要返回空即可删除对应节点

using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using System.Collections.Generic;namespace CSharpAnalyzer
{public class UsingSyntaxRewriter : CSharpSyntaxRewriter{private Dictionary<UsingDirectiveSyntax, bool> filters = new Dictionary<UsingDirectiveSyntax, bool>();public bool IsUpdate(){return filters.Count > 0;}public void Add(UsingDirectiveSyntax node){if (node == null)return;filters[node] = true;}public override SyntaxNode VisitUsingDirective(UsingDirectiveSyntax node){if (filters.ContainsKey(node))return null;return base.VisitUsingDirective(node);}}}

完整代码

using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Xml;namespace CSharpAnalyzer
{public class CompilationHelper{static Dictionary<string,List<string>> pathDict = new Dictionary<string,List<string>>();static Dictionary<string, string[]> symbolDict = new Dictionary<string, string[]>();static Dictionary<string, CSharpCompilation> compilationDict = new Dictionary<string, CSharpCompilation>();public static void LoadCsproj(string csproj){if (!File.Exists(csproj)){throw new Exception($"{csproj} not found");}var assemblyName = Path.GetFileNameWithoutExtension(csproj);if (compilationDict.ContainsKey(assemblyName))return;var dir = Path.GetDirectoryName(csproj);XmlDocument document = new XmlDocument();document.LoadXml(File.ReadAllText(csproj));var root = document.FirstChild;var project = root.NextSibling;bool allowUnsafe = false;string[] symbols = null;List<string> dllList = new List<string>();List<string> fileList = new List<string>();foreach (XmlNode node in project.ChildNodes){switch (node.Name){case "PropertyGroup":foreach (XmlNode n in node.ChildNodes){if (n.Name == "DefineConstants"){var list = n.InnerText.Split(';').ToList();list.Add("DEBUG");list.Add("RELEASE");list.Add("UNITY_EDITOR");symbols = list.ToArray();}else if (n.Name == "AllowUnsafeBlocks"){bool.TryParse(n.InnerText, out allowUnsafe);}}break;case "ItemGroup":foreach (XmlNode n in node.ChildNodes){if (n.Name == "Compile"){fileList.Add(n.Attributes["Include"].Value);}else if (n.Name == "Reference"){dllList.Add(n.ChildNodes[0].InnerText);}else if (n.Name == "ProjectReference"){var name = Path.GetFileNameWithoutExtension(n.Attributes["Include"].Value);var dll = Path.Combine(@"Library\ScriptAssemblies", name + ".dll");dllList.Add(dll);}}break;}}var options = new CSharpCompilationOptions(OutputKind.DynamicallyLinkedLibrary, allowUnsafe: allowUnsafe);var compilation = CSharpCompilation.Create(assemblyName, options: options);foreach (var dll in dllList){var dllPath = dll;if (!dll.Contains(":"))dllPath = Path.Combine(dir, dll);var portableExecutable = PortableExecutableHelper.Get(dllPath);if (portableExecutable != null){compilation = compilation.AddReferences(portableExecutable);}}symbolDict[assemblyName] = symbols;List<string> files = new List<string>();    foreach (var file in fileList){var path = Path.Combine(dir, file).Replace("\\", "/");var tree = GetSyntaxTree(assemblyName, path);compilation = compilation.AddSyntaxTrees(tree);files.Add(path);}pathDict[assemblyName] = files;compilationDict[assemblyName] = compilation;}public static CSharpCompilation GetCompilation(string assemblyName){compilationDict.TryGetValue(assemblyName, out var compilation); return compilation;}public static SyntaxTree GetSyntaxTree(string assemblyName, string path){symbolDict.TryGetValue(assemblyName, out var symbol);return SyntaxTreeHelper.GetSyntaxTree(path, symbol);}}
}
using Microsoft.CodeAnalysis;
using System.Collections.Generic;
using System.IO;namespace CSharpAnalyzer
{internal class PortableExecutableHelper{static Dictionary<string, PortableExecutableReference> dict = new Dictionary<string, PortableExecutableReference>();internal static PortableExecutableReference Get(string path){if (dict.TryGetValue(path, out var dll)){return dll;}if (File.Exists(path)){dll = MetadataReference.CreateFromFile(path);if (dll != null){dict[path] = dll;return dll;}}return null;}}
}
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using System.Collections.Generic;
using System.IO;namespace CSharpAnalyzer
{public class SyntaxTreeHelper{static Dictionary<string, SyntaxTree> syntaxTreeDict = new Dictionary<string, SyntaxTree>();public static SyntaxTree GetSyntaxTree(string path, string[] symbols, bool reload = false){SyntaxTree result = null;if (!reload){if (syntaxTreeDict.TryGetValue(path, out result)){return result;}}if (!File.Exists(path))return result;CSharpParseOptions option = null;if (symbols != null && symbols.Length > 0){option = new CSharpParseOptions(LanguageVersion.CSharp8, DocumentationMode.Parse, SourceCodeKind.Regular, symbols);}var encoding = FileEncoding.GetType(path);var content = File.ReadAllText(path, encoding);result = CSharpSyntaxTree.ParseText(content, option);syntaxTreeDict[path] = result;return result;}}
}
// https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/compiler-messages/using-directive-errors
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using System;
using System.Collections.Generic;
using System.IO;namespace CSharpAnalyzer
{public class UnnecessaryImportsAnalyzer{public static bool Run(string path, string assemblyName){if (!File.Exists(path))return false;CSharpCompilation compilation = CompilationHelper.GetCompilation(assemblyName);if (compilation == null)return false;var tree = CompilationHelper.GetSyntaxTree(assemblyName, path.Replace(@"\","/"));var root = tree.GetCompilationUnitRoot();SemanticModel model = compilation.GetSemanticModel(tree);var diagnostics = model.GetDiagnostics();if (diagnostics.IsEmpty){var encoding = FileEncoding.GetType(path);if (encoding != System.Text.Encoding.UTF8){var context = File.ReadAllText(path, encoding);File.WriteAllText(path, context, System.Text.Encoding.UTF8);return true;}return false;}{//var usingSyntaxRewriter = new UsingSyntaxRewriter();List<string> usings = new List<string>();foreach (Diagnostic diagnostic in diagnostics){if(diagnostic.Severity == DiagnosticSeverity.Error) {Console.WriteLine($"{path} {diagnostic.GetMessage()}");return false;}if (diagnostic.Id == "CS8019"){if (root.FindNode(diagnostic.Location.SourceSpan) is UsingDirectiveSyntax node){//usingSyntaxRewriter.Add(node);usings.Add(node.ToString());}}}if (usings.Count > 0){//var newRoot = usingSyntaxRewriter.Visit(root);//var context = newRoot.GetText().ToString();var context = root.GetText().ToString();foreach (var _using in usings){context = context.Replace(_using,string.Empty);}File.WriteAllText(path, context, System.Text.Encoding.UTF8);return true;}else{var encoding = FileEncoding.GetType(path);if (encoding != System.Text.Encoding.UTF8){var context = File.ReadAllText(path, encoding);File.WriteAllText(path, context, System.Text.Encoding.UTF8);return true;}}}return false;}}}
// https://blog.csdn.net/qq_43024228/article/details/122719840
using System;
using System.IO;
using System.Text;namespace CSharpAnalyzer
{public class FileEncoding{/// <summary> /// 给定文件的路径,读取文件的二进制数据,判断文件的编码类型 /// </summary> /// <param name=“FILE_NAME“>文件路径</param> /// <returns>文件的编码类型</returns> public static System.Text.Encoding GetType(string FILE_NAME){FileStream fs = new FileStream(FILE_NAME, FileMode.Open, FileAccess.Read);Encoding r = GetType(fs);fs.Close();return r;}/// <summary> /// 通过给定的文件流,判断文件的编码类型 /// </summary> /// <param name=“fs“>文件流</param> /// <returns>文件的编码类型</returns> public static System.Text.Encoding GetType(FileStream fs){Encoding reVal = Encoding.Default;BinaryReader r = new BinaryReader(fs, System.Text.Encoding.Default);int i;int.TryParse(fs.Length.ToString(), out i);byte[] ss = r.ReadBytes(i);if (IsUTF8Bytes(ss) || (ss[0] == 0xEF && ss[1] == 0xBB && ss[2] == 0xBF)){reVal = Encoding.UTF8;}else if (ss[0] == 0xFE && ss[1] == 0xFF && ss[2] == 0x00){reVal = Encoding.BigEndianUnicode;}else if (ss[0] == 0xFF && ss[1] == 0xFE && ss[2] == 0x41){reVal = Encoding.Unicode;}r.Close();return reVal;}/// <summary> /// 判断是否是不带 BOM 的 UTF8 格式 /// </summary> /// <param name=“data“></param> /// <returns></returns> private static bool IsUTF8Bytes(byte[] data){int charByteCounter = 1; //计算当前正分析的字符应还有的字节数 byte curByte; //当前分析的字节. for (int i = 0; i < data.Length; i++){curByte = data[i];if (charByteCounter == 1){if (curByte >= 0x80){//判断当前 while (((curByte <<= 1) & 0x80) != 0){charByteCounter++;}//标记位首位若为非0 则至少以2个1开始 如:110XXXXX...........1111110X if (charByteCounter == 1 || charByteCounter > 6){return false;}}}else{//若是UTF-8 此时第一位必须为1 if ((curByte & 0xC0) != 0x80){return false;}charByteCounter--;}}if (charByteCounter > 1){throw new Exception("非预期的byte格式");}return true;}}
}

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

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

相关文章

vue3 拖拽插件 Vue3DraggableResizable

Vue3DraggableResizable 拖拽插件的官方文档 一、Vue3DraggableResizable 的属性和事件 1、Vue3DraggableResizable 的属性配置 属性类型默认值功能描述示例initWNumbernull设置初始宽度&#xff08;px&#xff09;<Vue3DraggableResizable :initW“100” />initHNumb…

sql高级教程-索引

文章目录 架构简介1.连接层2.服务层3.引擎层4.存储层 索引优化背景目的劣势分类基本语法索引结构和适用场景 性能分析MySq| Query Optimizerexplain 索引优化单表优化两表优化三表优化 索引失效原因 架构简介 1.连接层 最上层是一些客户端和连接服务&#xff0c;包含本地sock通…

1 Go的前世今生

概述 Go语言正式发布于2009年11月&#xff0c;由Google主导开发。它是一种针对多处理器系统应用程序的编程语言&#xff0c;被设计成一种系统级语言&#xff0c;具有非常强大和有用的特性。Go语言的程序速度可以与C、C相媲美&#xff0c;同时更加安全&#xff0c;支持并行进程。…

[架构之路-241]:目标系统 - 纵向分层 - 企业信息化与企业信息系统(多台企业应用单机组成的企业信息网络)

目录 前言&#xff1a; 一、什么是信息系统&#xff1a;计算机软件硬件系统 1.1 什么是信息 1.2 什么是信息系统 1.3 什么是信息技术 1.4 什么是信息化与信息化转型 1.5 什么是数字化与数字化转型&#xff08;信息化的前提&#xff09; 1.6 数字化与信息化的比较 1.7 …

力扣每日一题58:最后一个单词的长度

题目描述&#xff1a; 给你一个字符串 s&#xff0c;由若干单词组成&#xff0c;单词前后用一些空格字符隔开。返回字符串中 最后一个 单词的长度。 单词 是指仅由字母组成、不包含任何空格字符的最大子字符串。 示例 1&#xff1a; 输入&#xff1a;s "Hello World&q…

Arduino IDE + Esp32 Cam + 实现视频流 + 开发环境部署

1、开发环境 Arduino ide 版本&#xff1a;2.2.1 esp32工具&#xff1a;2.0.5 示例代码 #include "esp_camera.h" #include <WiFi.h>// // WARNING!!! PSRAM IC required for UXGA resolution and high JPEG quality // Ensure ESP32 Wrover Modu…

Zookeeper、Kafka集群与Filebeat+Kafka+ELK架构、部署实例

Zookeeper、Kafka集群与FilebeatKafkaELK架构、部署实例 一、Zookeeper1.1、Zookeeper 定义1.2、Zookeeper 工作机制1.3、Zookeeper 特点1.4、Zookeeper 数据结构1.5、Zookeeper 应用场景1.5、Zookeeper 选举机制1.5.1、 第一次启动选举机制1.5.2、 非第一次启动选举机制 二、Z…

二、UI入门

1. QWidget类 QWidget类是Qt所有图形用户界面&#xff08;组件&#xff09;的基类&#xff0c;因此QWidget类内部规定了所有最基础的UI相关功能。例如以下成员&#xff1a; ● width : const int 宽度&#xff08;单位&#xff1a;像素&#xff0c;后文同&#xff09; Qt中的…

优先级总结

目录 越小越优先 1.路由协议 2.路由开销 3.STP 4.Ethernet-trunk&#xff08;LACP&#xff09; 越大越优先 1.VRRP 2.Router-id 3.DR/BDR 越小越优先 1.路由协议 取值范围&#xff1a;0~255 直连路由0 静态路由/默认路由60 RIP路由100 OSPF路由10或150 BGP路由255 2…

数据结构-树的概念结构及存储

&#x1f5e1;CSDN主页&#xff1a;d1ff1cult.&#x1f5e1; &#x1f5e1;代码云仓库&#xff1a;d1ff1cult.&#x1f5e1; &#x1f5e1;文章栏目&#xff1a;数据结构专栏&#x1f5e1; 目录 一、树的基本概念及结构 1树的概念 2树的存储 二、二叉树的概念及结构 1二叉树的概…

2023-python pdf转换为PPT代码

from pdf2image import convert_from_path from pptx import Presentation from pptx.util import Inches import os# 用户输入PDF文件路径 pdf_file_path input("请输入PDF文件的路径&#xff1a;")# 提取文件名&#xff08;不包括扩展名&#xff09;作为PPT文件名…

vue3结合Cesium加载倾斜摄影3dtiles

这篇文章主要是为了记录加载3dtiles时模型与地形有时候存在一些高度上的差异&#xff0c;为此将解决方法做一个记录&#xff0c;便于其他读者使用。 加载倾斜摄影3dtitle //加载倾斜摄影图像 function init3Dtiles() {const tileSet new Cesium3DTileset({url: "http://1…

互联网Java工程师面试题·Java 面试篇·第五弹

目录 79、适配器模式和装饰器模式有什么区别&#xff1f; 80、适配器模式和代理模式之前有什么不同&#xff1f; 81、什么是模板方法模式&#xff1f; 82、什么时候使用访问者模式&#xff1f; 83、什么时候使用组合模式&#xff1f; 84、继承和组合之间有什么不同&#…

软考 系统架构设计师系列知识点之基于架构的软件开发方法ABSD(3)

接前一篇文章&#xff1a;软考 系统架构设计师系列知识点之基于架构的软件开发方法ABSD&#xff08;2&#xff09; 所属章节&#xff1a; 第7章. 系统架构设计基础知识 第2节. 基于架构的软件开发方法 5. 体系结构设计 体系结构设计需求用来激发和调整设计决策&#xff0c;不…

SpringMVC获取请求参数

文章目录 1、通过ServletAPI获取2、通过控制器方法的形参获取请求参数3、RequestParam4、RequestHeader5、CookieValue6、通过POJO获取请求参数7、解决获取请求参数的乱码问题 1、通过ServletAPI获取 将HttpServletRequest作为控制器方法的形参&#xff0c;此时HttpServletReq…

Java--Object类

Java中Object类是所有类的父类&#xff0c;是Java中最高层的类。用户创建一个类时&#xff0c;除非指定继承了某个类&#xff0c;否则都是继承于Object类。 由于所有类都继承于Object类&#xff0c;所以所有类都可以重写Object类中的方法。但是Object类中被final修饰的getClass…

改进YOLO系列 | YOLOv5/v7 引入 Dynamic Snake Convolution | 动态蛇形卷积

准确分割拓扑管状结构,如血管和道路,在各个领域中至关重要,可以确保下游任务的准确性和效率。然而,许多因素使任务复杂化,包括细小的局部结构和可变的全局形态。在这项工作中,我们注意到管状结构的特殊性,并利用这一知识来引导我们的DSCNet,以在三个阶段同时增强感知:…

【CSS】常见 CSS 布局

1. 响应式布局 <!DOCTYPE html> <html><head><title>简单的响应式布局</title><style>/* 全局样式 */body {font-family: Arial, sans-serif;margin: 0;padding: 0;}/* 头部样式 */header {background-color: #333;color: #fff;padding: …

论文导读|9月MSOM文章精选:智慧城市运筹

推文作者&#xff1a;郭浩然 编者按 本期论文导读围绕“智慧城市运筹”这一话题&#xff0c;简要介绍并分析了近期的三篇MSOM文章&#xff0c;分别涉及了最后一公里配送中的新模式&#xff1a;“司机辅助”&#xff0c;易腐库存管理的新策略&#xff1a;“截断平衡”&#xff0…

[H5动画制作系列]雪花随机产生飘落

雪花图片参考: 全局代码: var max120; var index0; 第一帧代码: index; if(index<max){posX550*Math.random();posY220*Math.random()-100;scale0.8*Math.random()0.2;var snowflakenew lib.snowlink();snowflake.xposX;snowflake.yposY;snowflake.scaleXscale;snowflake…