带有Spring Security的OAuth 2.0快速指南

“我喜欢编写身份验证和授权代码。” 〜从来没有Java开发人员。 厌倦了一次又一次地建立相同的登录屏幕? 尝试使用Okta API进行托管身份验证,授权和多因素身份验证。

在构建Web应用程序时,必须进行身份验证和授权。 然而,正确地做起来并不容易。 计算机安全是真正的专业。 众多开发人员昼夜不停地与众多国际黑客进行对抗,从而创建了一个持续的开发周期,以发现漏洞,进行攻击并加以修复。 跟上所有这些独奏会很痛苦(如果不是不可能的话)。

幸运的是,没有必要。 Spring Security和Spring Boot使使用OAuth 2.0实施Web应用程序变得非常简单。 Okta是一种软件即服务的身份访问提供商,它在Spring Boot的基础上构建,以使该过程更加容易。

在本教程中,您将首先使用Spring Boot和Spring Security构建OAuth 2.0 Web应用程序和身份验证服务器。 之后,您将使用Okta摆脱自我托管的身份验证服务器,并进一步简化Spring Boot应用程序。

让我们开始吧!

创建一个OAuth 2.0服务器

首先转到Spring Initializr并使用以下设置创建一个新项目:

  • 将项目类型从Maven更改为Gradle
  • 将组更改为com.okta.spring
  • 将工件更改为AuthorizationServerApplication
  • 添加一个依赖项: Web
Spring安全

下载项目并将其复制到硬盘上有意义的位置。 在本教程中,您将创建三个不同的项目,因此您可能需要创建一个父目录,例如SpringBootOAuth

您需要向build.gradle文件添加一个依赖build.gradle

implementation 'org.springframework.security.oauth:spring-security-oauth2:2.3.3.RELEASE'

这增加了Spring的OAuth优势。

更新src/main/resources/application.properties以使其匹配:

server.port=8081
server.servlet.context-path=/auth
user.oauth.clientId=R2dpxQ3vPrtfgF72
user.oauth.clientSecret=fDw7Mpkk5czHNuSRtmhGmAGL42CaxQB9
user.oauth.redirectUris=http://localhost:8082/login/oauth2/code/
user.oauth.user.username=Andrew
user.oauth.user.password=abcd

这将设置服务器端口,servlet上下文路径以及服务器将返回给客户端的内存中临时生成的令牌以及我们用户的用户名和密码的一些默认值。 在生产中,对于真正的身份验证服务器,您将需要更多的复杂后端,而没有硬编码的重定向URI,用户名和密码。

更新AuthorizationServerApplication类以添加@EnableResourceServer

package com.okta.spring.AuthorizationServerApplication;import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableResourceServer;@SpringBootApplication
@EnableResourceServer
public class AuthorizationServerApplication {public static void main(String[] args) {SpringApplication.run(AuthorizationServerApplication.class, args);}
}

在与src/main/java下的应用程序类com.okta.spring.AuthorizationServerApplication相同的包中创建一个新的AuthServerConfig类(从现在开始,请在src/main/java/com/okta/spring/AuthorizationServerApplication创建Java类)。 此Spring配置类启用并配置OAuth授权服务器。

package com.okta.spring.AuthorizationServerApplication;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Configuration;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.oauth2.config.annotation.configurers.ClientDetailsServiceConfigurer;
import org.springframework.security.oauth2.config.annotation.web.configuration.AuthorizationServerConfigurerAdapter;
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableAuthorizationServer;
import org.springframework.security.oauth2.config.annotation.web.configurers.AuthorizationServerSecurityConfigurer;@Configuration
@EnableAuthorizationServer
public class AuthServerConfig extends AuthorizationServerConfigurerAdapter {@Value("${user.oauth.clientId}")private String ClientID;@Value("${user.oauth.clientSecret}")private String ClientSecret;@Value("${user.oauth.redirectUris}")private String RedirectURLs;private final PasswordEncoder passwordEncoder;public AuthServerConfig(PasswordEncoder passwordEncoder) {this.passwordEncoder = passwordEncoder;}@Overridepublic void configure(AuthorizationServerSecurityConfigurer oauthServer) throws Exception {oauthServer.tokenKeyAccess("permitAll()").checkTokenAccess("isAuthenticated()");}@Overridepublic void configure(ClientDetailsServiceConfigurer clients) throws Exception {clients.inMemory().withClient(ClientID).secret(passwordEncoder.encode(ClientSecret)).authorizedGrantTypes("authorization_code").scopes("user_info").autoApprove(true).redirectUris(RedirectURLs);}
}

