源码里没有configure_深入源码理解.NET Core中Startup的注册及运行

开发.NET Core应用,直接映入眼帘的就是Startup类和Program类,它们是.NET Core应用程序的起点。通过使用Startup,可以配置化处理所有向应用程序所做的请求的管道,同时也可以减少.NET应用程序对单一服务器的依赖性,使我们在更大程度上专注于面向多服务器为中心的开发模式。

目录:

  • Startup讨论

    • Starup所承担的角色

    • Startup编写规范

    • ConfigureServices

    • Configure

    • 扩展Startup方法

  • 深入源码查看Startup是如何注册和执行的

    • UseStartup源码

    • 创建Startup实例

    • ConfigureServices和Configure

Starup所承担的角色

Startup类是ASP.NET Core程序中所必须的,可以使用多种修饰符(public、protect,private、internal),作为ASP.NET Core应用程序的入口,它包含与应用程序相关配置的功能或者说是接口。

虽然在程序里我们使用的类名就是Startup,但是需要注意的是,Startup是一个抽象概念,你完全可以名称成其他的,比如MyAppStartup或者其他的什么名称,只要你在Program类中启动你所定义的启动类即可。

以下是基于ASP.NET Core Preview 3模板中提供的写法:

   1:  public class Program
   2:  {
   3:      public static void Main(string[] args)
   4:      {
   5:          CreateHostBuilder(args).Build().Run();
   6:      }
   7:   
   8:      public static IHostBuilder CreateHostBuilder(string[] args) =>
   9:          Host.CreateDefaultBuilder(args)
  10:              .ConfigureWebHostDefaults(webBuilder =>
  11:              {
  12:                  webBuilder.UseStartup();
  13:              });
  14:  }

不管你命名成什么,只要将webBuilder.UseStartup<>()中的泛型类配置成你定义的入口类即可;

Startup编写规范

下面是ASP.NET Core 3.0 Preview 3模板中Startup的写法:

   1:  // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
   2:  public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
   3:  {
   4:      if (env.IsDevelopment())
   5:      {
   6:          app.UseDeveloperExceptionPage();
   7:      }
   8:      else
   9:      {
  10:          // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
  11:          app.UseHsts();
  12:      }
  13:   
  14:      app.UseHttpsRedirection();
  15:   
  16:      app.UseRouting(routes =>
  17:      {
  18:          routes.MapControllers();
  19:      });
  20:   
  21:      app.UseAuthorization();
  22:  }

通过以上代码可以知道,Startup类中一般包括

  • 构造函数:通过我们以前的开发经验,我们可以知道,该构造方法可以包括多个对象

    • IConfiguration:表示一组键/值应用程序配置属性。

    • IApplicationBuilder:是一个包含与当前环境相关的属性和方法的接口。它用于获取应用程序中的环境变量。

    • IHostingEnvironment:是一个包含与运行应用程序的Web宿主环境相关信息的接口。使用这个接口方法,我们可以改变应用程序的行为。

    • ILoggerFactory:是为ASP.NET Core中的日志记录系统提供配置的接口。它还创建日志系统的实例。

  • ConfigureServices

  • Configure

Startup在创建服务时,会执行依赖项注册服务,以便在应用程序的其它地方使用这些依赖项。ConfigureServices 用于注册服务,Configure 方法允许我们向HTTP管道添加中间件和服务。这就是ConfigureServices先于Configure 之前调用的原因。

ConfigureServices

该方法时可选的,非强制约束,它主要用于对依赖注入或ApplicationServices在整个应用中的支持,该方法必须是public的,其典型模式是调用所有 Add{Service} 方法,主要场景包括实体框架、认证和 MVC 注册服务:

   1:  services.AddDbContext(options =>options.UseSqlServer(Configuration.GetConnectionString("DefaultConnection")));
   2:  services.AddDefaultIdentity().AddDefaultUI(UIFramework.Bootstrap4).AddEntityFrameworkStores();
   3:  services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_2);
   4:  // Add application services.此处主要是注册IOC服务
   5:  services.AddTransient();
   6:  services.AddTransient();

