org.apache.commons.lang3.StringUtils#startsWithIgnoreCase ( )源码实例Demo

下面列出了org.apache.commons.lang3.StringUtils#startsWithIgnoreCase ( ) 实例代码,或者点击链接到github查看源代码,也可以在右侧发表评论。

源代码1 项目: airsonic-advanced   文件: SecurityService.java
/**
 * Returns whether the given file is located in the given folder (or any of its sub-folders).
 * If the given file contains the expression ".." (indicating a reference to the parent directory),
 * this method will return <code>false</code>.
 *
 * @param file   The file in question.
 * @param folder The folder in question.
 * @return Whether the given file is located in the given folder.
 */
protected static boolean isFileInFolder(String file, String folder) {
    // Deny access if file contains ".." surrounded by slashes (or end of line).
    if (file.matches(".*(/|\\\\)\\.\\.(/|\\\\|$).*")) {
        return false;
    }

    // Convert slashes.
    file = file.replace('\\', '/');
    folder = folder.replace('\\', '/');

    return
            // identity matches
            // /a/ == /a, /a == /a/, /a == /a, /a/ == /a/
            StringUtils.equalsIgnoreCase(file, folder)
            || StringUtils.equalsIgnoreCase(file, StringUtils.appendIfMissing(folder, "/"))
            || StringUtils.equalsIgnoreCase(StringUtils.appendIfMissing(file, "/"), folder)
            || StringUtils.equalsIgnoreCase(StringUtils.appendIfMissing(file, "/"), StringUtils.appendIfMissing(folder, "/"))
            // file prefix is folder (MUST append '/', otherwise /a/b2 startswith /a/b)
            || StringUtils.startsWithIgnoreCase(file, StringUtils.appendIfMissing(folder, "/"));
}
 
源代码2 项目: XS2A-Sandbox   文件: ResponseUtils.java
private String cookie(String cookieStringIn, String name) {
	String cookieString = cookieStringIn;
	if(cookieString==null) {
		return null;
	}

	String cookieParamName=name+"=";

	// Fix Java: rfc2965 want cookie to be separated by comma.
	// SOmehow i am receiving some semicolon separated cookies.
	// Quick Fix: First strip the preceeding cookies if not the first.
	if(!StringUtils.startsWithIgnoreCase(cookieString, cookieParamName)) {
		int indexOfIgnoreCase = StringUtils.indexOfIgnoreCase(cookieString, cookieParamName);
		cookieString = cookieString.substring(indexOfIgnoreCase);
	}
	// The proce
	List<HttpCookie> cookies = HttpCookie.parse(cookieString);
	for (HttpCookie httpCookie : cookies) {
		if(StringUtils.equalsIgnoreCase(httpCookie.getName(), name)){
			return httpCookie.getValue();
		}
	}
	return null;
}
 
源代码3 项目: o2oa   文件: LanguageProcessingHelper.java
private boolean skip(Item o) {
	if ((StringUtils.length(o.getValue()) > 1) && (!StringUtils.startsWithAny(o.getValue(), SKIP_START_WITH))
			&& (!StringUtils.endsWithAny(o.getValue(), SKIP_END_WITH))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "b"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "c"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "d"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "e"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "f"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "h"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "k"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "o"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "p"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "q"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "r"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "u"))
			&& (!StringUtils.startsWithIgnoreCase(o.getLabel(), "w")) && (!label_skip_m(o))) {
		return false;
	}
	return true;
}
 
源代码4 项目: OpenEstate-IO   文件: KyeroUtils.java
public static URI parseImageUrlType(String value) {
    value = StringUtils.trimToNull(value);
    if (value == null) return null;
    try {
        if (StringUtils.startsWithIgnoreCase(value, "http://"))
            return new URI(value);
        else if (StringUtils.startsWithIgnoreCase(value, "https://"))
            return new URI(value);
        else if (StringUtils.startsWithIgnoreCase(value, "ftp://"))
            return new URI(value);
        else
            return new URI("http://" + value);
    } catch (URISyntaxException ex) {
        throw new IllegalArgumentException("Can't parse URI value '" + value + "'!", ex);
    }
}
 
源代码5 项目: HtmlUnit-Android   文件: HTMLFormElement.java
/**
 * Submits the form (at the end of the current script execution).
 */