AuthServerConfig类是在客户端正确进行身份验证时将创建并返回JSON Web令牌的类。

创建一个SecurityConfiguration类:

package com.okta.spring.AuthorizationServerApplication;import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.core.annotation.Order;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;@Configuration
@Order(1)
public class SecurityConfiguration extends WebSecurityConfigurerAdapter {@Value("${user.oauth.user.username}")private String username;@Value("${user.oauth.user.password}")private String password;@Overrideprotected void configure(HttpSecurity http) throws Exception {http.requestMatchers().antMatchers("/login", "/oauth/authorize").and().authorizeRequests().anyRequest().authenticated().and().formLogin().permitAll();}@Overrideprotected void configure(AuthenticationManagerBuilder auth) throws Exception {auth.inMemoryAuthentication().withUser(username).password(passwordEncoder().encode(password)).roles("USER");}@Beanpublic BCryptPasswordEncoder passwordEncoder() {return new BCryptPasswordEncoder();}
}

SecurityConfiguration类是实际验证对授权服务器的请求的类。 注意顶部附近是从application.properties文件中提取用户名和密码的地方。

最后,创建一个名为UserController的Java类:

package com.okta.spring.AuthorizationServerApplication;import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;import java.security.Principal;@RestController
public class UserController {@GetMapping("/user/me")public Principal user(Principal principal) {return principal;}
}

此文件允许客户端应用程序查找有关通过服务器进行身份验证的用户的更多信息。

那就是你的资源服务器! 还不错 Spring Boot使其非常容易。 四个文件和一些属性。 稍后,您将使用Okta使其变得更加简单,但是目前,继续创建可用于测试身份验证服务器的客户端应用程序。

启动授权服务器:

./gradlew bootRun

等待它完成运行。 终端应该以这样的结尾:

...
2019-02-23 19:06:49.122  INFO 54333 --- [           main] o.s.b.w.embedded.tomcat.TomcatWebServer  : Tomcat started on port(s): 8081 (http) with context path '/auth  '
2019-02-23 19:06:49.128  INFO 54333 --- [           main] c.o.s.A.AuthorizationServerApplication   : Started AuthorizationServerApplication in 3.502 seconds (JVM running for 3.945)

注意:如果收到有关JAXB的错误( java.lang.ClassNotFoundException: javax.xml.bind.JAXBException ),那是因为您正在使用build.gradle 。要解决此问题,请将JAXB添加到build.gradle

implementation 'org.glassfish.jaxb:jaxb-runtime'

构建您的客户端应用

回到Spring Initializr 。 使用以下设置创建一个新项目:

  • 项目类型应为Gradle (不是Maven)。
  • 组: com.okta.spring
  • 工件: SpringBootOAuthClient
  • 添加三个依赖项: WebThymeleafOAuth2 Client
Spring安全

下载项目,将其复制到最终的放置位置,然后解压缩它。

这次您需要将以下依赖项添加到build.gradle文件中:

implementation 'org.thymeleaf.extras:thymeleaf-extras-springsecurity5:3.0.4.RELEASE'

src/main/resources/application.properties重命名为application.yml并更新它以匹配以下YAML:

