Java 에서 JSON 을 처리하기 위한 라이브러리는 많이 있겠지만 요즘은 사람들이 Jackson 라이브러리를 많이 쓰는것 같다.

프로젝트 홈페이지(http://jackson.codehaus.org/)에 가보면 "High-performance JSON processor!" 요런 문구가 제일 상단에 떡 있는걸 봐서는 성능도 좋은것 같다!  

일단 그냥 써보자. 계속 쓰다보면 잘 알게 된다.

먼저 라이브러리를 써묵기 위해서 jar 파일을 받아야 한다. 프로젝트 홈페이지 다운로드 메뉴(http://wiki.fasterxml.com/JacksonDownload)로 가서  

쭉 있는것들중에 core-asl 과 mapper-asl 을 다운로드 받아 클래스 패스가 참조하는 폴더에 복사해 주면된다.

웹 프로젝트 같은 경우 WEB-INF/lib 디렉토리에 복사하면 되긋다~

메이븐 프로젝트일 경우는 간단히  pom.xml 에

1
2
3
4
5
<dependency>
    <groupId>org.codehaus.jackson</groupId>
    <artifactId>jackson-mapper-asl</artifactId>
    <version>1.8.5</version>
</dependency>
를 추가해 주면 사용할 수 있다. 

지금 현재 최신 버전이 1.8.5 이기 때문에 version 란에다 1.8.5를 적어준 것이고 나중에 또 업데이트가 될것이니

 http://mvnrepository.com/artifact/org.codehaus.jackson/jackson-mapper-asl 여기에서 확인해 보고 최신버전으로 바꿔주면 될것이다.


간단한 샘플을 보자.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
// 맵에 데이터들이 들어가 있는 형태
Map dummyData1 = new HashMap();
dummyData1.put("value1", "값1");
dummyData1.put("value2", "값2");
 
ObjectMapper om = new ObjectMapper();
 
try {  
    System.out.println(om.defaultPrettyPrintingWriter().writeValueAsString(dummyData1));
} catch (JsonGenerationException e) {  
    e.printStackTrace();
} catch (JsonMappingException e) { 
    e.printStackTrace();
} catch (IOException e) {  
    e.printStackTrace();
}
출력결과
1
"value1" : "값1""value2" : "값2"}
Jackson 라이브러리로 하는 짓들의 대부분은 ObjectMapper 라는 클래스의 인스턴스 생성을 한다음에 한다.

생성된 고것을 가지고 Json 문자열을 객체로 변환한다던가 객체를 JSON 문자열로 변환한다던가 한다. 뭐 다른 쓸만한 것도 많을 것이다. 
뭐 아직 많이 모르니깐~

아무튼 Map 이나 List에 들어가 있는 데이터들을 쪽바로 잘 변환해 준다. 

물론 getter 와 setter 메소드 시리즈가 있는 도메인 오브젝트, 
예를 들어 User, Account 뭐 이런 종류의 오브젝트도 writeValueAsString 메소드의 파라메터로 넣으면 잘 변환된다.


아무튼~ 각설하고~ List 인 경우도 한번 해보자

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
// List 에 맵이 들어가 있는 형태
List dummyData2 = new ArrayList();
Map m = new HashMap();
m.put("value1", "값1");
m.put("value2", "값2");
dummyData2.add(m);
 
m = new HashMap();
m.put("value1", "값3");
m.put("value2", "값4");
dummyData2.add(m);
 
ObjectMapper om = new ObjectMapper();
 
try {  
    System.out.println(om.defaultPrettyPrintingWriter().writeValueAsString(dummyData2));
} catch (JsonGenerationException e) {  
    e.printStackTrace();
} catch (JsonMappingException e) { 
    e.printStackTrace();
} catch (IOException e) {  
    e.printStackTrace();
}
출력결과
1
[ {  "value1" : "값1""value2" : "값2"}, {  "value1" : "값3""value2" : "값4"} ]
역시 기대했던 대로 잘 변환된다. 

위의 샘플들은 오브젝트를 String으로 변환하는 샘플이고 String 으로 변환활 필요가 없으면(웹요청처리, JSON 파일로 저장하는 경우)  ObjectMapper 클래스의 writeValue() 메소드를 이용해 OutputStream이나 Writer 에 Stream으로 출력해 버려도 된다.
1
2
3
ObjectMapper om = new ObjectMapper();
 
om.writeValue(response.getWriter(), dummyData);


출처 - http://stove99.tistory.com/12




'Development > JavaScript' 카테고리의 다른 글

javascript - 정규 표현식(Regular Expression)  (1) 2012.06.21
spin.js 예제  (0) 2012.06.21
Javascript - return true; return false;  (0) 2012.05.23
javascript - 유효성 검사  (0) 2012.05.23
cookie 생성 및 삭제  (0) 2012.05.22
Posted by linuxism
,




원인 : 인덱스가 걸려 있지 않아서 발생하는 문제라고 한다.

방법 : 인덱스 업데이트

이클립스의 windows 메뉴 로 부터 -> Preferences > Maven > "Download Repository index updates on Statue"

이클립스 재실행

이후, 시작시 우측 하단에 Updates indexs 가 진행되는 것을 볼 수 있다. (시간이 좀 걸림...)



다 끝나고 나서 다시 Dependency 검색 ㄱㄱ


출처 - http://haebi.kr/archive/201109

'IDE & Build > Maven' 카테고리의 다른 글

메이븐 프로젝트에서 src/main/resource 에 xml 파일 읽기  (0) 2012.11.12
maven-compiler-plugin 설정하기  (0) 2012.11.06
maven - war 파일 배포  (0) 2012.05.07
Nexus 소개 및 구성  (0) 2012.04.14
Maven : missing artifact  (0) 2012.03.28
Posted by linuxism
,


Many of us have been using a good deal of jQuery plugins lately. Below I have provided a list of the 50 favorite plugins many developers use. Some of these you may have already seen, others might be new to you.  This is just the first series , the second version will be coming soon, stay tuned and Enjoy!

Menu

1) LavaLamp