Configure

该方法主要用于定义应用程序对每个HTTP请求的响应方式,即我们可以控制ASP.NET管道,还可用于在HTTP管道中配置中间件。请求管道中的每个中间件组件负责调用管道中的下一个组件,或在适当情况下使链发生短路。 如果中间件链中未发生短路,则每个中间件都有第二次机会在将请求发送到客户端前处理该请求。

该方法接受IApplicationBuilder作为参数,同时还可以接收其他一些可选参数,如IHostingEnvironment和ILoggerFactory。

一般而言,只要将服务注册到configureServices方法中时,都可以在该方法中使用。

   1:  app.UseDeveloperExceptionPage();
   2:  app.UseHsts();
   3:  app.UseHttpsRedirection();
   4:  app.UseRouting(routes =>
   5:  {
   6:      routes.MapControllers();
   7:  });
   8:  app.UseAuthorization();

扩展Startup方法

使用IStartupFilter来对Startup功能进行扩展,在应用的Configure中间件管道的开头或末尾使用IStartupFilter来配置中间件。IStartupFilter有助于确保当库在应用请求处理管道的开端或末尾添加中间件的前后运行中间件。

以下是IStartupFilter的源代码,通过源代码我们可以知道,该接口有一个Action类型,并命名为Configure的方法。由于传入参数类型和返回类型一样,这就保证了扩展的传递性及顺序性,具体的演示代码,可以参数MSDN

   1:  using System;
   2:  using Microsoft.AspNetCore.Builder;
   3:
   4:  namespace Microsoft.AspNetCore.Hosting
   5:  {
   6:    public interface IStartupFilter
   7:    {
   8:        Action Configure(Action next);
   9:    }
  10:  }

此段文字,只是我想深入了解其内部机制而写的,如果本身也不了解,其实是不影响我们正常编写.NET Core应用的。

UseStartup源码

ASP.NET Core通过调用IWebHostBuilder.UseStartup方法,传入Startup类型,注意开篇就已经说过Startup是一个抽象概念,我们看下源代码:

   1:  /// 
   2:   /// Specify the startup type to be used by the web host.
   3:   /// 
   4:   /// The  to configure.
   5:   /// The  to be used.
   6:   /// The .
   7:   public static IWebHostBuilder UseStartup(this IWebHostBuilder hostBuilder, Type startupType)
   8:   {
   9:       var startupAssemblyName = startupType.GetTypeInfo().Assembly.GetName().Name;
  10:
  11:      hostBuilder.UseSetting(WebHostDefaults.ApplicationKey, startupAssemblyName);
  12:
  13:      // Light up the GenericWebHostBuilder implementation
  14:      if (hostBuilder is ISupportsStartup supportsStartup)
  15:      {
  16:          return supportsStartup.UseStartup(startupType);
  17:      }
  18:
  19:      return hostBuilder
  20:          .ConfigureServices(services =>
  21:          {
  22:              if (typeof(IStartup).GetTypeInfo().IsAssignableFrom(startupType.GetTypeInfo()))
  23:              {
  24:                  services.AddSingleton(typeof(IStartup), startupType);
  25:              }
  26:              else
  27:              {
  28:                  services.AddSingleton(typeof(IStartup), sp =>
  29:                  {
  30:                      var hostingEnvironment = sp.GetRequiredService();
  31:                      return new ConventionBasedStartup(StartupLoader.LoadMethods(sp, startupType, hostingEnvironment.EnvironmentName));
  32:                  });
  33:              }
  34:          });
  35:  }
  36:
  37:  /// 
  38:  /// Specify the startup type to be used by the web host.
  39:  /// 
  40:  /// The  to configure.
  41:  /// The type containing the startup methods for the application.
  42:  /// The .
  43:  public static IWebHostBuilder UseStartup(this IWebHostBuilder hostBuilder) where TStartup :class
  44:  {
  45:      return hostBuilder.UseStartup(typeof(TStartup));
  46:  }