server:port: 8082session:cookie:name: UISESSION
spring:thymeleaf:cache: falsesecurity:oauth2:client:registration:custom-client:client-id: R2dpxQ3vPrtfgF72client-secret: fDw7Mpkk5czHNuSRtmhGmAGL42CaxQB9client-name: Auth Serverscope: user_infoprovider: custom-providerredirect-uri-template: http://localhost:8082/login/oauth2/code/client-authentication-method: basicauthorization-grant-type: authorization_codeprovider:custom-provider:token-uri: http://localhost:8081/auth/oauth/tokenauthorization-uri: http://localhost:8081/auth/oauth/authorizeuser-info-uri: http://localhost:8081/auth/user/meuser-name-attribute: name

请注意,这里您正在配置clientIdclientSecret以及身份验证服务器的各种URI。 这些需要匹配另一个项目中的值。

更新SpringBootOAuthClientApplication类以匹配:

package com.okta.spring.SpringBootOAuthClient;import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;@SpringBootApplication
public class SpringBootOAuthClientApplication {public static void main(String[] args) {SpringApplication.run(SpringBootOAuthClientApplication.class, args);}
}

创建一个名为WebController的新Java类:

package com.okta.spring.SpringBootOAuthClient;import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;import java.security.Principal;@Controller
public class WebController {@RequestMapping("/securedPage")public String securedPage(Model model, Principal principal) {return "securedPage";}@RequestMapping("/")public String index(Model model, Principal principal) {return "index";}
}

这是将传入请求映射到Thymeleaf模板文件(您将在几秒钟内完成)的控制器。

创建另一个名为SecurityConfiguration Java类:

package com.okta.spring.SpringBootOAuthClient;import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;@Configuration
public class SecurityConfiguration extends WebSecurityConfigurerAdapter {@Overridepublic void configure(HttpSecurity http) throws Exception {http.antMatcher("/**").authorizeRequests().antMatchers("/", "/login**").permitAll().anyRequest().authenticated().and().oauth2Login();}
}

此类为您的应用程序定义了Spring Security配置:允许本地路径上的所有请求并要求对所有其他路由进行身份验证。 它还设置了Spring Boot OAuth登录流程。

您需要添加的最后一个文件是两个Thymeleaf模板文件。 全面了解Thymeleaf模板超出了本教程的范围,但是您可以在其网站上查看更多信息。

模板位于src/main/resources/templates目录中。 您会在上面的控制器中注意到,它们只是返回路线的字符串。 当Thymeleaf依赖项包含在构建中时,Spring Boot会自动假定您正在从控制器中返回模板文件的名称,因此该应用程序将在src/main/resources/templates查找带有返回字符串加号的文件名。 .html

创建主页模板: src/main/resources/templates/index.html

<!DOCTYPE html>  
<html lang="en">  
<head>  <meta charset="UTF-8">  <title>Home</title>  
</head>  
<body>  <h1>Spring Security SSO</h1>  <a href="securedPage">Login</a>  
</body>  
</html>

以及受保护的模板: src/main/resources/templates/securedPage.html

<!DOCTYPE html>  
<html xmlns:th="http://www.thymeleaf.org">  
<head>  <meta charset="UTF-8">  <title>Secured Page</title>  
</head>  
<body>  <h1>Secured Page</h1>  <span th:text="${#authentication.name}"></span>  
</body>  
</html>

我只想指出这一行:

<span th:text="${#authentication.name}"></span>

这行将插入已验证用户的名称。 这行是为什么在build.gradle文件中需要org.thymeleaf.extras:thymeleaf-extras-springsecurity5依赖项的build.gradle

启动客户端应用程序:

./gradlew bootRun

等待它完成。 终端应该以这样的结尾:

...
2019-02-23 19:29:04.448  INFO 54893 --- [           main] o.s.b.w.embedded.tomcat.TomcatWebServer  : Tomcat started on port(s): 8082 (http) with context path ''
2019-02-23 19:29:04.453  INFO 54893 --- [           main] c.o.s.S.SpringBootOAuthClientApplication : Started SpringBootOAuthClientApplication in 3.911 seconds (JVM running for 4.403)

