片段内部类应该是静态的


69

我有一个FragmentActivity应该显示内部类的类Dialog。但是我必须做到static。Eclipse为我提供了抑制错误的方法@SuppressLint("ValidFragment")。如果我这样做不好,会带来什么后果?

public class CarActivity extends FragmentActivity {
//Code
  @SuppressLint("ValidFragment")
  public class NetworkConnectionError extends DialogFragment {
    private String message;
    private AsyncTask task;
    private String taskMessage;
    @Override
    public void setArguments(Bundle args) {
      super.setArguments(args);
      message = args.getString("message");
    }
    public void setTask(CarActivity.CarInfo task, String msg) {
      this.task = task;
      this.taskMessage = msg;
    }
    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {
      // Use the Builder class for convenient dialog construction
      AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
      builder.setMessage(message).setPositiveButton("Go back", new DialogInterface.OnClickListener() {
        @Override
        public void onClick(DialogInterface dialog, int id) {
          Intent i = new Intent(getActivity().getBaseContext(), MainScreen.class);
          startActivity(i);
        }
      });
      builder.setNegativeButton("Retry", new DialogInterface.OnClickListener() {
        @Override
        public void onClick(DialogInterface dialog, int id) {
          startDownload();
        }
      });
      // Create the AlertDialog object and return it
      return builder.create();
    }
  }

startDownload() 启动Asynctask。


2
一般而言,忽略皮棉的不良做法。这是一个非常聪明的工具。尝试发布您的代码,以实际获得如何做得更好的答案。
Stefan de Bruijn 2013年

您是否已检查此code.google.com/p/android/issues/detail?id=41800以了解ValidFragment与之有关?皮棉说:“每个片段都必须有一个空的构造函数,这样它才能被实例化”
sandrstar 2013年

是的 但是我不明白为什么我不应该忽略这个警告。有什么可能的后果?
user2176737 2013年

Answers:


93

非静态内部类确实保留对其父类的引用。将Fragment内部类设为非静态的问题是,您始终持有对Activity的引用。该GarbageCollector无法收集您的活动。因此,如果方向发生变化,您可以“泄漏”活动。因为Fragment可能仍然存在并被插入新的Activity中

编辑:

由于有人问我一些示例,所以我开始写一个示例,与此同时,我在使用非静态片段时发现了更多问题:

  • 它们不能在xml文件中使用,因为它们没有空的构造函数(它们可以有空的构造函数,但是您通常通过执行实例化非静态嵌套类myActivityInstance.new Fragment(),这与仅调用空的构造函数不同)
  • 它们根本无法重用-因为FragmentManager有时也会调用此空构造函数。如果您在某些事务中添加了片段

因此,为了使示例工作正常,我必须添加

wrongFragment.setRetainInstance(true);

更改方向时不要使应用程序崩溃的行。

如果执行此代码,您将有一个带有一些文本视图和2个按钮的活动-这些按钮会增加一些计数器。碎片显示了他们认为自己的活动所具有的方向。开始时,一切正常。但是,在更改了屏幕方向后,只有第一个Fragment可以正常工作-第二个Fragment仍在按其旧活动调用东西。

我的活动课:

package com.example.fragmenttest;

import android.annotation.SuppressLint;
import android.app.Activity;
import android.app.Fragment;
import android.app.FragmentTransaction;
import android.content.res.Configuration;
import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Button;
import android.widget.LinearLayout;
import android.widget.TextView;

public class WrongFragmentUsageActivity extends Activity
{
private String mActivityOrientation="";
private int mButtonClicks=0;
private TextView mClickTextView;


private static final String WRONG_FRAGMENT_TAG = "WrongFragment" ;

@Override
protected void onCreate(Bundle savedInstanceState)
{
    super.onCreate(savedInstanceState);
    int orientation = getResources().getConfiguration().orientation;
    if (orientation == Configuration.ORIENTATION_LANDSCAPE)
    {
        mActivityOrientation = "Landscape";
    }
    else if (orientation == Configuration.ORIENTATION_PORTRAIT)
    {
        mActivityOrientation = "Portrait";
    }

    setContentView(R.layout.activity_wrong_fragement_usage);
    mClickTextView = (TextView) findViewById(R.id.clicksText);
    updateClickTextView();
    TextView orientationtextView = (TextView) findViewById(R.id.orientationText);
    orientationtextView.setText("Activity orientation is: " + mActivityOrientation);

    Fragment wrongFragment = (WrongFragment) getFragmentManager().findFragmentByTag(WRONG_FRAGMENT_TAG);
    if (wrongFragment == null)
    {
        wrongFragment = new WrongFragment();
        FragmentTransaction ft = getFragmentManager().beginTransaction();
        ft.add(R.id.mainView, wrongFragment, WRONG_FRAGMENT_TAG);
        ft.commit();
        wrongFragment.setRetainInstance(true); // <-- this is important - otherwise the fragment manager will crash when readding the fragment
    }
}

private void updateClickTextView()
{
    mClickTextView.setText("The buttons have been pressed " + mButtonClicks + " times");
}

private String getActivityOrientationString()
{
    return mActivityOrientation;
}


@SuppressLint("ValidFragment")
public class WrongFragment extends Fragment
{