创建Startup实例

   1:  /// 
   2:  /// Adds a delegate for configuring additional services for the host or web application. This may be called
   3:  /// multiple times.
   4:  /// 
   5:  /// A delegate for configuring the .
   6:  /// The .
   7:  public IWebHostBuilder ConfigureServices(Action configureServices)
   8:  {
   9:      if (configureServices == null)
  10:      {
  11:          throw new ArgumentNullException(nameof(configureServices));
  12:      }
  13:   
  14:      return ConfigureServices((_, services) => configureServices(services));
  15:  }
  16:   
  17:  /// 
  18:  /// Adds a delegate for configuring additional services for the host or web application. This may be called
  19:  /// multiple times.
  20:  /// 
  21:  /// A delegate for configuring the .
  22:  /// The .
  23:  public IWebHostBuilder ConfigureServices(Action configureServices)
  24:  {
  25:      _configureServices += configureServices;
  26:      return this;
  27:  }

关于ConfigureServices的定义及注册方式,是在IWebHostBuilder.ConfigureServices实现的,同时可以注意一下25行代码,向大家说明了多次注册Startup的ConfigureServices方法时,会合并起来的根源。此处抽象委托用的也非常多。

该类里面还有Build方法,我就不贴出代码了,只需要知道,主进程在此处开始了。接下来一个比较重要的方法,是BuildCommonServices,它向当前ServiceCollection中添加一些公共框架级服务,以下是部分代码,具体代码请查看WebHostBuilder。

   1:  try
   2:  {
   3:      var startupType = StartupLoader.FindStartupType(_options.StartupAssembly, _hostingEnvironment.EnvironmentName);
   4:   
   5:      if (typeof(IStartup).GetTypeInfo().IsAssignableFrom(startupType.GetTypeInfo()))
   6:      {
   7:          services.AddSingleton(typeof(IStartup), startupType);
   8:      }
   9:      else
  10:      {
  11:          services.AddSingleton(typeof(IStartup), sp =>
  12:          {
  13:              var hostingEnvironment = sp.GetRequiredService();
  14:              var methods = StartupLoader.LoadMethods(sp, startupType, hostingEnvironment.EnvironmentName);
  15:              return new ConventionBasedStartup(methods);
  16:          });
  17:      }
  18:  }
  19:  catch (Exception ex)
  20:  {
  21:      var capture = ExceptionDispatchInfo.Capture(ex);
  22:      services.AddSingleton(_ =>
  23:      {
  24:          capture.Throw();
  25:          return null;
  26:      });
  27:  }
由此可见,如果我们的Startup类直接实现IStartup,它可以并且将直接注册为IStartup的实现类型。只不过ASP.NET Core模板代码并没有实现IStartup,它更多的是一种约定,并通过DI调用委托,依此调用Startup内的构造函数还有另外两个方法。
同时上述代码还展示了如何创建Startup类型,就是用到了静态方法StartupLoader.LoadMethods类生成StartupMethods实例。

ConfigureServicesConfigure

