Deeplink使用

一:deeplink

DeepLink:

深度链接技术,主要应用场景是通过Web页面直接调用Android原生app,并且把需要的参数通过Uri的形式,直接传递给app,例如可以直接在短信内的http/https连接打开应用。

Applink:

与deeplink一样,区别在于applink用于是在6.0及以上系统,deeplink在点击连接时,会让用户选择启动的应用,applink是直接打开应用没有询问的弹窗。

目前Android源码提供的是一个双向认证的方案:在APP安装的时候,客户端根据APP配置像服务端请求,如果满足条件,scheme跟服务端配置匹配的上,就为APP设置默认启动选项,若校验失败则和deepink一致。applink在使用时候,需要在xml中对页面配置autoverify=true;

二:项目内实现

引入的第三方库:https://github.com/airbnb/DeepLinkDispatch

目前已上线的i版地址中存在"aaaa/bbbb/id"、"aaaaa/id"、"aaaaa/id/bbbb"等等没有一个统一规则的连接,为了适配已上线的地址,引入DeepLinkDispatch,具体使用及原理看上面连接。

项目代码:

AppDeepLinkModule:通过Deeplink注解,传入对应的连接就可以映射到对应的方法。

@DeepLink({
    "http://xxxxx/xxxx/xxxx",
    "https://xxxx/xxxx/xxxx"})
public static Intent intentAAAMethod(Context context, Bundle extras) {
    long id = DeeplinkUtils.getId(extras, DeeplinkUtils.PATH_TYPE_ONE);
    if (id <= 0) {
        return null;
    }
    Intent intent = new Intent(xxx,xxxx);
    return intent;
}

DeeplinkRouterNewActivity:deeplink分发页面,点击跳转连接后先调起该页面然后进行分发,默认先启动首页,之后跳转到对应的页面,如果没有对应的页面,则留在首页。

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        toHome();
        DeepLinkDelegate deepLinkDelegate =
            new DeepLinkDelegate(new AppDeepLinkModuleLoader());
        deepLinkDelegate.dispatchFrom(this);
        finish();
    }

DeeplinkUtils:参数处理,通过getid获取对应参数,如果只有一个参数,并且名字为id,则通过这个通用方法获取即可(参数可以在query或者path中)。

public class DeeplinkUtils {

public static final String PATH_TYPE_ONE = "/[a-zA-Z]+/[a-zA-Z]+/(\\d+)";
public static final String PATH_TYPE_TWO = "/[a-zA-Z]+/(\\d+)";
public static final String PATH_TYPE_THERE = "/[a-zA-Z]+/(\\d+)+/[a-zA-Z]";

/**
 * 通用取参数-参数在path中
 * */
public static long getPathParamsOne(String path, String PATH_TYPE_ONE) {
    try {
        Pattern pattern = Pattern.compile(PATH_TYPE_ONE);
        Matcher matcher = pattern.matcher(path);
        String result = "";
        if (matcher.find()) {
            result = matcher.group(1);
        }
        return Long.valueOf(result);
    } catch (Exception ex) {
        return 0;
    }
}

/**
 * 通用去参数-参数在query中,名字为id
 * */
public static long getQueryParams(String query) {
    UrlParse urlParse = new UrlParse();
    urlParse.parser(query);
    if (urlParse.strUrlParas.size() > 0) {
        return Long.valueOf(urlParse.strUrlParas.get("id"));
    }
    return 0;
}

/**
 * 取参数id
 * */
public static long getId(Bundle extras, String type) {
    Uri uri = Uri.parse(extras.getString(DeepLink.URI));
    String query = uri.getQuery();
    long id = 0;
    if (!TextUtils.isEmpty(query)) {
        id = DeeplinkUtils.getQueryParams(query);
    } else {
        id = DeeplinkUtils.getPathParamsOne(uri.getPath(), type);
    }
    return id;
}
}

注:android手机浏览器有自带的,有第三方的,每个机型不同浏览器不同,对http/https的识别也不同,目前自测chrome浏览器可以识别,自带浏览器分机型识别

你可能感兴趣的:(Deeplink使用)