高德地图调用geoserver提供WMTS服务报错Unknown TILEMATRIX问题

1. 高德地图JSAPI要求WMTS必须是EPSG:3857坐标系
2. 高德调用WMTS服务时参数 TileMatrix中未带有坐标系字段,需要修改geoserver源码兼容一下,修改JSAPI也可以,如你用都用离线的话

leaflet加载geoserver的WMTS服务时TILEMATRIX字段

TILEMATRIX: EPSG:3857:13

在这里插入图片描述
高德是这样:
在这里插入图片描述

geoserver中源码是这样子取的,代码在geowebcache中,geoserver也是引用的org.geowebcache.service.wmts.WMTSService.java

		// 代码在geowebcache中 org.geowebcache.service.wmts.WMTSService.javafinal String tileMatrix = values.get("tilematrix");if (tileMatrix == null) {throw new OWSException(400, "MissingParameterValue", "TILEMATRIX", "No TILEMATRIX specified");}long z = gridSubset.getGridIndex(tileMatrix);// 这里z就是缩放级别,代码在坐标系的级别再又查找一次if (z < 0) {throw new OWSException(400, "InvalidParameterValue", "TILEMATRIX", "Unknown TILEMATRIX " + tileMatrix);}

修改如下:

        final String tileMatrix = values.get("tilematrix");if (tileMatrix == null) {throw new OWSException(400, "MissingParameterValue", "TILEMATRIX", "No TILEMATRIX specified");}long z = -1;if (tileMatrix.contains(tilematrixset)) {z = gridSubset.getGridIndex(tileMatrix);} else {z = Long.valueOf(tileMatrix);}if (z < 0) {throw new OWSException(400, "InvalidParameterValue", "TILEMATRIX", "Unknown TILEMATRIX " + tileMatrix);}

因为不想再打包geowebcache,所有直接在geoserver中添加这个类,编译时会覆盖jar包相同的类,就可以解决问题了。
在gs-gwc中直接增这个类并按上面修改。
在这里插入图片描述
重新编译geoserver就可以被高德JSAPI正常访问。

GeoWebCache:在这里
https://github.com/GeoWebCache/geowebcache/blob/main/geowebcache/wmts/src/main/java/org/geowebcache/service/wmts/WMTSService.java

修改后完整文件如下:

