高速なオプションの 1 つ (これが安全かどうかは不明です) は、情報を格納するために必要な属性を使用してプロジェクトにクラスを作成し、このクラスのオブジェクトを MainActivity にインスタンス化することです。次に、フラグメントからそれを参照し、フラグメントの EditText にテキストが変更または導入されるたびに、保存する必要があるデータを入力します (たとえば、属性 EditText1Data 内など)。次に、フラグメント情報を入力したオブジェクトに含まれるデータをDBに保存します。この呼び出されたクラスのコンストラクターの属性にいくつかのデフォルト値を配置して、null スタッフの問題を回避します。これにより、Activity<-->Fragments の両方向でデータを簡単に転送できますが、null ポインター例外が発生する可能性があるため、十分に注意する必要があります。
//これは、Activity と Fragment の間でデータを転送するために使用される Your DataClass です。
public class DataClass {
public String EditText1Value;
public String EditText2Value;
public DataManager()
{
EditText1Value="Default Text";
EditText2Value="Default Text";
}
}
//これは MainActivityClass です
public class MainActivity extends Activity{
//instance of the DataClass to be passed to fragments with the method getDataClass
public DataClass dataClass = new DataClass();
//Main Activity code goes here...
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
//...
}
//This method returns a reference to the DataClass Object
public DataClass getDataClass()
{
//Return this class instance object of the DataClass class
return (dataClass);
}
//Now this is the method to push data to DB, called whenever an activity button is pressed.
private boolean WriteToDB ()
{
//Suppose this receives a String
WritetoDB(dataClass.EditText1Value);
}
}
//そして、これは DataClass オブジェクトを介してデータを送信する Fragment です
public class ExampleFragment extends Fragment {
//Used to reference MainActivityObject and store info
DataClass dataClass;
//Used to Reference Activity's EditTexts
private EditText editText1;
//TextWatcher used to detect the EditText Field Changes
private TextWatcher EditText1_Txtwtr;
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
View v = inflater.inflate(R.layout.whatever_layout, container, false);
editText1= (EditText)v.findViewById(R.id.idEditText1);
setHasOptionsMenu(true);
return v;
}
@Override
public void onResume ()
{
super.onResume();
//code...
//Get MainActivity's DataClass object reference.
dataClass= ((MainActivity)getActivity()).getDataClass();
//store info whenever you need to, not necessarily on each keystroke, and store it in the object, not in the DB
dataClass.EditText1Value = editText1.getText().toString();
// Also, to capture whenever a edittext changes, you can use a textwatcher.
EditText1_Txtwtr= new TextWatcher() {
@Override
public void beforeTextChanged(CharSequence charSequence, int i, int i2, int i3)
{}
@Override
public void afterTextChanged(Editable editable)
{}
@Override
public void onTextChanged(CharSequence charSequence, int i, int i2, int i3)
{
dataClass.EditText1Value = editText1.getText().toString();
}
}
//Asign TextWatcher to your Edit Text.
editText1.addTextChangedListener(EditText1_Txtwtr);
}
}