@JsxFunction
public void submit() {
    final HtmlPage page = (HtmlPage) getDomNodeOrDie().getPage();
    final WebClient webClient = page.getWebClient();

    final String action = getHtmlForm().getActionAttribute().trim();
    if (StringUtils.startsWithIgnoreCase(action, JavaScriptURLConnection.JAVASCRIPT_PREFIX)) {
        final String js = action.substring(JavaScriptURLConnection.JAVASCRIPT_PREFIX.length());
        webClient.getJavaScriptEngine().execute(page, js, "Form action", 0);
    }
    else {
        // download should be done ASAP, response will be loaded into a window later
        final WebRequest request = getHtmlForm().getWebRequest(null);
        final String target = page.getResolvedTarget(getTarget());
        final boolean forceDownload = webClient.getBrowserVersion().hasFeature(JS_FORM_SUBMIT_FORCES_DOWNLOAD);
        final boolean checkHash =
                !webClient.getBrowserVersion().hasFeature(FORM_SUBMISSION_DOWNLOWDS_ALSO_IF_ONLY_HASH_CHANGED);
        webClient.download(page.getEnclosingWindow(),
                    target, request, checkHash, forceDownload, "JS form.submit()");
    }
}
 
源代码6 项目: bbs   文件: TextFilterManage.java
/**
 * 处理上传的文件完整路径名称
 * @param html 富文本内容
 * @param item 项目
 * @param newFullFileNameMap 新的完整路径名称 key: 完整路径名称 value: 重定向接口
 * @return
 */
public String processFullFileName(String html,String item,Map<String,String> newFullFileNameMap){
	
	if(!StringUtils.isBlank(html)){
		Document doc = Jsoup.parseBodyFragment(html);

		Elements file_els = doc.select("a[href]");  
		for (Element element : file_els) {  
			String fileUrl = element.attr("href");
			if(fileUrl != null && !"".equals(fileUrl.trim())){
				if(StringUtils.startsWithIgnoreCase(fileUrl, "file/"+item+"/") && newFullFileNameMap.get(fileUrl.trim()) != null){
					element.attr("href",newFullFileNameMap.get(fileUrl.trim()));
					
				}
			}
		}
		//prettyPrint(是否重新格式化)、outline(是否强制所有标签换行)、indentAmount(缩进长度)    doc.outputSettings().indentAmount(0).prettyPrint(false);
		doc.outputSettings().prettyPrint(false);
		html = doc.body().html();
	}
	return html;
}
 
源代码7 项目: XS2A-Sandbox   文件: CookiesUtils.java
public String readCookie(List<String> cookieHeaders, String cookieName) {
	for (String httpCookie : cookieHeaders) {
		if(StringUtils.startsWithIgnoreCase(httpCookie.trim(), cookieName)){
			return httpCookie.trim();
		}
	}
	return null;
}
 
@Override
protected boolean isXmlContentType(final String contentType) {
    if(null == contentType) {
        return false;
    }
    if(StringUtils.startsWithIgnoreCase(contentType, "application/xml")) {
        return true;
    }
    if(StringUtils.startsWithIgnoreCase(contentType, "text/xml")) {
        return true;
    }
    return false;
}
 
源代码9 项目: json-wikipedia   文件: ArticleParser.java
private void setRedirect(Article.Builder article, String mediawiki) {
  for (final String redirect : redirects) {
    if (StringUtils.startsWithIgnoreCase(mediawiki, redirect)) {
      final int start = mediawiki.indexOf("[[") + 2;
      final int end = mediawiki.indexOf("]]");
      if ((start < 0) || (end < 0)) {
        logger.warn("cannot find the redirect {}\n mediawiki: {}", article.getTitle(), mediawiki);
        continue;
      }
      final String r = ArticleHelper.getTitleInWikistyle(mediawiki.substring(start, end));
      article.setRedirect(r);
      article.setType(ArticleType.REDIRECT);
    }
  }
}
 
源代码10 项目: WeBASE-Collect-Bee   文件: AccountInfoController.java
@PostMapping("address/get")
@ApiOperation(value = "get by address", httpMethod = "POST")
public CommonResponse getAccountInfoByContractAddress(@RequestBody @Valid String contractAddress,
        BindingResult result) {
    if (result.hasErrors()) {
        return ResponseUtils.validateError(result);
    }
    if (!StringUtils.startsWithIgnoreCase(contractAddress, "0x")) {
        return ResponseUtils.paramError("Contract address is not valid.");
    }
    return accountInfoApiManager.getAccountInfoByContractAddresss(contractAddress);
}
 
源代码11 项目: vscrawler   文件: StartsWith.java
@Override
protected boolean handle(String input, String searchString, boolean ignoreCase) {
    if (ignoreCase) {
        return StringUtils.startsWithIgnoreCase(input, searchString);
    } else {
        return StringUtils.startsWith(input, searchString);
    }
}
 
源代码12 项目: json-wikipedia   文件: ArticleParser.java
private void setIsList(Article.Builder article) {
  for (final String list : locale.getListIdentifiers()) {
    if (StringUtils.startsWithIgnoreCase(article.getTitle(), list)) {
      article.setType(ArticleType.LIST);
    }
  }
}
 
源代码13 项目: openemm   文件: ComLogonServiceImpl.java
private String getPasswordResetLink(String linkPattern, String username, String token) {
	try {
		String baseUrl = configService.getValue(ConfigValue.SystemUrl);
		String link = linkPattern.replace("{token}", URLEncoder.encode(token, "UTF-8"))
				.replace("{username}", URLEncoder.encode(username, "UTF-8"));

		if (StringUtils.startsWithIgnoreCase(link, "http://") || StringUtils.startsWithIgnoreCase(link, "https://")) {
			return link;
		} else {
			return StringUtils.removeEnd(baseUrl, "/") + "/" + StringUtils.removeStart(link, "/");
		}
	} catch (UnsupportedEncodingException e) {
		throw new RuntimeException(e);
	}
}
 
源代码14 项目: htmlunit   文件: BaseFrameElement.java
/**
 * <span style="color:red">INTERNAL API - SUBJECT TO CHANGE AT ANY TIME - USE AT YOUR OWN RISK.</span><br>
 *
 * Called after the node for the {@code frame} or {@code iframe} has been added to the containing page.
 * The node needs to be added first to allow JavaScript in the frame to see the frame in the parent.
 * @throws FailingHttpStatusCodeException if the server returns a failing status code AND the property
 *      {@link com.gargoylesoftware.htmlunit.WebClientOptions#setThrowExceptionOnFailingStatusCode(boolean)} is
 *      set to true
 */

public void loadInnerPage() throws FailingHttpStatusCodeException {
    String source = getSrcAttribute();
    if (source.isEmpty() || StringUtils.startsWithIgnoreCase(source, WebClient.ABOUT_SCHEME)) {
        source = WebClient.ABOUT_BLANK;
    }

    loadInnerPageIfPossible(source);

    final Page enclosedPage = getEnclosedPage();
    if (enclosedPage != null && enclosedPage.isHtmlPage()) {
        final HtmlPage htmlPage = (HtmlPage) enclosedPage;

        final AbstractJavaScriptEngine<?> jsEngine = getPage().getWebClient().getJavaScriptEngine();
        if (jsEngine != null && jsEngine.isScriptRunning()) {
            final PostponedAction action = new PostponedAction(getPage()) {
                @Override
                public void execute() throws Exception {
                    htmlPage.setReadyState(READY_STATE_COMPLETE);
                }
            };
            jsEngine.addPostponedAction(action);
        }
        else {
            htmlPage.setReadyState(READY_STATE_COMPLETE);
        }
    }
}
 
源代码15 项目: tac   文件: GitRepoService.java
/**
 * 修改为http链接
 *
 * @param gitURL
 * @return
 */
private String change2Http(String gitURL) {

    String realURL = gitURL;
    if (StringUtils.startsWithIgnoreCase(gitURL, "[email protected]")) {
        Matcher matcher = gitPattern.matcher(gitURL);

        if (!matcher.matches()) {

            throw new IllegalStateException("invalid git url" + gitURL);

        }

        String hostName = matcher.group("hostName");
        String port = matcher.group("port");
        String tail = matcher.group("tail");

        if (StringUtils.isEmpty(port)) {
            realURL = String.format("http://%s/%s", hostName, tail);
        } else {
            realURL = String.format("http://%s:%s/%s", hostName, port, tail);
        }

    }

    return realURL;
}
 
源代码16 项目: para   文件: User.java
/**
 * Is the main identifier from a generic OAuth 2.0/OpenID Connect provider.
 * @return true if user is signed in with a generic OAauth 2.0 account
 */
