当前位置: 首页 > 工具软件 > VideoCache > 使用案例 >

AndroidVideoCache库的基本使用

柏明亮
2023-12-01

开发中遇到需要缓存的需求,一开始我是用DiskLruCache,但是在获取缓存的时候遇到点麻烦,获取缓存返回的是输入流,可以直接通过工厂类转换到图片,但是没有直接转为音频的方式,所以,找到AndroidVideoCache这个库,集成简单,方便易用。

第一步:添加依赖

dependencies {
    compile 'com.danikula:videocache:2.7.1'
}

第二步:初始化

public class App extends Application {

    private HttpProxyCacheServer proxy;

    public static HttpProxyCacheServer getProxy(Context context) {
        App app = (App) context.getApplicationContext();
        return app.proxy == null ? (app.proxy = app.newProxy()) : app.proxy;
    }

    private HttpProxyCacheServer newProxy() {
        return new HttpProxyCacheServer(this);
    }
}

这一段主要是获取一个本地访问代理服务

第三步:使用代理地址

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);

    HttpProxyCacheServer proxy = getProxy();
    String proxyUrl = proxy.getProxyUrl(VIDEO_URL);
    videoView.setVideoPath(proxyUrl);
}

比如在onCreate中调用代理服务对原地址进行一层包装,再设置给播放器

基本使用就是这样。

 

如果要设置缓存区大小,可以进行如下修改:

private HttpProxyCacheServer newProxy() {
    return new HttpProxyCacheServer.Builder(this)
            .maxCacheSize(1024 * 1024 * 1024)       // 1 Gb for cache
            .build();
}

private HttpProxyCacheServer newProxy() {
    return new HttpProxyCacheServer.Builder(this)
            .maxCacheFilesCount(20)
            .build();
}

上面是设置缓存区的值,下面是设置缓存个数,两种方式只能用一种

 

另外,业务需求上会对缓存文件做一些操作,这时候需要对缓存文件重命名,可以继承FileNameGenerator,实现如下:

public class MyFileNameGenerator implements FileNameGenerator {

    // Urls contain mutable parts (parameter 'sessionToken') and stable video's id (parameter 'videoId').
    // e. g. http://example.com?videoId=abcqaz&sessionToken=xyz987
    public String generate(String url) {
        Uri uri = Uri.parse(url);
        String videoId = uri.getQueryParameter("videoId");
        return videoId + ".mp4";
    }
}

...
HttpProxyCacheServer proxy = HttpProxyCacheServer.Builder(context)
    .fileNameGenerator(new MyFileNameGenerator())
    .build()

通过generate()方法可以对传入的url进行自定义操作,然后返回需要的自定义文件名

 类似资料: