今天在实用webview下载文件的时候,本来是想自己拼接一个文件名的,后来,还是决定直接拿要下载的文件名。
那么怎么获取文件名呢?
其实系统为我们提供了一个很实用的工具类
android webkit包下的URLUtil工具类
获取文件名一个方法搞定
gussFileName()
String fileName = URLUtil.guessFileName(url,contentDisposition,mimetype);
看源码 第一个参数就是要文件的下载url,一定要是文件的下载url,而不是所在的网页的url。也就是说,这个地址是可以直接在浏览器或者迅雷上面下载的。
第二个参数 Content-disposition 是 MIME 协议的扩展,MIME 协议指示 MIME 用户代理如何显示附加的文件
第三个参数 mimetype 返回内容的Mime-type
/**
* Guesses canonical filename that a download would have, using
* the URL and contentDisposition. File extension, if not defined,
* is added based on the mimetype
* @param url Url to the content
* @param contentDisposition Content-Disposition HTTP header or {@code null}
* @param mimeType Mime-type of the content or {@code null}
*
* @return suggested filename
*/
public static final String guessFileName
这几个参数在webview的DownloadListener的监听中返回
mWebview.setDownloadListener(new DownloadListener() {
@Override
public void onDownloadStart(String url, String userAgent, String contentDisposition, String mimetype, long contentLength) {
Log.i(TAG,url + "--" + userAgent + "--" + contentDisposition + "--" + mimetype + "--" + contentLength);
String fileName = URLUtil.guessFileName(url,contentDisposition,mimetype);
}
});
除了guessFileName,URLUtil中还有一些其他比较实用的方法。
比如,下面这个verifyURLEncoding(url)
verifyURLEncoding()
判断url是否正确的编码
/**
* @return {@code true} if the url is correctly URL encoded
*/
static boolean verifyURLEncoding(String url) {
int count = url.length();
if (count == 0) {
return false;
}
int index = url.indexOf('%');
while (index >= 0 && index < count) {
if (index < count - 2) {
try {
parseHex((byte) url.charAt(++index));
parseHex((byte) url.charAt(++index));
} catch (IllegalArgumentException e) {
return false;
}
} else {
return false;
}
index = url.indexOf('%', index + 1);
}
return true;
}
isValidUrl()
判断url是否合法
/**
* @return {@code true} if the url is valid.
*/
public static boolean isValidUrl(String url) {
if (url == null || url.length() == 0) {
return false;
}
return (isAssetUrl(url) ||
isResourceUrl(url) ||
isFileUrl(url) ||
isAboutUrl(url) ||
isHttpUrl(url) ||
isHttpsUrl(url) ||
isJavaScriptUrl(url) ||
isContentUrl(url));
}
这个方法的源码中调用了其他几个比较实用的方法,比如,对http https的判断。我们就不需要单独去写代码,直接调用这个工具类的方法就可以了。
/**
* @return {@code true} if the url is an http: url.
*/
public static boolean isHttpUrl(String url) {
return (null != url) &&
(url.length() > 6) &&
url.substring(0, 7).equalsIgnoreCase("http://");
}
这个是http的判断,代码比我们平常自己写的严谨多了。
还有几个方法也是比较实用的,这里就不一一介绍了,直接源码里面就可以查看。