测试资源服务器

在您选择的浏览器中导航至http://localhost:8082/客户端应用程序。

单击登录链接。

您将被定向到登录页面:

Spring安全

输入用户名Andrew和密码abcd (来自身份验证服务器的application.properties文件)。

单击“ 登录” ,您将进入超级精美的securePage.html模板,其中应显示“ Secured Page”和“ Andrew”。

大! 有用。 现在,您将使其变得更加简单。

您可以停止服务器和客户端Spring Boot应用程序。

创建一个OpenID Connect应用程序

Okta是SaaS(软件即服务)身份验证和授权提供者。 我们为开发人员提供免费帐户,以便他们可以轻松开发OIDC应用程序。 前往developer.okta.com并注册一个帐户。 验证电子邮件后,登录并执行以下步骤:

  • 转到应用程序 > 添加应用程序
  • 选择应用程序类型Web ,然后单击下一步
  • 为应用命名。 我将其命名为“ Spring Boot OAuth”。
  • 登录重定向URI下, 值更改为http://localhost:8080/login/oauth2/code/okta 。 其余的默认值将起作用。
  • 单击完成

让页面保持打开状态,注意客户端ID客户端密钥 。 稍后您将需要它们。

创建一个新的Spring Boot App

再回到Spring Initializr 。 使用以下设置创建一个新项目:

  • 将项目类型从Maven更改为Gradle
  • 将组更改为com.okta.spring
  • 将工件更改为OktaOAuthClient
  • 添加三个依赖项: WebThymeleafOkta
  • 单击生成项目
Spring安全

复制项目并将其解压缩到某个地方。

build.gradle文件中,添加以下依赖项:

implementation 'org.thymeleaf.extras:thymeleaf-extras-springsecurity5:3.0.4.RELEASE'

另外,在您到那里时,请注意com.okta.spring:okta-spring-boot-starter:1.1.0依赖com.okta.spring:okta-spring-boot-starter:1.1.0 。 这是Okta Spring Boot Starter。 这是一个方便的项目,可以轻松轻松地将Okta与Spring Boot集成。 有关更多信息,请查看项目的GitHub 。

src/main/resources/application.properties更改为application.yml并添加以下内容:

server:port: 8080
okta:oauth2:issuer: https://{yourOktaDomain}/oauth2/defaultclient-id: {yourClientId}client-secret: {yourClientSecret}
spring:thymeleaf:cache: false

请记住,当我说您需要上面的ClientIDClient Secret时 。 好,时间到了。 您需要将它们以及Okta发行者URL填充到文件中。 它看起来像这样: dev-123456.okta.com 。 您可以在API > 授权服务器下找到它。

src/main/resources/templates目录中,您还需要两个类似的模板文件。 index.html模板文件完全相同,并且可以根据需要复制。 由于您从Okta返回身份验证信息的方式与您之前构建的简单身份验证服务器相比, securedPage.html模板文件略有不同。

创建主页模板: src/main/resources/templates/index.html

<!DOCTYPE html>  
<html lang="en">  
<head>  <meta charset="UTF-8">  <title>Home</title>  
</head>  
<body>  <h1>Spring Security SSO</h1>  <a href="securedPage">Login</a>  
</body>  
</html>

以及受保护的模板: src/main/resources/templates/securedPage.html

<!DOCTYPE html>  
<html xmlns:th="http://www.thymeleaf.org">  
<head>  <meta charset="UTF-8">  <title>Secured Page</title>  
</head>  
<body>  <h1>Secured Page</h1>  <span th:text="${#authentication.principal.attributes.name}">Joe Coder</span>  
</body>  
</html>

com.okta.spring.SpringBootOAuth包中创建一个名为WebController的Java类:

