Ожидаемый BEGIN_OBJECT, но был NUMBER в строке 1 столбца 14 path $ с Object и SQLite - PullRequest
0 голосов
/ 20 апреля 2020

Я пытаюсь сохранить объект уведомления Android в базе данных SQLite и получаю сообщение об ошибке.

Во-первых, прежде чем я объясню ошибку, позвольте мне объяснить, что работает. У меня есть класс NotificationListenerService, который прослушивает уведомления и блокирует их отображение. Вы можете увидеть это в классе ниже. Когда уведомления заблокированы, я хочу сохранить их в БД SQLite. Однако моя проблема заключалась в том, как сохранить объект Notification в базе данных, поэтому я пошел по GSON к маршруту JSON. Поэтому, когда уведомление уничтожается, оно преобразует объект Notification в Json и сохраняет его в базе данных (наряду с некоторыми другими вещами).

NotificationListenerService:

public class NotificationListenerServiceUsage extends NotificationListenerService {
    private static final String TAG = "NotificationListenerSer";


    @Override
    public IBinder onBind(Intent intent) {
        return super.onBind(intent);
    }

    @Override
    public void onNotificationPosted(StatusBarNotification sbn){
        cancelAllNotifications();
    }

    @Override
    public void onNotificationRemoved(StatusBarNotification sbn){
        // 1. Getting DB Context and initializing SQLiteDatabase
        Context context = getApplicationContext();
        SQLiteDatabase sqLiteDatabase = context.openOrCreateDatabase("notifications", Context.MODE_PRIVATE,null);

        // 2. Initialize the DBHelper class.
        DBHelper dbHelper = new DBHelper(sqLiteDatabase);

        // 3. Getting the content for the DB
        String notificationKey = sbn.getKey();
        Integer notificationID = sbn.getId();
        long postTime = sbn.getPostTime();
        Notification notificationContent = sbn.getNotification();

        // 3.1 Converting the Notification Object into a String
        Gson gson = new Gson();
        String notificationInput = gson.toJson(notificationContent);


        // 4. Saving into the DB
        dbHelper.saveNotifications(notificationKey, notificationID, postTime, notificationInput);

        // FOR TESTING PURPOSES
        Notification finalNotificationObj = gson.fromJson(notificationInput, Notification.class);

        // FOR TESTING PURPOSES
        Log.d(TAG, "onNotificationRemoved: " + "INPUT: " + notificationContent);
        Log.d(TAG, "onNotificationRemoved: " + "JSON: " + notificationInput);
        Log.d(TAG, "onNotificationRemoved: " + "OUTPUT: " + finalNotificationObj );
    }

}

И полученное Json, которое будет обработано, будет ниже:

{
   "audioAttributes":{
      "mContentType":4,
      "mFlags":2048,
      "mFormattedTags":"",
      "mSource":-1,
      "mUsage":5
   },
   "audioStreamType":-1,
   "color":0,
   "defaults":0,
   "extras":{
      "mParcelledData":{
         "mNativePtr":3569564416
      }
   },
   "flags":0,
   "icon":2131230820,
   "iconLevel":0,
   "ledARGB":0,
   "ledOffMS":0,
   "ledOnMS":0,
   "mChannelId":"channel1",
   "mSmallIcon":{
      "mString1":"com.example.finalproject",
      "mType":2
   },
   "number":0,
   "priority":1,
   "visibility":0,
   "when":1587406911152
}

Так что же проблема?

Я могу успешно сохранить строку Json в базе данных, но когда я вытаскиваю ее обратно из базы данных и пытаюсь преобразовать обратно в объект уведомления, я получаю IllegalStateException. Трассировка стека приведена ниже для справки. У меня есть ощущение, что есть проблема при сохранении строки Json и ее извлечении, потому что в приведенном выше файле прослушивателя Notificaiton я только что зарегистрировал несколько вещей, и преобразование в Json и обратно прошло успешно и точно совпало. Ниже я использую вспомогательный класс Database, который показывает, как вещи хранятся и извлекаются. Ошибка в вопросах возникает в методе readNotifications ().