当WebHost初始化时,框架会去查找相应的方法,这里,我们主要查看源代码,其中的核心方法是StartupLoader.FindMethods
   1:  private static MethodInfo FindMethod(Type startupType, string methodName, string environmentName, Type returnType = null, bool required = true)
   2:  {
   3:      var methodNameWithEnv = string.Format(CultureInfo.InvariantCulture, methodName, environmentName);
   4:      var methodNameWithNoEnv = string.Format(CultureInfo.InvariantCulture, methodName, "");
   5:   
   6:      var methods = startupType.GetMethods(BindingFlags.Public | BindingFlags.Instance | BindingFlags.Static);
   7:      var selectedMethods = methods.Where(method => method.Name.Equals(methodNameWithEnv, StringComparison.OrdinalIgnoreCase)).ToList();
   8:      if (selectedMethods.Count > 1)
   9:      {
  10:          throw new InvalidOperationException(string.Format("Having multiple overloads of method '{0}' is not supported.", methodNameWithEnv));
  11:      }
  12:      if (selectedMethods.Count == 0)
  13:      {
  14:          selectedMethods = methods.Where(method => method.Name.Equals(methodNameWithNoEnv, StringComparison.OrdinalIgnoreCase)).ToList();
  15:          if (selectedMethods.Count > 1)
  16:          {
  17:              throw new InvalidOperationException(string.Format("Having multiple overloads of method '{0}' is not supported.", methodNameWithNoEnv));
  18:          }
  19:      }
  20:   
  21:      var methodInfo = selectedMethods.FirstOrDefault();
  22:      if (methodInfo == null)
  23:      {
  24:          if (required)
  25:          {
  26:              throw new InvalidOperationException(string.Format("A public method named '{0}' or '{1}' could not be found in the '{2}' type.",
  27:                  methodNameWithEnv,
  28:                  methodNameWithNoEnv,
  29:                  startupType.FullName));
  30:   
  31:          }
  32:          return null;
  33:      }
  34:      if (returnType != null && methodInfo.ReturnType != returnType)
  35:      {
  36:          if (required)
  37:          {
  38:              throw new InvalidOperationException(string.Format("The '{0}' method in the type '{1}' must have a return type of '{2}'.",
  39:                  methodInfo.Name,
  40:                  startupType.FullName,
  41:                  returnType.Name));
  42:          }
  43:          return null;
  44:      }
  45:      return methodInfo;
  46:  }
它查找的第一个委托是ConfigureDelegate,该委托将用于构建应用程序的中间件管道。FindMethod完成了大部分工作,具体的代码请查看StartupLoader。此方法根据传递给它的methodName参数在Startup类中查找响应的方法。
我们知道,Startup的定义更多的是约定,所以会去查找Configure和ConfigureServices。当然,通过源代码我还知道,除了提供标准的“Configure”方法之外,我们还可以通过环境配置找到响应的Configure和ConfigureServices。根本来说,我们最终查找到的是ConfigureContainerDelegate。
接下来,一个比较重要的方法是LoadMethods
   1:  public static StartupMethods LoadMethods(IServiceProvider hostingServiceProvider, Type startupType, string environmentName)
   2:  {
   3:      var configureMethod = FindConfigureDelegate(startupType, environmentName);
   4:   
   5:      var servicesMethod = FindConfigureServicesDelegate(startupType, environmentName);
   6:      var configureContainerMethod = FindConfigureContainerDelegate(startupType, environmentName);
   7:   
   8:      object instance = null;
   9:      if (!configureMethod.MethodInfo.IsStatic || (servicesMethod != null && !servicesMethod.MethodInfo.IsStatic))
  10:      {
  11:          instance = ActivatorUtilities.GetServiceOrCreateInstance(hostingServiceProvider, startupType);
  12:      }
  13:   
  14:      // The type of the TContainerBuilder. If there is no ConfigureContainer method we can just use object as it's not
  15:      // going to be used for anything.
  16:      var type = configureContainerMethod.MethodInfo != null ? configureContainerMethod.GetContainerType() : typeof(object);
  17:   
  18:      var builder = (ConfigureServicesDelegateBuilder) Activator.CreateInstance(
  19:          typeof(ConfigureServicesDelegateBuilder<>).MakeGenericType(type),
  20:          hostingServiceProvider,
  21:          servicesMethod,
  22:          configureContainerMethod,
  23:          instance);
  24:   
  25:      return new StartupMethods(instance, configureMethod.Build(instance), builder.Build());
  26:  }