2) jQuery Collapse -A plugin for jQuery to collapse content of div container.

3) A Navigation Menu- Unordered List with anchors and nested lists, also demonstrates how to add a second level list.

4) SuckerFish Style

Tabs

5) jQuery UI Tabs / Tabs 3 – Simple jQuery based tab-navigation

6) TabContainer Theme – JQuery style fade animation that runs as the user navigates between selected tabs.

Accordion

7 ) jQuery Accordion

Demo 

8) Simple JQuery Accordion menu

SlideShows

9) jQZoom- allows you to realize a small magnifier window close to the image or images on your web page easily.

10) Image/Photo Gallery Viewer- allows you to take a grouping of images and turn it into an flash-like image/photo gallery. It allows you to style it how ever you want and add as many images at you want.

Transition Effects

11) InnerFade – It’s designed to fade you any element inside a container in and out.

12) Easing Plugin- A jQuery plugin from GSGD to give advanced easing options. Uses Robert Penners easing equations for the transitions

13) Highlight Fade

14) jQuery Cycle Plugin- have very intersting transition effects like image cross-fading and cycling.

jQuery Carousel

15) Riding carousels with jQuery – is a jQuery plugin for controlling a list of items in horizontal or vertical order.

Demo :

Color Picker

16) Farbtastic – is a jQuery plug-in that can add one or more color picker widgets into a page through JavaScript.

Demo :

17) jQuery Color Picker

LightBox

18) jQuery ThickBox – is a webpage user interface dialog widget written in JavaScript.

Demo :

19) SimpleModal Demos – its goal is providing developers with a cross-browser overlay and container that will be populated with content provided to SimpleModal.

Demo :

20) jQuery lightBox Plugin – simple, elegant, unobtrusive, no need extra markup and is used to overlay images on the current page through the power and flexibility of jQuery´s selector.

Demo :

iframe

21) JQuery iFrame Plugin – If javascript is turned off, it will just show a link to the content. Here is the code in action…

Form Validation

22) Validation – A fairly comprehensive set of form validation rules. The plugin also dynamically creates IDs and ties them to labels when they are missing.

Demo :