    @Override
    public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState)
    {
        LinearLayout result = new LinearLayout(WrongFragmentUsageActivity.this);
        result.setOrientation(LinearLayout.VERTICAL);
        Button b = new Button(WrongFragmentUsageActivity.this);
        b.setText("WrongFragmentButton");
        result.addView(b);
        b.setOnClickListener(new View.OnClickListener()
        {
            @Override
            public void onClick(View v)
            {
                buttonPressed();
            }
        });
        TextView orientationText = new TextView(WrongFragmentUsageActivity.this);
        orientationText.setText("WrongFragment Activities Orientation: " + getActivityOrientationString());
        result.addView(orientationText);
        return result;
    }
}

public static class CorrectFragment extends Fragment
{
    private WrongFragmentUsageActivity mActivity;


    @Override
    public void onAttach(Activity activity)
    {
        if (activity instanceof WrongFragmentUsageActivity)
        {
            mActivity = (WrongFragmentUsageActivity) activity;
        }
        super.onAttach(activity);
    }

    @Override
    public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState)
    {
        LinearLayout result = new LinearLayout(mActivity);
        result.setOrientation(LinearLayout.VERTICAL);
        Button b = new Button(mActivity);
        b.setText("CorrectFragmentButton");
        result.addView(b);
        b.setOnClickListener(new View.OnClickListener()
        {
            @Override
            public void onClick(View v)
            {
                mActivity.buttonPressed();
            }
        });
        TextView orientationText = new TextView(mActivity);
        orientationText.setText("CorrectFragment Activities Orientation: " + mActivity.getActivityOrientationString());
        result.addView(orientationText);
        return result;
    }
}

public void buttonPressed()
{
    mButtonClicks++;
    updateClickTextView();
}

}

请注意,onAttach如果要在不同的“活动”中使用“片段”,则可能不应该强制使用该活动-但此处适用于示例。

activity_wrong_fragement_usage.xml:

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".WrongFragmentUsageActivity" 
android:id="@+id/mainView">

<TextView
    android:id="@+id/orientationText"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:text="" />

<TextView
    android:id="@+id/clicksText"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:text="" />



<fragment class="com.example.fragmenttest.WrongFragmentUsageActivity$CorrectFragment"
          android:id="@+id/correctfragment"
          android:layout_width="wrap_content"
          android:layout_height="wrap_content" />


</LinearLayout>

非常有趣且可能非常有用的答案。我正在处理同一个问题。您介意放弃答案所依据的某种来源吗?
Egis

3
@Egis也许可以为您提供有关嵌套静态内部类的一些见解:docs.oracle.com/javase/tutorial/java/javaOO/nested.html
AxeEffect 2013年

1
您对此答案有参考吗?
Mike T

我相信WrongFragment实例将保持对旧Activity实例(WrongFragmentActivity.this在中使用onCreateView())的引用,因为该事实WrongFragment.onCreateView()不会被再次调用;与通过XML布局文件元素来支持CorrectFragment的新实例相反,该视图永远不会通过setRetainInstance(true)和“保留”该片段来重新创建。您所描述的Android体系结构的次要点和副产品,但值得理解。findFragmentByTag()fragment
MeanderingCode'3