@JsonIgnore
public boolean isOAuth2User() {
	return StringUtils.startsWithIgnoreCase(identifier, Config.OAUTH2_PREFIX) ||
			StringUtils.startsWithIgnoreCase(identifier, Config.OAUTH2_SECOND_PREFIX) ||
			StringUtils.startsWithIgnoreCase(identifier, Config.OAUTH2_THIRD_PREFIX);
}
 
源代码17 项目: openemm   文件: AgnUtils.java
/**
 * @deprecated please use {@link org.apache.commons.lang3.StringUtils#startsWithIgnoreCase(String, String)} instead.
 */
@Deprecated
public static boolean startsWithIgnoreCase(String str, String prefix) {
	return StringUtils.startsWithIgnoreCase(str, prefix);
}
 
源代码18 项目: para   文件: Signer.java
/**
 * Builds, signs and executes a request to an API endpoint using the provided credentials.
 * Signs the request using the Amazon Signature 4 algorithm and returns the response.
 * @param apiClient Jersey Client object
 * @param accessKey access key
 * @param secretKey secret key
 * @param httpMethod the method (GET, POST...)
 * @param endpointURL protocol://host:port
 * @param reqPath the API resource path relative to the endpointURL
 * @param headers headers map
 * @param params parameters map
 * @param jsonEntity an object serialized to JSON byte array (payload), could be null
 * @return a response object
 */
public Response invokeSignedRequest(Client apiClient, String accessKey, String secretKey,
		String httpMethod, String endpointURL, String reqPath,
		Map<String, String> headers, MultivaluedMap<String, String> params, byte[] jsonEntity) {

	boolean isJWT = StringUtils.startsWithIgnoreCase(secretKey, "Bearer");

	WebTarget target = apiClient.target(endpointURL).path(reqPath);
	Map<String, String> signedHeaders = new HashMap<>();
	if (!isJWT) {
		signedHeaders = signRequest(accessKey, secretKey, httpMethod, endpointURL, reqPath,
				headers, params, jsonEntity);
	}

	if (params != null) {
		for (Map.Entry<String, List<String>> param : params.entrySet()) {
			String key = param.getKey();
			List<String> value = param.getValue();
			if (value != null && !value.isEmpty() && value.get(0) != null) {
				target = target.queryParam(key, value.toArray());
			}
		}
	}

	Invocation.Builder builder = target.request(MediaType.APPLICATION_JSON);

	if (headers != null) {
		for (Map.Entry<String, String> header : headers.entrySet()) {
			builder.header(header.getKey(), header.getValue());
		}
	}

	Entity<?> jsonPayload = null;
	if (jsonEntity != null && jsonEntity.length > 0) {
		try {
			jsonPayload = Entity.json(new String(jsonEntity, Config.DEFAULT_ENCODING));
		} catch (IOException ex) {
			logger.error(null, ex);
		}
	}

	if (isJWT) {
		builder.header(HttpHeaders.AUTHORIZATION, secretKey);
	} else {
		builder.header(HttpHeaders.AUTHORIZATION, signedHeaders.get(HttpHeaders.AUTHORIZATION)).
				header("X-Amz-Date", signedHeaders.get("X-Amz-Date"));
	}

	if (Config.getConfigBoolean("user_agent_id_enabled", true)) {
		String userAgent = new StringBuilder("Para client ").append(Para.getVersion()).append(" ").append(accessKey).
				append(" (Java ").append(System.getProperty("java.runtime.version")).append(")").toString();
		builder.header(HttpHeaders.USER_AGENT, userAgent);
	}

	if (jsonPayload != null) {
		return builder.method(httpMethod, jsonPayload);
	} else {
		return builder.method(httpMethod);
	}
}
 
源代码19 项目: mylizzie   文件: ClassicModifiedLeelazAnalyzer.java
@Override
protected boolean isAnalyzingOngoingAfterCommand(String command) {
    return StringUtils.startsWithIgnoreCase(command, "time_left b 0 0");
}
 
private boolean containsBearerAuthorizationHeader(HttpServletRequest request) {
    String authorizationHeader = request.getHeader(HttpHeaders.AUTHORIZATION);
    return StringUtils.startsWithIgnoreCase(authorizationHeader, "bearer");
}
 
 同类方法