Android将一个JS接口注入Web视图:
JavaScriptInterface javaScriptInterface = new JavaScriptInterface(this);
browser.addJavascriptInterface(javaScriptInterface, "qp");
界面如下所示:
public class JavaScriptInterface {
private ILoadEpi iLoadEpi;
public JavaScriptInterface(ILoadEpi iLoadEpi) {
this.iLoadEpi = iLoadEpi;
}
@JavascriptInterface
public void passParameters(String fldMerchCode,
String fldMerchRefNbr,
String fldTxnAmt,
String fldTxnScAmt,
String fldDatTimeTxn,
String fldDate1,
String fldDate2
) {
Log.d("fldMerchCode", fldMerchCode);
Log.d("fldMerchRefNbr", fldMerchRefNbr);
Log.d("fldTxnAmt", fldTxnAmt);
Log.d("fldTxnScAmt", fldTxnScAmt);
Log.d("fldDatTimeTxn", fldDatTimeTxn);
Log.d("fldDate1", fldDate1);
Log.d("fldDate2", fldDate2);
iLoadEpi.loadEpi(fldMerchCode, fldMerchRefNbr, fldTxnAmt, fldTxnScAmt, fldDatTimeTxn, fldDate1, fldDate2);
}
}
使用TypeScript开发的Web应用程序如何调用此Android?
或者更广泛地说,TypeScript应用程序如何调用Android方法?
答案 0 :(得分:5)
为将由Android注入的JavaScriptInterface类型添加TypeScript定义。然后声明一个变量,其中包含Android注入的实例的名称,然后正常使用它。在您的示例中,您需要的定义是:
interface JavaScriptInterface {
passParameters(fldMerchCode: string,
fldMerchRefNbr: string,
fldTxnAmt: string,
fldTxnScAmt: string,
fldDatTimeTxn: string,
fldDate1: string,
fldDate2: string) : void;
}
declare var qp: JavaScriptInterface;
Android注入的qp
实例将提供方法passParameters
。该实例由Android在qp
调用中创建,名称为browser.addJavaScriptInterface(javaScriptInterface, "qp");
。请注意,根据您使用passParameters
函数的方式,您可能需要将返回类型声明为any
而不是void
。
以下是基于Android guide for binding JS的完整示例:
在您的HTML文件中,添加:
<input type="button" value="Say hello" id ="button"/>
<script src="./generated/bundle.js"></script>
我假设您生成/转换的JavaScript相对于HTML文件位于./generated/bundle.js
。
在您的TypeScript文件中,添加:
interface WebAppInterface {
showToast(toast: string) : any;
}
declare var android: WebAppInterface;
var button = document.getElementById('button');
button.onclick = ()=>android.showToast('Hello Android!');
请注意,链接的Android示例命名注入的对象android
:
webView.addJavascriptInterface(new WebAppInterface(this), "android");
如果链接的示例发生变化或消失,这里是示例WebAppInterface.java:
public class WebAppInterface {
Context mContext;
/** Instantiate the interface and set the context */
WebAppInterface(Context c) {
mContext = c;
}
/** Show a toast from the web page */
@JavascriptInterface
public void showToast(String toast) {
Toast.makeText(mContext, toast, Toast.LENGTH_SHORT).show();
}
}