Есть мысли о том, почему происходит эта ошибка?

Класс доступа к базе данных:

public class DBHelper {
    SQLiteDatabase sqLiteDatabase;
    private static final String TAG = "DBHelper";

    public DBHelper(SQLiteDatabase sqLiteDatabase) {
        this.sqLiteDatabase = sqLiteDatabase;
    }

    public void createTable (){
        sqLiteDatabase.execSQL("CREATE TABLE  IF NOT EXISTS notifications" + "(notificationKey TEXT, notificationID INTEGER, postTime BIGINT, notificatoinContent TEXT)");
    }

    public ArrayList<NotificationObject> readNotifications(){
        // 1. Checking the table and creating a NotificationObject instance
        createTable();
        ArrayList<NotificationObject> notificationObjects = new ArrayList<>();

        // 2. Starting the cursor at the top of the notification Table
        Cursor c = sqLiteDatabase.rawQuery(("SELECT * from notifications"), null);

        // 3. Gets the index of all of the columns so that the cursor can reference it from the row
        int keyIndex = c.getColumnIndex("notificationKey");
        int notificationIDIndex = c.getColumnIndex("notificationID");
        int postTimeIndex = c.getColumnIndex("postTime");
        int notificationContentIndex = c.getColumnIndex("postTime");

        // 4. Moves the cursor to the top
        c.moveToFirst();

        // 5. While loop to loop through all the rows
        while (!c.isAfterLast()){

            // 5.1 Getting all of the values from row of the cursor
            String notificationKey = c.getString(keyIndex);
            Integer notificationID = c.getInt(notificationIDIndex);
            long postTime = c.getLong(postTimeIndex);
            String notificationContent = c.getString(notificationContentIndex);

            // 5.2 Converting Notification content back to Notification Object
            Gson gson = new Gson();
            Notification finalNotificationObj = gson.fromJson(notificationContent, Notification.class);

            // 5.3 Adds all of the content to the NotificationObject Object
            NotificationObject notificationObject = new NotificationObject(notificationKey, notificationID, postTime, finalNotificationObj);

            // 5.4 Adds the notificationObject to the arraylist
            notificationObjects.add(notificationObject);
            c.moveToNext();
        }
        c.close();
        sqLiteDatabase.close();
        return notificationObjects;
    }

    public void saveNotifications (String notificationKey, Integer notificationID, long postTime, String notificationContent){

        createTable();
        sqLiteDatabase.execSQL(String.format("INSERT INTO notifications (notificationKey, notificationID, postTime, notificatoinContent)" +
                " VALUES ('%s', '%s', '%s', '%s')", notificationKey, notificationID, postTime, notificationContent));
    }
}

Трассировка стека:

