Резервное копирование и восстановление базы данных SQLite - PullRequest
0 голосов
/ 16 мая 2018

У меня проблема с экспортом базы данных SQLite из моего приложения в локальный файл. Я потратил много времени, используя коды из таких тем: Возможно ли сделать резервную копию и восстановить файл базы данных в Android? некорневые устройства или Резервное копирование и восстановление базы данных SQLite на SDCard .

В моем случае после нажатия кнопки экспорта приложение перестает работать.

Моя деятельность:

NaprawyDB.java (DBHelper)

public class NaprawyDB extends SQLiteOpenHelper {

//Database Version
private static final int DATABASE_VERSION = 1;

private static String dbName = "NaprawyDB";
private static String tableName = "naprawy";
private static String idColumn = "id";
private static String pojazdColumn = "pojazd";
private static String periodColumn = "period";
private static String przebiegColumn = "przebieg";
private static String kwotaColumn = "kwota";
private static String warsztatColumn = "warsztat";
private static String opisColumn = "opis";
private Context context;

public NaprawyDB(Context context) {

    super(context, dbName, null, DATABASE_VERSION);
}


private static final String CREATE_TABLE_NAPRAWY = "create table " + tableName + "(" +
        idColumn + " integer primary key autoincrement, " +
        pojazdColumn + " text, " +
        periodColumn + " text, " +
        przebiegColumn + " text, " +
        kwotaColumn + " text, " +
        warsztatColumn + " text, " +
        opisColumn + " text " +
        ")";

@Override
public void onCreate(SQLiteDatabase sqLiteDatabase) {
    sqLiteDatabase.execSQL(CREATE_TABLE_NAPRAWY);

}

@Override
public void onUpgrade(SQLiteDatabase sqLiteDatabase, int i, int i1) {
    sqLiteDatabase.execSQL("drop table if exists " + tableName);
    onCreate(sqLiteDatabase);

}

public List<Naprawy> findAll() {
    try {
        List<Naprawy> naprawies = new ArrayList<Naprawy>();
        SQLiteDatabase sqLiteDatabase = getWritableDatabase();
        Cursor cursor = sqLiteDatabase.rawQuery("select * from " + tableName, null);
        if (cursor.moveToFirst()) {
            do {
                Naprawy naprawy = new Naprawy();
                naprawy.setId(cursor.getInt(0));
                naprawy.setPojazd(cursor.getString(1));
                naprawy.setPeriod(cursor.getString(2));
                naprawy.setPrzebieg(cursor.getString(3));
                naprawy.setKwota(cursor.getString(4));
                naprawy.setWarsztat(cursor.getString(5));
                naprawy.setOpis(cursor.getString(6));
                naprawies.add(naprawy);


            } while (cursor.moveToNext());

        }
        sqLiteDatabase.close();
        return naprawies;
    } catch (Exception e) {
        return null;
    }

}
public boolean create(Naprawy naprawy){
    try {
        SQLiteDatabase sqLiteDatabase = getWritableDatabase();
        ContentValues contentValues = new ContentValues();
        contentValues.put(pojazdColumn, naprawy.getPojazd());
        contentValues.put(periodColumn, naprawy.getPeriod());
        contentValues.put(przebiegColumn, naprawy.getPrzebieg());
        contentValues.put(kwotaColumn, naprawy.getKwota());
        contentValues.put(warsztatColumn, naprawy.getWarsztat());
        contentValues.put(opisColumn, naprawy.getOpis());
        long rows = sqLiteDatabase.insert(tableName, null, contentValues);
        sqLiteDatabase.close();
        return rows > 0;
    }catch (Exception e) {
        return false;
    }
}
public boolean delete(int id) {
    try {
      SQLiteDatabase sqLiteDatabase = getWritableDatabase();
      int rows = sqLiteDatabase.delete(tableName,idColumn + " = ?", new String[] {String.valueOf(id)});
      sqLiteDatabase.close();
      return rows > 0;

    }catch (Exception e) {
        return false;
    }
}
public void backup(String outFileName) {

    //database path
    final String inFileName = context.getDatabasePath(dbName).toString();

    try {

        File dbFile = new File(inFileName);
        FileInputStream fis = new FileInputStream(dbFile);

        // Open the empty db as the output stream
        OutputStream output = new FileOutputStream(outFileName);

        // Transfer bytes from the input file to the output file
        byte[] buffer = new byte[1024];
        int length;
        while ((length = fis.read(buffer)) > 0) {
            output.write(buffer, 0, length);
        }

        // Close the streams
        output.flush();
        output.close();
        fis.close();

        Toast.makeText(context, "Backup Completed", Toast.LENGTH_SHORT).show();

    } catch (Exception e) {
        Toast.makeText(context, "Unable to backup database. Retry", Toast.LENGTH_SHORT).show();
        e.printStackTrace();
    }
}

Dziennik napraw.java (sth like Основная деятельность)

public class Dziennik_napraw extends AppCompatActivity {


private ListView listViewNaprawy;
FloatingActionButton fab_add;
private Button buttonimport;
private Button buttonexport;
private Button buttonGexport;
private Button buttonGimport;


@Override
protected void onCreate (Bundle saveInstanceState) {
    super.onCreate(saveInstanceState);
    setContentView(R.layout.activity_dziennik_napraw);

    this.fab_add = (FloatingActionButton) findViewById(R.id.fab_dodaj);

    this.fab_add.setOnClickListener(new View.OnClickListener() {
        @Override
        public void onClick(View view) {
            Intent intent1 = new Intent(Dziennik_napraw.this, AddNaprawyActivity.class);
            startActivity(intent1);

        }
    });

    final NaprawyDB naprawyDB = new NaprawyDB(getApplicationContext());
    this.listViewNaprawy = (ListView) findViewById(R.id.listViewNaprawy);
    this.listViewNaprawy.setAdapter(new NaprawyListAdapter(this,  naprawyDB.findAll()));
    this.listViewNaprawy.setOnItemClickListener(new AdapterView.OnItemClickListener() {
        @Override
        public void onItemClick(AdapterView<?> parent, View view, int i, long l) {
            Naprawy naprawy = naprawyDB.findAll().get(i);
            Intent intent1 = new Intent(Dziennik_napraw.this, NaprawyDetailActivity.class);
            intent1.putExtra("naprawy", naprawy);
            startActivity(intent1);



        }
    });
    this.buttonexport = (Button) findViewById(R.id.button_export);
    this.buttonexport.setOnClickListener(new View.OnClickListener() {
        @Override
        public void onClick(View v) {
        String outFileName = Environment.getExternalStorageDirectory() + File.separator + getResources().getString(R.string.app_name) + File.separator;
            performBackup(naprawyDB, outFileName);
        }

    });



}
private void performBackup(final NaprawyDB naprawyDB, final String outFileName) {

    verifyStoragePermissions(this);

    File folder = new File(Environment.getExternalStorageDirectory() + File.separator + getResources().getString(R.string.app_name));

    boolean success = true;
    if (!folder.exists())
        success = folder.mkdirs();
    if (success) {

        AlertDialog.Builder builder = new AlertDialog.Builder(this);
        builder.setTitle("Backup Name");
        final EditText input = new EditText(this);
        input.setInputType(InputType.TYPE_CLASS_TEXT);
        builder.setView(input);
        builder.setPositiveButton("Save", new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialog, int which) {
                String m_Text = input.getText().toString();
                String out = outFileName + m_Text + ".db";
                naprawyDB.backup(out);
            }
        });
        builder.setNegativeButton("Cancel", new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialog, int which) {
                dialog.cancel();
            }
        });

        builder.show();
    } else
        Toast.makeText(this, "Unable to create directory. Retry", Toast.LENGTH_SHORT).show();
}
// Storage Permissions variables
private static final int REQUEST_EXTERNAL_STORAGE = 1;
private static String[] PERMISSIONS_STORAGE = {
        android.Manifest.permission.READ_EXTERNAL_STORAGE,
        Manifest.permission.WRITE_EXTERNAL_STORAGE
};
public static void verifyStoragePermissions(Activity activity) {
    // Check if we have read or write permission
    int writePermission = ActivityCompat.checkSelfPermission(activity, android.Manifest.permission.WRITE_EXTERNAL_STORAGE);
    int readPermission = ActivityCompat.checkSelfPermission(activity, android.Manifest.permission.READ_EXTERNAL_STORAGE);

    if (writePermission != PackageManager.PERMISSION_GRANTED || readPermission != PackageManager.PERMISSION_GRANTED) {
        // We don't have permission so prompt the user
        ActivityCompat.requestPermissions(
                activity,
                PERMISSIONS_STORAGE,
                REQUEST_EXTERNAL_STORAGE
        );
    }
}

}