/*** This program is free software: you can redistribute it and/or modify it under the terms of the* GNU Lesser General Public License as published by the Free Software Foundation, either version 3* of the License, or (at your option) any later version.** <p>This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;* without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the* GNU General Public License for more details.** <p>You should have received a copy of the GNU Lesser General Public License along with this* program. If not, see <http://www.gnu.org/licenses/>.** @author Arne Kepp, OpenGeo, Copyright 2009*/
package org.geowebcache.service.wmts;import com.google.common.base.Strings;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collection;
import java.util.Collections;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Map.Entry;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.geowebcache.GeoWebCacheDispatcher;
import org.geowebcache.GeoWebCacheException;
import org.geowebcache.GeoWebCacheExtensions;
import org.geowebcache.config.ServerConfiguration;
import org.geowebcache.conveyor.Conveyor;
import org.geowebcache.conveyor.ConveyorTile;
import org.geowebcache.filter.parameters.ParameterException;
import org.geowebcache.filter.security.SecurityDispatcher;
import org.geowebcache.grid.GridSetBroker;
import org.geowebcache.grid.GridSubset;
import org.geowebcache.grid.OutsideCoverageException;
import org.geowebcache.layer.TileJSONProvider;
import org.geowebcache.layer.TileLayer;
import org.geowebcache.layer.TileLayerDispatcher;
import org.geowebcache.mime.MimeException;
import org.geowebcache.mime.MimeType;
import org.geowebcache.service.HttpErrorCodeException;
import org.geowebcache.service.OWSException;
import org.geowebcache.service.Service;
import org.geowebcache.stats.RuntimeStats;
import org.geowebcache.storage.StorageBroker;
import org.geowebcache.util.NullURLMangler;
import org.geowebcache.util.ServletUtils;
import org.geowebcache.util.URLMangler;public class WMTSService extends Service {public static final String SERVICE_WMTS = "wmts";public static final String SERVICE_PATH ="/" + GeoWebCacheDispatcher.TYPE_SERVICE + "/" + SERVICE_WMTS;public static final String REST_PATH = SERVICE_PATH + "/rest";public static final String GET_CAPABILITIES = "getcapabilities";public static final String GET_FEATUREINFO = "getfeatureinfo";public static final String GET_TILE = "gettile";public static final String GET_TILEJSON = "gettilejson";private static final String STYLE_HINT = ";style=";enum RequestType {TILE,CAPABILITIES,FEATUREINFO,TILEJSON}static final String buildRestPattern(int numPathElements, boolean hasStyle) {if (!hasStyle) {return ".*/service/wmts/rest" + Strings.repeat("/([^/]+)", numPathElements);} else {return ".*/service/wmts/rest/([^/]+)/([^/]*)"+ Strings.repeat("/([^/]+)", numPathElements - 2);}}enum RestRequest {// "/{layer}/{tileMatrixSet}/{tileMatrix}/{tileRow}/{tileCol}"TILE(buildRestPattern(5, false), RequestType.TILE, false),// "/{layer}/{style}/{tileMatrixSet}/{tileMatrix}/{tileRow}/{tileCol}",TILE_STYLE(buildRestPattern(6, true), RequestType.TILE, true),// "/{layer}/{tileMatrixSet}/{tileMatrix}/{tileRow}/{tileCol}/{j}/{i}"FEATUREINFO(buildRestPattern(7, false), RequestType.FEATUREINFO, false),// "/{layer}/{style}/{tileMatrixSet}/{tileMatrix}/{tileRow}/{tileCol}/{j}/{i}",FEATUREINFO_STYLE(buildRestPattern(8, true), RequestType.FEATUREINFO, true),// "/{layer}/tilejson/{tileformat}"TILEJSON(buildRestPattern(3, false), RequestType.TILEJSON, false),// "/{layer}/{style}/tilejson/{tileformat}"TILEJSON_STYLE(buildRestPattern(4, true), RequestType.TILEJSON, true);Pattern pattern;RequestType type;boolean hasStyle;RestRequest(String pattern, RequestType type, boolean hasStyle) {this.pattern = Pattern.compile(pattern);this.type = type;this.hasStyle = hasStyle;}/** Returns the parsed KVP, or null if the path does not match the request pattern */public Map<String, String> toKVP(HttpServletRequest request) {final Matcher matcher = pattern.matcher(request.getPathInfo());if (!matcher.matches()) {return null;}Map<String, String> values = new HashMap<>();// go through the pattern and extract the actual request// leverage the predictable path structure to use a single parsing sequence for all// requestsint i = 1;String req = null;switch (type) {case FEATUREINFO:req = GET_FEATUREINFO;break;case TILEJSON:req = GET_TILEJSON;break;default:req = GET_TILE;break;}final boolean isFeatureInfo = type == RequestType.FEATUREINFO;values.put("request", req);values.put("layer", matcher.group(i++));if (hasStyle) {values.put("style", matcher.group(i++));}if (type != RequestType.TILEJSON) {values.put("tilematrixset", matcher.group(i++));values.put("tilematrix", matcher.group(i++));values.put("tilerow", matcher.group(i++));values.put("tilecol", matcher.group(i++));if (isFeatureInfo) {values.put("j", matcher.group(i++));values.put("i", matcher.group(i++));}} else {values.put("tileformat", matcher.group(++i));}if (request.getParameter("format") instanceof String) {if (isFeatureInfo) {values.put("infoformat", request.getParameter("format"));} else {values.put("format", request.getParameter("format"));}}return values;}}// private static Logger log =// Logging.getLogger(org.geowebcache.service.wmts.WMTSService.class);private StorageBroker sb;private TileLayerDispatcher tld;private GridSetBroker gsb;private RuntimeStats stats;private URLMangler urlMangler = new NullURLMangler();private GeoWebCacheDispatcher controller = null;private ServerConfiguration mainConfiguration;// list of this service extensions ordered by their priorityprivate final List<WMTSExtension> extensions = new ArrayList<>();private SecurityDispatcher securityDispatcher;/** Protected no-argument constructor to allow run-time instrumentation */protected WMTSService() {super(SERVICE_WMTS);extensions.addAll(GeoWebCacheExtensions.extensions(WMTSExtension.class));}public WMTSService(StorageBroker sb, TileLayerDispatcher tld, GridSetBroker gsb, RuntimeStats stats) {super(SERVICE_WMTS);this.sb = sb;this.tld = tld;this.gsb = gsb;this.stats = stats;extensions.addAll(GeoWebCacheExtensions.extensions(WMTSExtension.class));}public WMTSService(StorageBroker sb,TileLayerDispatcher tld,GridSetBroker gsb,RuntimeStats stats,URLMangler urlMangler,GeoWebCacheDispatcher controller) {super(SERVICE_WMTS);this.sb = sb;this.tld = tld;this.gsb = gsb;this.stats = stats;this.urlMangler = urlMangler;this.controller = controller;extensions.addAll(GeoWebCacheExtensions.extensions(WMTSExtension.class));}@Overridepublic Conveyor getConveyor(HttpServletRequest request, HttpServletResponse response)throws GeoWebCacheException, OWSException {// let's see if we have any extension that wants to provide a conveyor for this requestfor (WMTSExtension extension : extensions) {Conveyor conveyor = extension.getConveyor(request, response, sb);if (conveyor != null) {// this extension provides a conveyor for this request, we are donereturn conveyor;}}if (request.getPathInfo() != null && request.getPathInfo().contains("service/wmts/rest")) {return getRestConveyor(request, response);}String[] keys = {"layer","request","style","format","infoformat","tilematrixset","tilematrix","tilerow","tilecol","tileformat","i","j"};String encoding = request.getCharacterEncoding();Map<String, String> values =ServletUtils.selectedStringsFromMap(request.getParameterMap(), encoding, keys);return getKvpConveyor(request, response, values);}public Conveyor getRestConveyor(HttpServletRequest request, HttpServletResponse response)throws GeoWebCacheException, OWSException {final String path = request.getPathInfo();// special simpler case for GetCapabilitiesif (path.endsWith("/service/wmts/rest/WMTSCapabilities.xml")) {ConveyorTile tile = new ConveyorTile(sb, null, request, response);tile.setHint(GET_CAPABILITIES);tile.setRequestHandler(ConveyorTile.RequestHandler.SERVICE);return tile;}// all other paths are handled via the RestRequest enumeration, matching patterns and// extracting variablesfor (RestRequest restRequest : RestRequest.values()) {Map<String, String> values = restRequest.toKVP(request);if (values != null) {return getKvpConveyor(request, response, values);}}// we implement all WMTS supported request, this means that the provided request name is// invalidthrow new HttpErrorCodeException(404, "Unknown resource " + request.getPathInfo());}public Conveyor getKvpConveyor(HttpServletRequest request, HttpServletResponse response, Map<String, String> values)throws GeoWebCacheException, OWSException {// let's see if we have any extension that wants to provide a conveyor for this requestfor (WMTSExtension extension : extensions) {Conveyor conveyor = extension.getConveyor(request, response, sb);if (conveyor != null) {// this extension provides a conveyor for this request, we are donereturn conveyor;}}// check if we need to be CITE strictly compliantboolean isCitecompliant = isCiteCompliant();if (isCitecompliant) {performCiteValidation(request);}String req = values.get("request");if (req == null) {// OWSException(httpCode, exceptionCode, locator, exceptionText);throw new OWSException(400, "MissingParameterValue", "request", "Missing Request parameter");} else {req = req.toLowerCase();}if (isCitecompliant) {String acceptedVersions = getParameterValue("AcceptVersions", request);// if provided handle accepted versions parameterif (acceptedVersions != null) {// we only support version 1.0.0, so make sure that's one of the accepted versionsString[] versions = acceptedVersions.split("\\s*,\\s*");int foundIndex = Arrays.binarySearch(versions, "1.0.0");if (foundIndex < 0) {// no supported version is acceptedthrow new OWSException(400,"VersionNegotiationFailed",null,"List of versions in AcceptVersions parameter value, in GetCapabilities "+ "operation request, did not include any version supported by this server.");}}}if (req.equals(GET_TILE)) {if (isCitecompliant) {boolean isRestRequest = isRestRequest(request);// we need to make sure that a style was provided, otherwise GWC will just assume// the default oneif (!isRestRequest && getParameterValue("Style", request) == null) {// mandatory STYLE query parameter is missingthrow new OWSException(400,"MissingParameterValue","Style","Mandatory Style query parameter not provided.");}}ConveyorTile tile = getTile(values, request, response, RequestType.TILE);return tile;} else if (req.equals(GET_CAPABILITIES)) {ConveyorTile tile = new ConveyorTile(sb, values.get("layer"), request, response);tile.setHint(req);tile.setRequestHandler(ConveyorTile.RequestHandler.SERVICE);return tile;} else if (req.equals(GET_FEATUREINFO)) {ConveyorTile tile = getTile(values, request, response, RequestType.FEATUREINFO);tile.setHint(req);tile.setRequestHandler(Conveyor.RequestHandler.SERVICE);return tile;} else if (req.equals(GET_TILEJSON)) {ConveyorTile tile = new ConveyorTile(sb, values.get("layer"), request, response);String format = values.get("tileformat");tile.setMimeType(MimeType.createFromExtension(format));String hint = req;// I Will need the style when setting up the TileJSON tiles urlString style = values.get("style");if (style != null) {hint += (STYLE_HINT + style);}tile.setHint(hint);tile.setRequestHandler(ConveyorTile.RequestHandler.SERVICE);return tile;} else {// we implement all WMTS supported request, this means that the provided request name is// invalidthrow new OWSException(400,"InvalidParameterValue","request",String.format("Invalid request name '%s'.", req));}}private ConveyorTile getTile(Map<String, String> values,HttpServletRequest request,HttpServletResponse response,RequestType reqType)throws OWSException {String encoding = request.getCharacterEncoding();String layer = values.get("layer");if (layer == null) {throw new OWSException(400, "MissingParameterValue", "LAYER", "Missing LAYER parameter");}TileLayer tileLayer = null;try {tileLayer = tld.getTileLayer(layer);} catch (GeoWebCacheException e) {throw new OWSException(400, "InvalidParameterValue", "LAYER", "LAYER " + layer + " is not known.");}Map<String, String[]> rawParameters = new HashMap<>(request.getParameterMap());Map<String, String> filteringParameters;try {/** Merge values with request parameter*/for (Entry<String, String> e : values.entrySet()) {rawParameters.put(e.getKey(), new String[] {e.getValue()});}// WMTS uses the "STYLE" instead of "STYLES"for (Entry<String, String[]> e : rawParameters.entrySet()) {if (e.getKey().equalsIgnoreCase("STYLE")) {rawParameters.put("STYLES", e.getValue());break;}}filteringParameters = tileLayer.getModifiableParameters(rawParameters, encoding);} catch (ParameterException e) {throw new OWSException(e.getHttpCode(), e.getExceptionCode(), e.getLocator(), e.getMessage());} catch (GeoWebCacheException e) {throw new OWSException(500,"NoApplicableCode","",e.getMessage() + " while fetching modifiable parameters for LAYER " + layer);}MimeType mimeType = null;if (reqType == RequestType.TILE) {String format = values.get("format");if (format == null) {throw new OWSException(400,"MissingParameterValue","FORMAT","Unable to determine requested FORMAT, " + format);}try {mimeType = MimeType.createFromFormat(format);} catch (MimeException me) {throw new OWSException(400,"InvalidParameterValue","FORMAT","Unable to determine requested FORMAT, " + format);}} else {String infoFormat = values.get("infoformat");if (infoFormat == null) {throw new OWSException(400,"MissingParameterValue","INFOFORMAT","Parameter INFOFORMAT was not provided");}try {mimeType = MimeType.createFromFormat(infoFormat);} catch (MimeException me) {throw new OWSException(400,"InvalidParameterValue","INFOFORMAT","Unable to determine requested INFOFORMAT, " + infoFormat);}}final String tilematrixset = values.get("tilematrixset");if (tilematrixset == null) {throw new OWSException(400, "MissingParameterValue", "TILEMATRIXSET", "No TILEMATRIXSET specified");}GridSubset gridSubset = tileLayer.getGridSubset(tilematrixset);if (gridSubset == null) {throw new OWSException(400,"InvalidParameterValue","TILEMATRIXSET","Unable to match requested TILEMATRIXSET "+ tilematrixset+ " to those supported by layer");}final String tileMatrix = values.get("tilematrix");if (tileMatrix == null) {throw new OWSException(400, "MissingParameterValue", "TILEMATRIX", "No TILEMATRIX specified");}long z = -1;if (tileMatrix.contains(tilematrixset)) {z = gridSubset.getGridIndex(tileMatrix);} else {z = Long.valueOf(tileMatrix);}if (z < 0) {throw new OWSException(400, "InvalidParameterValue", "TILEMATRIX", "Unknown TILEMATRIX " + tileMatrix);}// WMTS has 0 in the top left corner -> flip y valuefinal String tileRow = values.get("tilerow");if (tileRow == null) {throw new OWSException(400, "MissingParameterValue", "TILEROW", "No TILEROW specified");}final long tilesHigh = gridSubset.getNumTilesHigh((int) z);long y = tilesHigh - Long.parseLong(tileRow) - 1;String tileCol = values.get("tilecol");if (tileCol == null) {throw new OWSException(400, "MissingParameterValue", "TILECOL", "No TILECOL specified");}long x = Long.parseLong(tileCol);long[] gridCov = gridSubset.getCoverage((int) z);if (x < gridCov[0] || x > gridCov[2]) {throw new OWSException(400,"TileOutOfRange","TILECOLUMN","Column " + x + " is out of range, min: " + gridCov[0] + " max:" + gridCov[2]);}if (y < gridCov[1] || y > gridCov[3]) {long minRow = tilesHigh - gridCov[3] - 1;long maxRow = tilesHigh - gridCov[1] - 1;throw new OWSException(400,"TileOutOfRange","TILEROW","Row " + tileRow + " is out of range, min: " + minRow + " max:" + maxRow);}long[] tileIndex = {x, y, z};try {gridSubset.checkCoverage(tileIndex);} catch (OutsideCoverageException e) {}ConveyorTile convTile =new ConveyorTile(sb,layer,gridSubset.getName(),tileIndex,mimeType,rawParameters,filteringParameters,request,response);convTile.setTileLayer(tileLayer);return convTile;}@Overridepublic void handleRequest(Conveyor conv) throws OWSException, GeoWebCacheException {// let's see if any extension wants to handle this requestfor (WMTSExtension extension : extensions) {if (extension.handleRequest(conv)) {// the request was handled by this extensionreturn;}}// no extension wants to handle this request, so let's proceed with a normal executionConveyorTile tile = (ConveyorTile) conv;String servletPrefix = null;if (controller != null) servletPrefix = controller.getServletPrefix();String servletBase = ServletUtils.getServletBaseURL(conv.servletReq, servletPrefix);String context =ServletUtils.getServletContextPath(conv.servletReq, new String[] {SERVICE_PATH, REST_PATH}, servletPrefix);if (tile.getHint() != null) {if (tile.getHint().equals(GET_CAPABILITIES)) {WMTSGetCapabilities wmsGC =new WMTSGetCapabilities(tld,gsb,tile.servletReq,servletBase,context,urlMangler,extensions);wmsGC.writeResponse(tile.servletResp, stats);} else if (tile.getHint().equals(GET_FEATUREINFO)) {getSecurityDispatcher().checkSecurity(tile);ConveyorTile convTile = (ConveyorTile) conv;WMTSGetFeatureInfo wmsGFI = new WMTSGetFeatureInfo(convTile);wmsGFI.writeResponse(stats);} else if (tile.getHint().startsWith(GET_TILEJSON)) {getSecurityDispatcher().checkSecurity(tile);ConveyorTile convTile = (ConveyorTile) conv;TileLayer layer = convTile.getLayer();String hint = tile.getHint();String style = null;int styleIndex = hint.indexOf(STYLE_HINT);if (styleIndex != -1) {style = hint.substring(styleIndex + STYLE_HINT.length());}if (layer instanceof TileJSONProvider) {// in GetCapabilities we are adding a TileJSON resource URL// only when the layer supports TileJSON.// That information allows us to return a 404 when// someone is asking a TileJSON when not supported.if (!((TileJSONProvider) layer).supportsTileJSON()) {throw new HttpErrorCodeException(404, "TileJSON Not supported");}WMTSTileJSON wmtsTileJSON =new WMTSTileJSON(convTile, servletBase, context, style, urlMangler);wmtsTileJSON.writeResponse(layer);}}}}void addExtension(WMTSExtension extension) {extensions.add(extension);}public Collection<WMTSExtension> getExtensions() {return Collections.unmodifiableCollection(extensions);}public void setSecurityDispatcher(SecurityDispatcher secDisp) {this.securityDispatcher = secDisp;}protected SecurityDispatcher getSecurityDispatcher() {return securityDispatcher;}/*** Sets GWC main configuration.** @param mainConfiguration GWC main configuration*/public void setMainConfiguration(ServerConfiguration mainConfiguration) {this.mainConfiguration = mainConfiguration;}/*** Return the GWC configuration used by this WMTS service instance.** @return GWC main configuration*/ServerConfiguration getMainConfiguration() {return mainConfiguration;}/*** Helper method that checks if WMTS implementation should be CITE strictly compliant.** @return TRUE if GWC main configuration or at least one of the WMTS extensions forces CITE*     compliance*/private boolean isCiteCompliant() {// let's see if main GWC configuration forces WMTS implementation to be CITE compliantif (mainConfiguration != null && mainConfiguration.isWmtsCiteCompliant()) {return true;}// let's see if at least one of the extensions forces CITE compliant modefor (WMTSExtension extension : extensions) {if (extension.getServiceInformation() != null&& extension.getServiceInformation().isCiteCompliant()) {return true;}}// we are not in CITE compliant modereturn false;}/** Helper method that performs CITE tests mandatory validations. */private static void performCiteValidation(HttpServletRequest request) throws OWSException {// paths validation are not done for WMTS REST APIif (isRestRequest(request)) {return;}// base path should end with WMTSString basePath = request.getPathInfo();String[] paths = basePath.split("/");String lastPath = paths[paths.length - 1];if (!lastPath.equalsIgnoreCase("WMTS")) {// invalid base path, not found should be returnedthrow new OWSException(404, "NoApplicableCode", "request", "Service or request not found");}// service query parameter is mandatory and should be equal to WMTSvalidateWmtsServiceName("wmts", request);}/*** Helper method that just checks if current WMTS request is in the context of a REST API call,* certain OGC validations don't make sense in that context.*/private static boolean isRestRequest(HttpServletRequest request) {// rest/wmts is always lowercasereturn request.getPathInfo().contains("service/wmts/rest");}/*** Checks if the URL base path extracted service name matches the HTTP request SERVICE query* parameter value. If the HTTP request doesn't contains any SERVICE query parameter an OWS* exception will be returned.** <p>This validation only happens for WMTS service and if CITE strict compliance is activated.** @param pathServiceName service name extracted from the URL base path* @param request the original HTTP request* @throws OWSException if the URL path extracted service name and the HTTP request service name*     don't match*/private static void validateWmtsServiceName(String pathServiceName, HttpServletRequest request)throws OWSException {if (pathServiceName == null || !pathServiceName.equalsIgnoreCase("WMTS")) {// not an OGC service, so nothing to doreturn;}// let's see if the service path and requested service matchString requestedServiceName = getParameterValue("SERVICE", request);if (requestedServiceName == null) {// mandatory service query parameter not providedthrow new OWSException(400,"MissingParameterValue","service","Mandatory SERVICE query parameter not provided.");}if (!pathServiceName.equalsIgnoreCase(requestedServiceName)) {// bad request, the URL path service and the requested service don't matchthrow new OWSException(400,"InvalidParameterValue","service",String.format("URL path service '%s' don't match the requested service '%s'.",pathServiceName, requestedServiceName));}}/*** Search in a non case sensitive way for a query parameter in the provided HTTP request. If the* query parameter is found is first value is returned otherwise NULL is returned.** @param parameterName query parameter name to search* @param request HTTP request* @return the first value of the query parameter if it exists otherwise NUL L*/private static String getParameterValue(String parameterName, HttpServletRequest request) {if (parameterName == null) {// nothing to doreturn null;}for (Map.Entry<String, String[]> entry : request.getParameterMap().entrySet()) {if (entry.getKey() != null && entry.getKey().equalsIgnoreCase(parameterName)) {// we found our parameterString[] values = entry.getValue();return values != null ? values[0] : null;}}// parameter not foundreturn null;}
}

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

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

相关文章

C语言——文件IO 【文件IO和标准IO区别,操作文件IO】open,write,read,dup2,access,stat

1.思维导图 2.练习 1&#xff1a;使用C语言编写一个简易的界面&#xff0c;界面如下 1&#xff1a;标准输出流 2&#xff1a;标准错误流 3&#xff1a;文件流 要求&#xff1a;按1的时候&#xff0c;通过printf输出数据&#xff0c;按2的时候&#xff0c;通过p…

C++实现图书管理系统(Qt C++ GUI界面版)

前瞻 本项目基于【C】图书管理系统(完整版) 图书管理系统功能概览&#xff1a; 登录&#xff0c;注册学生,老师借书&#xff0c;查看自己当前借书情况&#xff0c;还书。管理员增加书&#xff0c;查看当前借阅情况&#xff0c;查看当前所有借阅人&#xff0c;图书信息。 效果…

使用 NestJS 构建高效且模块化的 Node.js 应用程序,从安装到第一个 API 端点:一步一步指南

一、安装 NestJS 要开始构建一个基于 NestJS 的应用&#xff0c;首先需要安装一系列依赖包。以下是必要的安装命令&#xff1a; npm i --save nestjs/core nestjs/common rxjs reflect-metadata nestjs/platform-express npm install -g ts-node包名介绍nestjs/coreNestJS 框…

鸿蒙面试 2025-01-09

鸿蒙分布式理念&#xff1f;&#xff08;个人认为理解就好&#xff09; 鸿蒙操作系统的分布式理念主要体现在其独特的“流转”能力和相关的分布式操作上。在鸿蒙系统中&#xff0c;“流转”是指涉多端的分布式操作&#xff0c;它打破了设备之间的界限&#xff0c;实现了多设备…

vue常用功能收集

文章目录 vue如何实现输入条件后点击enter进行查询vue项目启动修改后报错vue禁止iframe里面的右键启动 vue如何实现输入条件后点击enter进行查询 在Vue中&#xff0c;您可以通过监听键盘事件来实现在输入条件后点击Enter进行查询的功能。以下是一个简单的示例&#xff1a; &l…

Mysql--基础篇--SQL(DDL,DML,窗口函数,CET,视图,存储过程,触发器等)

SQL&#xff08;Structured Query Language&#xff0c;结构化查询语言&#xff09;是用于管理和操作关系型数据库的标准语言。它允许用户定义、查询、更新和管理数据库中的数据。SQL是一种声明性语言&#xff0c;用户只需要指定想要执行的操作&#xff0c;而不需要详细说明如何…

SQL 幂运算 — POW() and POWER()函数用法详解

POW() and POWER()函数用法详解 POW() 和 POWER() —计算幂运算&#xff08;即一个数的指定次方&#xff09;的函数。 这两个函数是等价的&#xff0c;功能完全相同&#xff0c;只是名字不同。 POW(base, exponent); POWER(base, exponent); base&#xff1a;底数。exponen…

Elasticsearch:聚合操作

这里写目录标题 一、聚合的概述二、聚合的分类1、指标聚合&#xff08;Metric Aggregation&#xff09;2、桶聚合&#xff08;Bucket Aggregation&#xff09;3、管道聚合&#xff08;Pipeline Aggregation&#xff09; 三、ES聚合分析不精准原因分析四、聚合性能优化1、ES聚合…

Ubuntu 磁盘修复

Ubuntu 磁盘修复 在 ubuntu 文件系统变成只读模式&#xff0c;该处理呢&#xff1f; 文件系统内部的错误&#xff0c;如索引错误、元数据损坏等&#xff0c;也可能导致系统进入只读状态。磁盘坏道或硬件故障也可能引发文件系统只读的问题。/etc/fstab配置错误&#xff0c;可能…

重新整理机器学习和神经网络框架

本篇重新梳理了人工智能&#xff08;AI&#xff09;、机器学习&#xff08;ML&#xff09;、神经网络&#xff08;NN&#xff09;和深度学习&#xff08;DL&#xff09;之间存在一定的包含关系&#xff0c;以下是它们的关系及各自内容,以及人工智能领域中深度学习分支对比整理。…

LabVIEW瞬变电磁接收系统

利用LabVIEW软件与USB4432采集卡开发瞬变电磁接收系统。系统通过改进硬件配置与软件编程&#xff0c;解决了传统仪器在信噪比低和抗干扰能力差的问题&#xff0c;实现了高精度的数据采集和处理&#xff0c;特别适用于地质勘探等领域。 ​ 项目背景&#xff1a; 瞬变电磁法是探…

Redis 优化秒杀(异步秒杀)

目录 为什么需要异步秒杀 异步优化的核心逻辑是什么&#xff1f; 阻塞队列的特点是什么&#xff1f; Lua脚本在这里的作用是什么&#xff1f; 异步调用创建订单的具体逻辑是什么&#xff1f; 为什么要用代理对象proxy调用createVoucherOrder方法&#xff1f; 对于代码的详细…

C++笔记之`size_t`辨析

C++笔记之size_t辨析 code review! 文章目录 C++笔记之`size_t`辨析一.什么是 `size_t`?二.`size_t` 的来源和设计目的三.`size_t` 的应用场景四.`size_t` 的优点五.`size_t` 的缺点和注意事项六.`size_t` 和其他类型的比较七.总结与建议在 C/C++ 中,size_t 是一个非常重要的…

MySQL表的增删查改(下)——Update(更新),Delete(删除)

文章目录 Update将孙悟空同学的数学成绩修改为80分将曹孟德同学的数学成绩变更为 60 分&#xff0c;语文成绩变更为 70 分将总成绩倒数前三的 3 位同学的数学成绩加上 30 分将所有同学的语文成绩更新为原来的 2 倍 Delete删除数据删除孙悟空同学的考试成绩删除整张表数据 截断表…

大语言模型训练的数据集从哪里来?

继续上篇文章的内容说说大语言模型预训练的数据集从哪里来以及为什么互联网上的数据已经被耗尽这个说法并不专业&#xff0c;再谈谈大语言模型预训练数据集的优化思路。 1. GPT2使用的数据集是WebText&#xff0c;该数据集大概40GB&#xff0c;由OpenAI创建&#xff0c;主要内…

【hadoop学习遇见的小问题】clone克隆完之后网络连接不上问题解决

vi /etc/udev/rules.d/70-persistent-net.rules注释掉第一行 第二行的eth1 改为eth0 由上图也可以看到物理地址 记录下来在网卡中修改物理地址 vi /etc/sysconfig/network-scripts/ifcfg-eth0修改完之后 重启reboot 即可

Spring Boot中的依赖注入是如何工作

Spring Boot 中的依赖注入&#xff08;Dependency Injection&#xff0c;简称 DI&#xff09;是通过 Spring 框架的核心机制——控制反转&#xff08;Inversion of Control&#xff0c;IOC&#xff09;容器来实现的。Spring Boot 基于 Spring Framework&#xff0c;在应用中自动…

PDFMathTranslate: Star13.8k,一款基于AI的PDF文档全文双语翻译PDF文档全文双语翻译,保留格式神器,你应该需要它

嗨&#xff0c;大家好&#xff0c;我是小华同学&#xff0c;关注我们获得“最新、最全、最优质”开源项目和高效工作学习方法 PDFMathTranslate是一个开源项目&#xff0c;旨在为用户提供便捷的PDF科学论文翻译解决方案。它不仅能够翻译文本&#xff0c;还能保留公式、图表、目…

对话|全年HUD前装将超330万台,疆程技术瞄准人机交互“第一屏”

2024年&#xff0c;在高阶智驾进入快速上车的同时&#xff0c;座舱人机交互也在迎来新的增长点。Chat GPT、AR-HUD、车载投影等新配置都在带来新增量机会。 高工智能汽车研究院监测数据显示&#xff0c;2024年1-10月&#xff0c;中国市场&#xff08;不含进出口&#xff09;乘用…

【机器学习案列】学生抑郁可视化及预测分析

&#x1f9d1; 博主简介&#xff1a;曾任某智慧城市类企业算法总监&#xff0c;目前在美国市场的物流公司从事高级算法工程师一职&#xff0c;深耕人工智能领域&#xff0c;精通python数据挖掘、可视化、机器学习等&#xff0c;发表过AI相关的专利并多次在AI类比赛中获奖。CSDN…