Save and restore view state via reflection

 

This week I had to write an RCP program that had a simple view. This view needed to remember its contents if you closed the application down and started it back up. The traditional way to do this is to implement the init() and restore() methods of the View class, like this:
 

public class TestView extends ViewPart {
   public void saveState(IMemento memento) {
      // save state here
   }
   public void init(IViewSite site, IMemento memento) throws PartInitException {
      super.init(site, memento);
      // restore from state here
   }
   // ... rest of code
}



Inside these two methods you basically need to serialize and deserialize your state using the IMemento interface. The problem is that every time you change your view (add or remove a control) you would need to remember to change the save and get code as well.

After forgetting that a few times I decided I needed an easier way. Ideally it would "just work" and adjust to any change I made in my view without code changes. This turned out to be easier than I thought by using Java reflection.

The StateUtil class I wrote has static methods called saveState() and init() that mimic the View methods. It's not a direct mapping though because you have to wait until the controls in the view are created by View.createPartControl() before you can actually call StateUtil.init(). So what you do is remember the memento passed into View.init() and then call StateUtil.init() later with that memento when the view has been created.

StateUtil looks like this:
 

/** Utility for saving and restoring fields in a view (could have other uses). */
public class StateUtil {
   // ... other stuff discussed below
 
   /** Save the state of an object into a memento by using reflection. */
   public static void saveState(Object object, IMemento memento) {
      getSaveFields(object, memento, true);
   }
 
   /** Get the state of an object from a memento by using reflection. */
   public static void init(Object object, IMemento memento) {
      getSaveFields(object, memento, false);
   }
}



I wanted to combine the getting and saving together so the code for the two would be very close together. The meat of the class is the getSaveFields() method. It iterates through all the fields and calls a get/save method for each type of field:
 

   private static void getSaveFields(Object object, IMemento memento, boolean save) {
      Class clazz = object.getClass();
      Field[] fields = clazz.getDeclaredFields();
      for (int i = 0; i < fields.length; i++) {
         try {
            Field field = fields[i];
 
            // supress normal Java access checking, otherwise you'll get a security exception
            field.setAccessible(true);
 
            if (field.getType() == Combo.class) {
               getSaveCombo(object, field, memento, save);
            } else if (field.getType() == Text.class) {
               getSaveText(object, field, memento, save);
            }
 
         } catch (IllegalArgumentException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
         } catch (IllegalAccessException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
         }
      }
   }



Error handling is left as an exercise for the reader. Also note that code requires an exact class match so it doesn't handle subclasses. It's not a problem with SWT but if you were using this for something else you'd probably want to get the actual field and use the instanceof operator.

All that's left is to define your get/save methods for each of your supported types. In this example I'm only supporting Text and Combo fields, so I have:
 

경축! 아무것도 안하여 에스천사게임즈가 새로운 모습으로 재오픈 하였습니다.
어린이용이며, 설치가 필요없는 브라우저 게임입니다.
https://s1004games.com

   private static void getSaveText(Object object, Field field, IMemento memento, boolean save)
         throws IllegalArgumentException, IllegalAccessException {
      Text text = (Text) field.get(object);
      if (save) {
         memento.putString(field.getName(), text.getText());
      } else {
         String value = memento.getString(field.getName());
         if (value != null) {
            text.setText(value);
         }
      }
   }
 
   private static void getSaveCombo(Object object, Field field, IMemento memento, boolean save)
         throws IllegalArgumentException, IllegalAccessException {
      Combo combo = (Combo) field.get(object);
      if (save) {
         memento.putString(field.getName(), combo.getText());
      } else {
         String value = memento.getString(field.getName());
         if (value != null) {
            combo.setText(value);
            if (combo.indexOf(value) == -1)
               combo.add(value);
         }
      }
   }



It doesn't save the whole list of valid combo values but you could add that if you need it. You can also add support for other controls like spinners, radio buttons, and so forth.

That's all there is to it. Of course this isn't the greatest example of design patterns since it mixes the concepts of view and model, but it gets the job done. You should also be able to apply the technique to other things like launch configurations or model data. I hope you find it useful.

 

 

[출처] http://www.eclipsezone.com/eclipse/forums/t53813.html

 

 

본 웹사이트는 광고를 포함하고 있습니다.
광고 클릭에서 발생하는 수익금은 모두 웹사이트 서버의 유지 및 관리, 그리고 기술 콘텐츠 향상을 위해 쓰여집니다.
번호 제목 글쓴이 날짜 조회 수
169 Mybatis ResultMap 그리고 select 졸리운_곰 2016.06.07 331
168 Mybatis selectList 예제 졸리운_곰 2016.06.05 496
167 java 에서 mybatis 사용한 예제 file 졸리운_곰 2016.06.05 1054
166 [Mybatis] 간단한 마이바티스 CRUD 예제 file 졸리운_곰 2016.06.05 329
165 자바 8 살펴보기 file 졸리운_곰 2016.05.23 338
164 Java 8 개선 사항 관련 글 모음 졸리운_곰 2016.05.23 347
163 Building a Search Engine With Nutch Solr And Hadoop file 졸리운_곰 2016.04.21 276
162 Nutch and Hadoop Tutorial file 졸리운_곰 2016.04.21 258
161 Latest step by Step Installation guide for dummies: Nutch 0. file 졸리운_곰 2016.04.21 186
160 Nutch 초간단 빌드와 실행 졸리운_곰 2016.04.21 528
159 Nutch로 알아보는 Crawling 구조 - Joinc 졸리운_곰 2016.04.21 411
158 A tiny bittorrent library Java: 자바로 만든 작은 bittorrent 라이브러리 file 졸리운_곰 2016.04.20 298
157 Updating UI in Eclipse RCP 졸리운_곰 2015.11.07 270
156 Eclipse RCP: Display.getDefault().asyncExec still blocking my GUI 졸리운_곰 2015.11.07 165
155 The Eclipse RCP multi-threaded Job and UIJob, use 졸리운_곰 2015.11.07 305
154 SWT: Respond to Long Running Tasks 졸리운_곰 2015.11.07 126
153 SWT and multithreading 졸리운_곰 2015.11.07 153
152 Eclipse RCP multithreading 졸리운_곰 2015.11.07 217
151 Eclipse RCP - Prevent UI freezing while running long operation 졸리운_곰 2015.11.07 176
150 Eclipse RCP Tutorial: How to Add a Progress Bar file 졸리운_곰 2015.11.07 181
대표 김성준 주소 : 경기 용인 분당수지 U타워 등록번호 : 142-07-27414
통신판매업 신고 : 제2012-용인수지-0185호 출판업 신고 : 수지구청 제 123호 개인정보보호최고책임자 : 김성준 sjkim70@stechstar.com
대표전화 : 010-4589-2193 [fax] 02-6280-1294 COPYRIGHT(C) stechstar.com ALL RIGHTS RESERVED