Вы знаете, где я могу ошибиться? Все базы данных работают нормально. Я могу создавать новые элементы / редактировать / удалять, и результаты отображаются в виде списка. Спасибо за любой ответ:)

Logcat:

05-16 15: 48: 30.341 27280-27280 / com.example.jacek.hondadiagnostic E / AndroidRuntime: FATAL EXCEPTION: main Процесс: com.example.jacek.hondadiagnostic, PID: 27280 java.lang.NullPointerException: попытка вызвать виртуальный метод 'java.io.File android.content.Context.getDatabasePath (java.lang.String)' для ссылки на пустой объект в database.NaprawyDB.backup (NaprawyDB.java:166) на com.example.jacek.hondadiagnostic.Dziennik_napraw $ 4.onClick (Dziennik_napraw.java:109) на android.support.v7.app.AlertController $ ButtonHandler.handleMessage (AlertController.java:166) на android.os.Handler.dispatchMessage (Handler.java) на android.os.Looper.loop (Looper.java) на android.app.ActivityThread.main (ActivityThread.java) в java.lang.reflect.Method.invoke (родной метод) в java.lang.reflect.Method.invoke (Method.java:372) на com.android.internal.os.ZygoteInit $ MethodAndArgsCaller.run (ZygoteInit.java) на com.android.internal.os.ZygoteInit.main (ZygoteInit.java)

из Logcat У меня есть информация, которую я хочу сделать резервную копию с нулевой ссылкой на объект.

1 Ответ

0 голосов
/ 16 мая 2018

Исключение говорит о том, что ваше контекстное поле пусто. И это правда, потому что вы никогда не назначали ему значение.

private Context context;

public NaprawyDB(Context context) {
    super(context, dbName, null, DATABASE_VERSION);
    this.context = context; //<--- this line is missing.
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...