package com.okta.spring.OktaOAuthClient;import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;import java.security.Principal;@Controller
public class WebController {@RequestMapping("/securedPage")public String securedPage(Model model, Principal principal) {return "securedPage";}@RequestMapping("/")public String index(Model model, Principal principal) {return "index";}
}

该类仅创建两个路由,一个用于本地路由,一个用于安全路由。 同样,Spring Boot和Thymeleaf会将其自动修改为src/main/resources/templates的两个模板文件。

最后,创建另一个Java类,名称为SecurityConfiguration

package com.okta.spring.OktaOAuthClient;import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;@Configuration
public class SecurityConfiguration extends WebSecurityConfigurerAdapter {@Overridepublic void configure(HttpSecurity http) throws Exception {http.antMatcher("/**").authorizeRequests().antMatchers("/").permitAll().anyRequest().authenticated().and().oauth2Login();}
}

而已! am!

运行由Okta-OAuth支持的客户端:

./gradlew bootRun

您应该看到一堆以结尾的输出:

...
2019-02-23 20:09:03.465  INFO 55890 --- [           main] o.s.b.w.embedded.tomcat.TomcatWebServer  : Tomcat started on port(s): 8080 (http) with context path ''
2019-02-23 20:09:03.470  INFO 55890 --- [           main] c.o.s.O.OktaOAuthClientApplication       : Started OktaOAuthClientApplication in 3.285 seconds (JVM running for 3.744)

导航到http:// localhost:8080 。

单击登录按钮。

这次,您将被带到Okta登录页面。 您可能需要使用隐身浏览器或在此处注销developer.okta.com仪表板,以免跳过登录页面并立即定向到安全端点。

Spring安全

登录,您将看到带有您的姓名的安全页面!

了解有关Spring Boot,Spring Security和OAuth 2.0的更多信息

就是这样。 超级容易。 在上一教程中,您研究了如何使用Spring Boot和Spring Security来实现非常基本的身份验证服务器和客户端应用程序。 接下来,您使用Okta使用功能齐全的SSO和OAuth身份验证制作一个更简单的客户端应用程序。

您可以在oktadeveloper / okta-spring-boot-authz-server-example上的GitHub上查看本教程的完整代码。

如果您想了解有关Spring Boot,OAuth 2.0和Spring Security的更多信息,请查看以下有用的教程:

  • Spring Boot,OAuth 2.0和Okta入门
  • OAuth到底是什么?
  • Spring Security 5.0和OIDC入门
  • 身份,声明和令牌– OpenID Connect入门,第1部分,共3部分
  • 使用Spring Boot和GraphQL构建安全的API

如果您对此帖子有任何疑问,请在下面添加评论。 有关更多精彩内容, 请在Twitter上关注@oktadev ,或订阅我们的YouTube频道 !

“具有Spring Security的OAuth 2.0快速指南”最初于2019年3月发布在Okta开发者博客上。

“我喜欢编写身份验证和授权代码。” 〜从来没有Java开发人员。 厌倦了一次又一次地建立相同的登录屏幕? 尝试使用Okta API进行托管身份验证,授权和多因素身份验证。

翻译自: https://www.javacodegeeks.com/2019/03/quick-guide-oauth-spring-security.html

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

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

相关文章

工业以太网交换机在实际应用中的优势

相信大家对交换机应该都不陌生&#xff0c;交换机可以说应用于网络通信的各个方面&#xff0c;它极大的帮助我们提高了工作效率&#xff1b;但是一般我们会分为工业交换机和普通交换机&#xff0c;在实际应用当中&#xff0c;不同的环境和场合我们还是要有所区分的&#xff0c;…

php soap debug,php soap客户端调试实例

1&#xff0c;php soap客户端代码&#xff0c;如下&#xff1a;try {$client new SoapClient(null,array(location >http://localhost/oms07/index.php?rapi,uri >http://localhost/oms07));$results $client->__soapCall(getFailParts, array(startTime>2013-1…