23) Ajax Form Validation – Client side validation in a form using jQuery. The username will check with the server whether the chosen name is a) valid and b) available.

Demo :

24) jQuery AlphaNumeric – Allows you to prevent your users from entering certain characters inside the form fields.

Form Elements

25) jquery.Combobox – is an unobtrusive way of creating a HTML type combobox from a existing HTML Select element(s), a Demo is here.

26) jQuery Checkbox – Provides for the styling of checkboxes that degrades nicely when javascript is dsiabled.

27) File Style Plugin for jQuery -File Style plugin enables you to use image as browse button. You can also style filename field as normal textfield using css.

Star Rating

28) Simple Star Rating System

29)Half-Star Rating Plugin

ToolTips

30) Tooltip Plugin Examples – A fancy tooltip with some custom positioning, a tooltip with an extra class for nice shadows, and some extra content. You can find a demo here.

31) The jQuery Tooltip

Tables Plugins

32) Zebra Tables Demo -using jQuery to do zebra striping and row hovering, very NICE!!

Demo :

33) Table Sorter Plugin - for turning a standard HTML table with THEAD and TBODY tags into a sortable table without page refreshes. It can successfully parse and sort many types of data including linked data in a cell.

34) AutoScroll for jQuery -allows for hotspot scrolling of web pages

35) Scrollable HTML table plugin- used to convert tables in ordinary HTML into scrollable ones. No additional coding is necessary.

Demo :

Draggable Droppables And Selectables

36) Sortables - You won’t believe how easy this code to make it easy to sort several lists, mix and match the lists, and send the information to a database.

37) Draggables and droppables- A good example of using jQuery plugin iDrop to drag and drop tree view nodes.

Style Switcher

38) Switch stylesheets with jQuery- allows your visitors to choose which stylesheet they would like to view your site with. It uses cookies so that when they return to the site or visit a different page they still get their chosen stylesheet. A Demo is here.

Rounded Corners

39) jQuery Corner Demo

40) JQuery Curvy Corners- A plugin for rounded corners with smooth, anti-aliased corners.

Must See jQuery Examples

41) jQuery Air – A passenger management interface for charter flights. A great Tutorial that you will enjoy.

Demo :

42) HeatColor -allows you to assign colors to elements, based on a value derived from that element. The derived value is compared to a range of values, it can find the min and max values of the desired elements, or you can pass them in manually.

Demo :

43) Simple jQuery Examples -This page contains a growing set of Query powered script examples in "pagemod" format. The code that is displayed when clicking "Source" is exactly the same Javascript code that powers each example. Feel free to save a copy of this page and use the example.

44) Date Picker -A flexible unobtrusive calendar component for jQuery.

Demo :

45) ScrollTo -A plugin for jQuery to scroll to a certain object in the page

46) 3-Column Splitter Layout -this is a 3-column layout using nested splitters. The left and right columns are a semi-fixed width; the center column grows or shrinks. Page scroll bars have been removed since all the content is inside the splitter, and the splitter is anchored to the bottom of the window using an onresize event handler.

47) Pager jQuery -Neat little jQuery plugin for a a paginated effect.

48) Select box manipulation

49) Cookie Plugin for jQuery

50) JQuery BlockUI Plugin -lets you simulate synchronous behavior when using AJAX, without locking the browser. When activated, it will prevent user activity with the page (or part of the page) until it is deactivated. BlockUI adds elements to the DOM to give it both the appearance and behavior of blocking user interaction.

  • This entry was posted on Thursday, December 20th, 2007 at 6:55 am and is filed under jQuery. You can follow any responses to this entry through the RSS 2.0 feed. Both comments and pings are currently closed. 

 

[출처] http://www.noupe.com/jquery/50-amazing-jquery-examples-part1.html





'Development > jQuery' 카테고리의 다른 글

jQuery UI CSS Framework 1  (0) 2012.06.09
jQuery - getJSON POST  (0) 2012.06.08
jQuery - 선택자  (0) 2012.06.03
jQuery - 마우스 오른쪽 버튼  (0) 2012.06.03
jQuery - URL을 파싱  (0) 2012.05.29
Posted by linuxism
,