有一个BookView.class,其私有方法定义如下
public class BookView{
private boolean importBook(String epubBookPath){
//The function that adds books to database.
}
}
我试图从另一个包中调用此函数。我的代码是
protected void onPostExecute(String file_url) {
// dismiss the dialog after the file was downloaded
dismissDialog(progress_bar_type);
/*Now we add the book information to the sqlite file.*/
TextView textView=(TextView)findViewById(R.id.textView1);
String filename = textView.getText().toString();
String baseDir = Environment.getExternalStorageDirectory().getAbsolutePath();
String epubBookPath = baseDir+filename;
Log.i("epubBookPath:",epubBookPath); //No errors till here!
try {
Method m=BookView.class.getDeclaredMethod("importBook");
m.setAccessible(true);//Abracadabra
//I need help from here! How do i pass the epubBookPath to the private importBook method.
} catch (NoSuchMethodException e) {
e.printStackTrace();
}
Intent in = new Intent(getApplicationContext(),
CallEPubUIActivity.class);
startActivity(in);
}
编辑:
我在jar文件中找到了另一个公共方法,它正在完成上述工作。
public void jsImportBook(String epubBookPath) {
if (!BookView.this.importBook(epubBookPath))
return;
BookView.this.createBookshelf();
}
答案 0 :(得分:11)
如果你想这样做,你应该使它public
或制作一个public
包装方法。
如果那是不可能的,你可以绕过它,但这很丑陋和坏,你应该真的这样做的理由。
public boolean importBook(String epubBookPath){
//The function that adds books to database.
}
或
public boolean importBookPublic(String epubBookPath){
return importBook(epubBookPath);
}
private boolean importBook(String epubBookPath){
//The function that adds books to database.
}
另请注意,如果您无法直接在第三方库中访问该方法,那么这种方式很可能是意图。请查看private
方法的call hierarchy,看看您是否找到了public
方法来调用private
方法,并且还可以执行您需要的方法。
库通常以public
方法进行一些检查(所有参数给定,经过身份验证等)的方式设计,然后将调用传递给private
方法来完成实际工作。你几乎从不想解决这个过程。
答案 1 :(得分:8)
使用反射,你需要一个BookView实例来调用方法(除非它是一个静态方法)。
BookView yourInstance = new BookView();
Method m = BookView.class.getDeclaredMethod("importBook");
m.setAccessible(true);//Abracadabra
Boolean result = (Boolean) m.invoke(yourInstance, "A Path"); // pass your epubBookPath parameter (in this example it is "A Path"
您要查找的方法是Method#invoke(Object, Object...)
答案 2 :(得分:2)
使用反射来获取方法并将Accessible
设置为true
,然后使用BookView
对象实例和所需参数(路径字符串)使用方法调用该方法声明如下:
Boolean result = (Boolean)method.invoke(bookObject, epubBookPath);
示例代码如下:
Method method = BookView.getDeclaredMethod("importBook");
method.setAccessible(true);
Boolean result = (Boolean)method.invoke(bookObject, epubBookPath);
答案 3 :(得分:0)
无法在定义的类之外访问私有方法。 公开。