【渝粤教育】国家开放大学2018年秋季 1167t环境水利学 参考试题

试卷代号&#xff1a;1189 政府经济学 试题 2019年1月 一、单项选择题&#xff08;每小题1分&#xff0c;共10分&#xff09; 1.政府经济的依据主要是( )。 A.私人财产所有权 B.社会公共权力 C.道德劝说 D.法律制度 2.公共选择的基本原理是将( )的分析方法用于非市场的政治领域…

php vimrc配置文件,vim技巧:我的 .vimrc 配置文件,详解每一个配置项的作用

下面是我的 .vimrc 配置文件&#xff0c;每一个配置项都添加了注释说明&#xff0c;详解每一个配置项的作用&#xff0c;以便确认为什么要添加这个配置项。" 使用vim的modeline来设置当前文件的textwidth,避免输入超过78个字符时自动换行" 使用:verbose set textwidt…

【渝粤教育】国家开放大学2018年秋季 1317T社会工作行政(本) 参考试题

试卷代号&#xff1a;1325 妇产科学与儿科护理学 试题 2019年1月 一、单项选择题&#xff08;每题2分&#xff0c;共50分&#xff09; 1.正常胎心率的范围是&#xff08; &#xff09;。 A. 80&#xff5e;100次&#xff0f;分 B.100&#xff5e;120次&#xff0f;分 C.120&…

检测工业级交换机性能好坏的8种方法

如今&#xff0c;工业级交换机的品牌和种类可谓是非常多&#xff0c;对于工业级交换机用户来说&#xff0c;如何选择&#xff0c;如何检测交换机的性能可以说是非常头疼的事情。其实一般检测工业级交换机的性能好坏也是有方法的&#xff0c;下面杭州飞畅科技就给大家介绍一些常…

带有Oracle Digital Assistant和Fn Project的会话式UI。 第三部分,迁移到云

在本文中&#xff0c;我将继续讲述在Oracle Digital Assistant和Oracle Digital Assistant的 基础上为FlexDeploy实现对话式UI的故事。 Fn项目 。 今天&#xff0c;我将围绕聊天机器人工作的无服务器API移到云中&#xff0c;因此整个解决方案都在云中工作&#xff1a; 该API是…

【渝粤教育】国家开放大学2018年秋季 1398T分析化学(本) 参考试题

试卷代号&#xff1a;2027 金融市场 试题 2019年1月 一、单项选择题&#xff08;每小题1分&#xff0c;共10分。每小题有一项正确答案&#xff0c;请 将正确答案的序号填写在括号内&#xff09; 1.金融市场上最重要的主体是( )。 A.政府 B.家庭 C.企业 D.机构投资者 2.( )是指那…

如何识别交换机的性能优劣?

随着网络应用的逐渐深入&#xff0c;电信级交换机&#xff0c;特别是三层交换机已经成为当今市场争夺的焦点。但是在功能各异、种类繁多的交换机设备中&#xff0c;用户要如何拨开迷雾&#xff0c;找到符合自身应用特点的产品。接下来就由杭州飞畅科技给大家讲讲如何识别交换机…

【渝粤教育】国家开放大学2018年秋季 2120T医学免疫学与微生物学 参考试题

试卷代号&#xff1a;2136 管理会计 试题 2019年1月 一、单项选择题&#xff08;每小题1分&#xff0c;共20分&#xff09; 1&#xff0e;EVA与基于利润的企业业绩评价指标的最大区别是( )。 A&#xff0e;将权益资本成本计入资本成本 B&#xff0e;不考虑权益资本成本 C&…

Jakarta EE中的规范范围

使用Eclipse Foundation Specification Process &#xff08;EFSP&#xff09;&#xff0c;一个开放源代码规范项目就有一个专门的提交者项目团队来创建和维护一个或多个规范。 创建和维护的周期跨越了该规范的多个版本&#xff0c;因此尽管各个成员可能来去去去&#xff0c;但…