onAttach已弃用
2016年

18

我不会谈论内部片段,而更具体地说,是关于活动中定义的DialogFragment的信息,因为它占该问题的99%。
从我的角度来看,我不希望DialogFragment(您的NetworkConnectionError)是静态的,因为我希望能够从其中的包含类(活动)调用变量或方法。
它不会是静态的,但我也不想生成memoryLeaks。
解决办法是什么?
简单。当您进入onStop时,请确保杀死DialogFragment。就这么简单。代码看起来像这样:

public class CarActivity extends AppCompatActivity{

/**
 * The DialogFragment networkConnectionErrorDialog 
 */
private NetworkConnectionError  networkConnectionErrorDialog ;
//...  your code ...//
@Override
protected void onStop() {
    super.onStop();
    //invalidate the DialogFragment to avoid stupid memory leak
    if (networkConnectionErrorDialog != null) {
        if (networkConnectionErrorDialog .isVisible()) {
            networkConnectionErrorDialog .dismiss();
        }
        networkConnectionErrorDialog = null;
    }
}
/**
 * The method called to display your dialogFragment
 */
private void onDeleteCurrentCity(){
    FragmentManager fm = getSupportFragmentManager();
     networkConnectionErrorDialog =(DeleteAlert)fm.findFragmentByTag("networkError");
    if(networkConnectionErrorDialog ==null){
        networkConnectionErrorDialog =new DeleteAlert();
    }
    networkConnectionErrorDialog .show(getSupportFragmentManager(), "networkError");
}

这样一来,您可以避免内存泄漏(因为它很糟糕),并确保您没有一个无法访问您活动的字段和方法的[完整]静态片段。从我的角度来看,这是解决该问题的好方法。


看起来不错,但是生成apk时会出现错误,例如下面提到的@hakri Reddy
Shirish Herwade

是的,但这不是因为皮棉不够聪明,我们需要“像它一样愚蠢”,所以使用该技术消除了漏油(CanaryLeak将向您展示)...顺便说一句,我首先使用可以检测我可以在代码中完成的其他错误,修复我认为需要解决的问题,然后使用abortOnError false将其运行。在某些项目中,我根据此特定规则(“内部类应该是静态的”降至弱警告)自定义Lint
Mathias Seguy Android2ee

哦...但是,在我的情况下,实际的APK生成是由坐在美国办公室的其他团队(我在印度,并且我仅提供git代码存储库链接)完成的,因为它们不会将公司签名证书文件共享给任何人。因此,他们绝对不会听我的理由,也不会更改设置:(
Shirish Herwade

是的,有时不仅存在技术限制:),而且我们必须接受它们:)
Mathias Seguy Android2ee

这种方法给了我Fragment must be a public static class crash error
leonardkraemer

5

如果您在android studio中开发它,那么如果您不将其设置为static,就没有问题。该项目将运行而没有任何错误,并且在生成apk时,您将得到错误:此片段内部类应为静态[ValidFragment]

多数民众赞成在lint错误,您可能正在使用gradle构建,以禁用错误中止,请添加:

lintOptions {
    abortOnError false
}

build.gradle。`


8
是的,它将通过构建过程,但是以这种方式使用是否正确?因为存在内存泄漏问题,这就是android studio警告我们的原因。
XcodeNOOB

有时我认为abortOnError为false很难,我更喜欢自定义lint的规则“ Inner class应该是静态的”而不是weakwarning或info。
Mathias Seguy Android2ee

5

如果要访问外部类(Activity)的成员,但又不想使成员在Activity中是静态的(因为片段应该是公共静态的),则可以重写onActivityCreated

public static class MyFragment extends ListFragment {

    private OuterActivityName activity; // outer Activity

    @Override
    public void onActivityCreated(Bundle savedInstanceState) {
        super.onActivityCreated(savedInstanceState);
        activity = (OuterActivityName) getActivity();
        ...
        activity.member // accessing the members of activity
        ...
     }

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.