该方法通过查找对应的方法,由于Startup并未在DI中注册,所以会调用GetServiceOrCreateInstance创建一个Startup实例,此时构造函数也在此得到解析。
通过一系列的调用,最终到达了ConfigureServicesBuilder.Invoke里面。Invoke方法使用反射来获取和检查在Startup类上定义的ConfigureServices方法所需的参数。
   1:  private IServiceProvider InvokeCore(object instance, IServiceCollection services)
   2:  {
   3:      if (MethodInfo == null)
   4:      {
   5:          return null;
   6:      }
   7:   
   8:      // Only support IServiceCollection parameters
   9:      var parameters = MethodInfo.GetParameters();
  10:      if (parameters.Length > 1 ||
  11:          parameters.Any(p => p.ParameterType != typeof(IServiceCollection)))
  12:      {
  13:          throw new InvalidOperationException("The ConfigureServices method must either be parameterless or take only one parameter of type IServiceCollection.");
  14:      }
  15:   
  16:      var arguments = new object[MethodInfo.GetParameters().Length];
  17:   
  18:      if (parameters.Length > 0)
  19:      {
  20:          arguments[0] = services;
  21:      }
  22:   
  23:      return MethodInfo.Invoke(instance, arguments) as IServiceProvider;
  24:  }

最后我们来看一下ConfigureBuilder类,它需要一个Action委托变量,其中包含每个IStartupFilter的一组包装的Configure方法,最后一个是Startup.Configure方法的委托。此时,所调用的配置链首先命中的是AutoRequestServicesStartupFilter.Configure方法。并将该委托链作为下一个操作,之后会调用ConventionBasedStartup.Configure方法。这将在其本地StartupMethods对象上调用ConfigureDelegate。

   1:  private void Invoke(object instance, IApplicationBuilder builder)
   2:  {
   3:      // Create a scope for Configure, this allows creating scoped dependencies
   4:      // without the hassle of manually creating a scope.
   5:      using (var scope = builder.ApplicationServices.CreateScope())
   6:      {
   7:          var serviceProvider = scope.ServiceProvider;
   8:          var parameterInfos = MethodInfo.GetParameters();
   9:          var parameters = new object[parameterInfos.Length];
  10:          for (var index = 0; index < parameterInfos.Length; index++)
  11:          {
  12:              var parameterInfo = parameterInfos[index];
  13:              if (parameterInfo.ParameterType == typeof(IApplicationBuilder))
  14:              {
  15:                  parameters[index] = builder;
  16:              }
  17:              else
  18:              {
  19:                  try
  20:                  {
  21:                      parameters[index] = serviceProvider.GetRequiredService(parameterInfo.ParameterType);
  22:                  }
  23:                  catch (Exception ex)
  24:                  {
  25:                      throw new Exception(string.Format(
  26:                          "Could not resolve a service of type '{0}' for the parameter '{1}' of method '{2}' on type '{3}'.",
  27:                          parameterInfo.ParameterType.FullName,
  28:                          parameterInfo.Name,
  29:                          MethodInfo.Name,
  30:                          MethodInfo.DeclaringType.FullName), ex);
  31:                  }
  32:              }
  33:          }
  34:          MethodInfo.Invoke(instance, parameters);
  35:      }
  36:  }

Startup.Configure方法会调用ServiceProvider所解析的相应的参数,该方法还可以使用IApplicationBuilder将中间件添加到应用程序管道中。最终的RequestDelegate是从IApplicationBuilder构建并返回的,至此WebHost初始化完成。

原文地址:https://www.cnblogs.com/edison0621/p/10743228.html

.NET社区新闻,深度好文,欢迎访问公众号文章汇总 http://www.csharpkit.com b6225d143e6e6469601a8236c3bf0cbb.png

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

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

相关文章

oracle查询慢怎么优化,Oracle查询优化-怎样建立索引优化下面的查询语句啊