kafka metric java,jmx_exporter+prometheus+grafana实现kafka metric监控

2.配置kafka的JMX PORT,修改bin/kafka-server-start.sh,添加一行export JMX_PORT"9999"&#xff0c;我这里用了9999端口。3.下载jmx_exporter,链接 https://github.com/prometheus/jmx_exporter, 我将文件放在/opt/kafka/kafka_2.11-1.0.0/jmx_prometheus_javaagent-…

【渝粤教育】国家开放大学2018年秋季 2322T物流信息技术 参考试题

试卷代号&#xff1a;2391 古代汉语(2) 试题&#xff08;开卷&#xff09; 2019年1月 一、填空&#xff08;每空1分&#xff0c;共20分&#xff09; 1&#xff0e;开我国文体研究先河的是 。他把文体分为四类&#xff0c;即____、、 、。 2&#xff0e;论辩类&#xff0c;正面阐…

【渝粤教育】国家开放大学2018年秋季 2604T城市轨道交通行车组织 参考试题

试卷代号&#xff1a;2632 城市轨道交通客运组织 试题 2019年1月 一、单项选择题&#xff08;每小题2分&#xff0c;共20分&#xff0c;将正确答案选项的字母填入题目中的括号内&#xff09; 1&#xff0e;( )是客运服务系统的行为规则。 A.安全规则 B&#xff0e;事故处理规则…

网络交换机3大常见故障问题

交换机运行中出现故障是不可避免的&#xff0c;但出现故障后应当迅速地进行处理&#xff0c;尽快查出故障点&#xff0c;排除故障。要做到这一点&#xff0c;就必须了解交换机故障的类型及具备对故障进行分析和处理的能力。一般来说&#xff0c;交换机常见的故障有电源故障、端…

php只能写入7字符,如何在PHP 7之前解决“必须是字符串的实例,字符串给定”?...

类型提示只能是对象和数组(自PHP 5.1以来)类型 . 不支持使用int和string的传统类型提示 .所以你拥有它 . 错误消息并不是真的有用&#xff0c;但我告诉你 .** 2017年编辑**有效类型类/接口名称&#xff1a;参数必须是给定类或接口名称的实例 . (自PHP 5.0.0起)self&#xff1a;…

java多模块maven_Maven和Java多版本模块

java多模块maven介绍 通常&#xff0c;项目具有最低Java版本要求&#xff0c;并且适用于其所有模块。 但是每条规则都有其例外&#xff0c;最近我偶然发现了以下问题。 我的一个开源项目对其大多数模块都要求使用Java 1.6&#xff0c;除了一个要求1.7版本的项目。 当集成具有…

【渝粤教育】国家开放大学2018年秋季 3950T金融基础 参考试题

试卷代号&#xff1a;4988 电子政务概论 试题&#xff08;开卷&#xff09; 2019年1月 一、单项选择题&#xff08;每题所设选项中只有一个正确答案&#xff0c;每小题1分&#xff0c;共10分&#xff0c;多选、错选或不选均不得分&#xff09; 1&#xff0e;电子政务的公共服务…

8口网管型工业以太网交换机产品性能介绍

8端口以太网交换机因其端口数量、价格都比较适中&#xff0c;所以是比较常见的一款产品。杭州飞畅科技为满足不同客户的需要&#xff0c;就8端口的工业交换机分别研发了网管型、非网管、8电口、2光6电、4光4电等多种规格。如果您这边有特殊规格的需求&#xff0c;飞畅科技也可以…

php 读取页面全部变量,PHP-如何从外部文件获取“页面”变量?

我使用外部文件来处理WP插件中的AJAX调用.为了使其能够迭代WP方法,我进行了以下修改&#xff1a;require( ../../../wp-blog-header.php );header("HTTP/1.1 200 OK");问题是,似乎我无法从中获取任何特定于页面状态的变量.例如,get_query_var(‘page’)始终返回为空.…