2020-04-20 13:55:52.881 12060-12060/com.example.finalproject E/AndroidRuntime: FATAL EXCEPTION: main
    Process: com.example.finalproject, PID: 12060
    java.lang.IllegalStateException: Could not execute method for android:onClick
        at androidx.appcompat.app.AppCompatViewInflater$DeclaredOnClickListener.onClick(AppCompatViewInflater.java:390)
        at android.view.View.performClick(View.java:7125)
        at android.view.View.performClickInternal(View.java:7102)
        at android.view.View.access$3500(View.java:801)
        at android.view.View$PerformClick.run(View.java:27336)
        at android.os.Handler.handleCallback(Handler.java:883)
        at android.os.Handler.dispatchMessage(Handler.java:100)
        at android.os.Looper.loop(Looper.java:214)
        at android.app.ActivityThread.main(ActivityThread.java:7356)
        at java.lang.reflect.Method.invoke(Native Method)
        at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492)
        at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:930)
     Caused by: java.lang.reflect.InvocationTargetException
        at java.lang.reflect.Method.invoke(Native Method)
        at androidx.appcompat.app.AppCompatViewInflater$DeclaredOnClickListener.onClick(AppCompatViewInflater.java:385)
        at android.view.View.performClick(View.java:7125) 
        at android.view.View.performClickInternal(View.java:7102) 
        at android.view.View.access$3500(View.java:801) 
        at android.view.View$PerformClick.run(View.java:27336) 
        at android.os.Handler.handleCallback(Handler.java:883) 
        at android.os.Handler.dispatchMessage(Handler.java:100) 
        at android.os.Looper.loop(Looper.java:214) 
        at android.app.ActivityThread.main(ActivityThread.java:7356) 
        at java.lang.reflect.Method.invoke(Native Method) 
        at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492) 
        at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:930) 
     Caused by: com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 14 path $
        at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$Adapter.read(ReflectiveTypeAdapterFactory.java:226)
        at com.google.gson.Gson.fromJson(Gson.java:932)
        at com.google.gson.Gson.fromJson(Gson.java:897)
        at com.google.gson.Gson.fromJson(Gson.java:846)
        at com.google.gson.Gson.fromJson(Gson.java:817)
        at com.example.finalproject.BatchNotifications.DBHelper.readNotifications(DBHelper.java:54)
        at com.example.finalproject.BatchNotifications.Batch_Notifications.getHeldNotifications(Batch_Notifications.java:290)
        at java.lang.reflect.Method.invoke(Native Method) 
        at androidx.appcompat.app.AppCompatViewInflater$DeclaredOnClickListener.onClick(AppCompatViewInflater.java:385) 
        at android.view.View.performClick(View.java:7125) 
        at android.view.View.performClickInternal(View.java:7102) 
        at android.view.View.access$3500(View.java:801) 
        at android.view.View$PerformClick.run(View.java:27336) 
        at android.os.Handler.handleCallback(Handler.java:883) 
        at android.os.Handler.dispatchMessage(Handler.java:100) 
        at android.os.Looper.loop(Looper.java:214) 
        at android.app.ActivityThread.main(ActivityThread.java:7356) 
        at java.lang.reflect.Method.invoke(Native Method) 
        at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492) 
        at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:930) 
     Caused by: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 14 path $
        at com.google.gson.stream.JsonReader.beginObject(JsonReader.java:386)
        at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$Adapter.read(ReflectiveTypeAdapterFactory.java:215)
        at com.google.gson.Gson.fromJson(Gson.java:932) 
        at com.google.gson.Gson.fromJson(Gson.java:897) 
        at com.google.gson.Gson.fromJson(Gson.java:846) 
        at com.google.gson.Gson.fromJson(Gson.java:817) 
        at com.example.finalproject.BatchNotifications.DBHelper.readNotifications(DBHelper.java:54) 
        at com.example.finalproject.BatchNotifications.Batch_Notifications.getHeldNotifications(Batch_Notifications.java:290) 
        at java.lang.reflect.Method.invoke(Native Method) 
        at androidx.appcompat.app.AppCompatViewInflater$DeclaredOnClickListener.onClick(AppCompatViewInflater.java:385) 
        at android.view.View.performClick(View.java:7125) 
        at android.view.View.performClickInternal(View.java:7102) 
        at android.view.View.access$3500(View.java:801) 
        at android.view.View$PerformClick.run(View.java:27336) 
        at android.os.Handler.handleCallback(Handler.java:883) 
        at android.os.Handler.dispatchMessage(Handler.java:100) 
        at android.os.Looper.loop(Looper.java:214) 
        at android.app.ActivityThread.main(ActivityThread.java:7356) 
        at java.lang.reflect.Method.invoke(Native Method) 
        at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492) 
        at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:930) 

1 Ответ

0 голосов
/ 20 апреля 2020

Ответ был в классе помощника по базам данных, размещенном выше. На шаге 3 метода readNotifications строка

int notificationContentIndex = c.getColumnIndex("postTime");

была указана на неправильный столбец. Он указывал на столбец postTime, который возвращал значение типа int вместо строки JSON. Передача этого int в преобразователь GSON / JSON привела к вышеуказанной ошибке. Указание на правильный столбец решило проблему.

...