下面是转换出来的查询语句SELECT *FROM (SELECT "Project1"."C1" AS "C1","Project1"."ID" AS "ID","Project1"."NVC_ORDERBY" AS "NVC_ORDERBY","Project1"."I_ST…

复试情报准备

英语自我介绍&#xff0c;介绍完老师会根据你的回答用英语问你问题&#xff0c;比如介绍一下你的本科学校&#xff0c;或者家乡什么的。计网过一遍&#xff0c;会问两道题。接下来是重点&#xff0c;我当时是根据我成绩单&#xff0c;问了我本科学过的科目&#xff0c;比如pyth…

oracle创建索引01652,建立数据表快照导致ora-01652异常

建立数据表快照导致ora-01652错误由于源表过大&#xff0c;数据查询速度较慢&#xff0c;在做后台的相关查询的时候较慢&#xff0c;于是决定创建数据快照&#xff0c;提高查询速度&#xff0c;快照创建语句如下&#xff1a;CREATE SNAPSHOT sn_ydmobilebankREFRESH COMPLETE S…

用python批量下载网络图片_python 批量下载网页里的图片

import requests import sys,re #设置提取图片url 的正则表达式 imgre re.compile(r" #存放找到的 图片url的列表 all_img_urls [] #图片下载后存放位置 save_path r‘/root‘ #获取指定网页中的图片url def get_img_url(tmpurl,tmpre,allimgurl,timeout10): headers …

alter table add column多个字段_利用Python将多个excel合并到一个文件中

数据岗位的小伙伴可能经常会遇到这样一个问题&#xff1a;多个来源返回的数据怎么整合到一个文件中&#xff1f;手动经常会出错&#xff0c;下面介绍一种利用Python处理的方式&#xff1a;前期准备&#xff1a;1、多个excel需要进行数据整理&#xff0c;保证文件的结构一致&…

结构体中vector自动为0_面试题:你是如何选择顺序存储数据结构的?

作者&#xff1a;Tarun Telang 来源&#xff1a;https://dzone.com/articles/arraylist-or-linkedlist本文为Java开发人员选择适当的顺序数据结构提供指导。ArrayList 和 LinkedList 是 Java 集合框架中用来存储对象引用列表的两个类。ArrayList 和 LinkedList 都实现 List 接口…

数字填图问题matlab上机实验报告,数学建模实验报告数字填图问题

数字填图问题一、实验目的及意义本实验旨在通过生活中几个常见的数字填图问题的探究&#xff0c;探究这类问题的逻辑推理解法和计算机解法&#xff0e;二、实验内容1. 数字填图的逻辑推理&#xff1b;2. 数字填图的计算机解法。三、实验步骤1.开启软件平台——MA TLAB&#xff…

c++ 函数指针_进化论——从函数指针到被结构封装的函数指针及参数的应用举例...

↑↑↑ 点击上方公众号名称关注&#xff0c;不放过任何转变的机会。✎ 编 者 悟 语借口再小也会瓦解人的意志。文 章 导 读今天带大家用下函数指针&#xff0c;然后将函数指针和函数参数封装到结构体中&#xff0c;接着将数据用动态分配和静态分配的方式赋值给相应的函数&#…

python怎么做软件界面_python – 如何自定义桌面应用程序的标题栏和窗口

我如何自定义标题栏(包括&#xff1a;关闭,最大化,最小化按钮,标题)和用PyQt编写的桌面应用程序框架,使其看起来像下面的图像&#xff1f;我需要一种方法来指定我想用于标题栏元素的颜色(按钮,文本标题和条形和按钮的背景颜色).我需要更改其窗口的代码&#xff1a; import sys …

python绘制社会关系网络图_Python networkx 网络图绘制

简单演示import networkx as nx import matplotlib.pyplot as plt # 定义空图 g nx.Graph() # 增加节点 g.add_node(1) g.add_node(A) g.add_nodes_from([2, 3]) g.add_edge(2, 3) g.add_edges_from([(1, 2), (1, 3)]) nx.draw(g, with_labelsTrue) plt.show() 一次增加多个点…

查看LINUX放开端口,linux如何查看端口是否开放?

在linux中我们可以通过在命令行中使用lsof命令、netstat命令来检查端口是否开放。方法一&#xff1a;使用lsof命令我们可以使用lsof命令来检查某一端口是否开放&#xff0c;基本语法如下&#xff1a;lsof -i:端口号如果没有任何输出则说明没有开启该端口号下图以80端口和53端口…

python数据处理框架_python 最快 web 框架 Sanci 快速入门

简介 Sanic 是一个和类Flask 的基于Python3.5的web框架&#xff0c;它编写的代码速度特别快。 除了像Flask 以外&#xff0c;Sanic 还支持以异步请求的方式处理请求。这意味着你可以使用新的 async/await 语法&#xff0c;编写非阻塞的快速的代码。 关于 asyncio 包的介绍&…

linux tcp ip c,Linux下TCP/IP编程--TCP实战(select)

本文参考自徐晓鑫《后台开发》&#xff0c;记录之。一、为什么要使用非阻塞I/O之select初学socket的人可能不爱用select写程序&#xff0c;而习惯诸如connect、accept、recv/recvfrom这样的阻塞程序。当让服务器同时为多个客户端提供一问一答服务时&#xff0c;很多程序员采用多…

单片机8×8点阵显示简单汉字的程序_干货 | 浅析单片机制作贪吃蛇游戏

为了让大家更深入地了解底层的原理&#xff0c;在讲解时特意选择了51单片机(而非STM系列)&#xff0c;另外16*16点阵由译码器和移位缓存器直接驱动(而非MAX系列芯片)&#xff0c;摇杆也利用ADC功能判断方向。那如何让单片机驱动这256个点呢&#xff1f;直接用IO口驱动显然不够且…

怎样在linux中创建硬盘,在linux中添加新硬盘并创建LVM组

1、以虚拟机为例&#xff0c;给虚拟机添加一块新硬盘&#xff0c;并创建LVM组&#xff0c;将新硬盘用于存放oracle数据库文件。2、fdisk -ll查看新添加的硬盘是否被识别&#xff0c;如图已经识别出sdb。3、# pvcreate /dev/sdb (创建PV&#xff0c;相当于win中将基础磁盘转换…

双代号网络图基础算法_软考网络工程师之系统开发和运行基础(软件分类、测试、模型)...

系统开发和运行基础(软件的分类、软件生存周期、软件开发模型、软件测试、软件项目管理)软件的分类系统软件&#xff0c;如操作系统。支撑软件&#xff0c;如开发工具。应用软件&#xff0c;如office。实时处理软件&#xff0c;一般是工业软件。软件生存周期1、软件定义问题定义…

在学Python前学Linux,Python原来这么好学-1.2节: 在Linux中安装python

这里将告诉您Python原来这么好学-1.2节: 在Linux中安装python,具体操作过程:在Linux系统的主要发行版中&#xff0c;按其软件包格式来进行划分&#xff0c;可分为Deb系以及RPM系操作系统。Linux系统与Windows系统有一个很重要的区别&#xff0c;Linux系统完全免费&#xff0c;开…

python金融大数据分析视频_Python金融大数据分析 PDF 全书超清版

给大家带来的一篇关于Python相关的电子书资源&#xff0c;介绍了关于Python金融、大数据分析方面的内容&#xff0c;本书是由人民邮电出版社出版&#xff0c;格式为PDF&#xff0c;资源大小47.8 MB&#xff0c;希尔皮斯科编写&#xff0c;目前豆瓣、亚马逊、当当、京东等电子书…

kaggle房价预测特征意思_机器学习-kaggle泰坦尼克生存预测(一)-数据清洗与特征构建...

1、背景&#xff1a;1.1 关于kaggle&#xff1a;谷歌旗下的 Kaggle 是一个数据建模和数据分析竞赛平台。该平台是当下最流行的数据科研赛事平台&#xff0c;其组织的赛事受到全球数据科学爱好者追捧。 如果学生能够在该平台的一些比赛中获得较好的名次&#xff0c;不仅可以赢得…

linux docker安装svn,使用docker镜像搭建svn+Apache环境

环境准备虚拟机装好之后&#xff0c;按照官网步骤检查虚拟机内核版本&#xff0c;必须在3.10以上版本&#xff0c;故此处安装redhat_7.2# uname -r3.10.0-327.el7.x86_64安装docker&#xff1a;yum install docker-io有依赖是直接安装具体的依赖软件&#xff0c;解决依赖docker…