출처 : http://stackoverflow.com/questions/778385/rails-post-put-get


GET    /items        #=> index
GET    /items/1      #=> show
GET    /items/new    #=> new
GET    /items/1/edit #=> edit
PUT    /items/1      #=> update
POST   /items        #=> create
DELETE /items/1      #=> destroy

엑션     메소드          목적 ------------------------------------------------------------------------- index GET 목록형 자원 표시 show GET 단일 자원 상세 정보 표시 new GET 신규 자원 생성시 폼 표시 create POST 신규 자원 생성(폼 전송) edit GET 기존 존재하는 자원 수정하기 위함 폼 표시 update PUT 기존 존재하는 자원 수정 destroy DELETE 단일 자원 제거


기타 patch : 패치 일부를 수정하는 경우 사용


[참조] put : 전체를 수정하는 경우 사용

http://restcookbook.com/HTTP%20Methods/patch/

예를 들어 사용자의 이름만 바꿀때는 patch, 기타 여러 정보를 한번에 바꿀 경우에는 put을 사용하는 것을 권고한다.

(put은 patch, post와 달리 멱등성을 지니고 있음.)


멱등성 : 같은 연산을 여러번 하더라도 바뀌지 않는 것 

(참조 : http://ko.wikipedia.org/wiki/멱등법칙 )





출처 : http://jsfiddle.net/codingdude/V4xuq/


이메일을 통한 프로필 이미지 로딩 => 간단한 커뮤니티를 만들 때 사용하면 좋을거 같음.



<!-- modify the email attribute here then Run to see the gravatar image change -->

<codingdude-gravatar email="imtough99@gmail.com"></codingdude-gravatar>



var tagname = "codingdude-gravatar";

        document.createElement(tagname);

//find all the tags occurrences (instances) in the document

var tagInstances = document.getElementsByTagName(tagname);


//for each occurrence run the associated function

for ( var i = 0; i < tagInstances.length; i++) {

  codingdudeGravatar(tagInstances[i]);

}

function codingdudeGravatar(element){


//code for rendering the element goes here

if (element.attributes.email){


//get the email address from the element's email attribute

var email = element.attributes.email.value;

var gravatar = "http://www.gravatar.com/avatar/"+md5(email)+".png";

element.innerHTML = "<img src='"+gravatar+"'>";

}

}


    


"call 과 apply의 차이점 ? " ... 요약하면


동작은 동일, 단 2번째 파라미터가 다름.


출처 : http://odetocode.com/blogs/scott/archive/2007/07/04/function-apply-and-function-call-in-javascript.aspx


In order to explain how the createDelegate function works in the last post, we have to understand JavaScript closures and Function.apply(). The apply() method is the easiest subject to tackle, so we'll start there and work up.

Every function in JavaScript has a number of attached methods, including toString()call(), and apply(). If it sounds odd to you that a function might have its own methods - then remember that every function in JavaScript is an object. Read this article for a refresher. You might also wonder what the difference is between a function and a method. I believe the descriptors 'function' and 'method' are just a JavaScript convention. Functions stand on their own (there is an alert()function, for example), while methods are functions inside an object's dictionary, and we invoke them through the object reference. Every JavaScript object has atoString() method, for example, and we can use the toString() method on a function object to see its source code:

function foo()
{
    alert('x');
}
 
alert(foo.toString());

Because functions are objects they can have their own properties and methods, and we can treat them like data. "Functions as data" is important to remember for the next post, too, but for now we'll focus on two of a function's methods: apply(), and its counterpart: call().

Let's start with the following code:

var x = 10;
 
function f()
{
    alert(this.x);
}
 
f();

Here we have a global function by the name of f(). f() uses the this keyword to reference x, but notice we don't invoke the function through an instance of an object. So what object does this reference? this will reference the global object. The global object is where we defined the variable x. The above code does work and will show the value 10 in a dialog.

Both call() and apply() are methods we can use to assign the this pointer for the duration of a method invocation. As an example, here is how we could use thecall() method:

var x = 10;
var o = { x: 15 };
 
function f()
{
    alert(this.x);
}
 
f();
f.call(o);

The first invocation of f() will display the value of 10, because this references the global object. The second invocation (via the call method) however, will display the value 15. 15 is the value of the x property inside object o. The call() method invokes the function and uses its first parameter as the this pointer inside the body of the function. In other words - we've told the runtime what object to reference as this while executing inside of function f().

Fiddling with the this pointer might sound funny, even perverse, to C++, Java, and C# programmers. What's next? Dogs sleeping with cats? Working nVidia drivers for Windows Vista? It's all part of the fun that is ECMAScript.

We can also pass arguments to the target function via call():

var x = 10;
var o = { x: 15 };
function f(message)
{
    alert(message);
    alert(this.x);
}
 
f("invoking f");
f.call(o, "invoking f via call");

The apply() method is identical to call(), except apply() requires an array as the second parameter. The array represents the arguments for the target method.

var x = 10;
var o = { x: 15 };
function f(message)
{
    alert(message);
    alert(this.x);
}
 
f("invoking f");
f.apply(o, ["invoking f through apply"]);

The apply() method is useful because we can build a function like createDelegate (from the last post) that doesn't care about the signature of the target method. The function can use apply() to pass all additional arguments to the target method via an array. Are we getting close to a curry function?

var o = { x: 15 };
 
function f1(message1)
{
    alert(message1 + this.x);
}
 
function f2(message1, message2)
{
    alert(message1 + (this.x * this.x) + message2);
}
 
function g(object, func, args)
{
    func.apply(object, args);
}
 
g(o, f1, ["the value of x = "]);
g(o, f2, ["the value of x squared = ", ". Wow!"]);

The problem here is the awkward syntax. We are forcing the caller to stuff arguments into an array just so we call apply(). Fortunately, there is a way to make the syntax easier, but we have to introduce one more topic: the arguments identifier.

In JavaScript, every function essentially has a variable length argument list. The means we can pass 5 parameters to a function even if the function only uses one argument. The following runs without error and displays "H":

function f(message)
{
    alert(message);
}
 
f("H", "e", "l", "l", "o");

If we did want to access the other arguments from inside f(), we can use the arguments keyword. arguments references an Arguments object, which has a length property and feels like an array.

function f(message)
{
    // message param is the same as arguments[0]   
    
    for(var i = 1; i < arguments.length; i++)
    {
        message += arguments[i];
    }
     
    alert(message);
}
 
// this will say "Hello"
f("H", "e", "l", "l", "o");

Just so you know, arguments is technically not an array, even if it walks and talks like one. arguments has a length property but no splitpush, or pop methods. What we can do with arguments inside our previous g() function is copy the incoming arguments after arguments[1] into an array object that we pass to apply.

var o = { x: 15 };
 
function f(message1, message2)
{
    alert(message1 + (this.x * this.x) + message2);
}
 
function g(object, func)
{          
    // arguments[0] == object
    // arguments[1] == func
     
     
    var args = []; // empty array
    // copy all other arguments we want to "pass through"
    for(var i = 2; i < arguments.length; i++)
    {
        args.push(arguments[i]);
    }
 
    func.apply(object, args);
}
 
g(o, f, "The value of x squared = ", ". Wow!");

When we invoke g(), we can pass additional arguments as parameters instead of stuffing the arguments into an array.

At this point, we have the theoretical knowledge needed to understand call and apply, but perhaps you are already asking a question: what if I don't want to immediately invoke the target function f()? What if I just want to arrange all the players in this little drama so that I can invoke f() at some later point (as an event handler, for example), but still have this referencing the desired object (whithout tracking the desired object myself). In an upcoming post, we'll see how to combine our Function.apply and arguments knowledge with the concept of nested functions and closures to answer this very question.

underscore 메소드 정리

https://github.com/epeli/underscore.string


우리나라 사정상( 한글을 사용한다는 점) 의외로 쓰기 애매한 메소드가 많은것 같다.


개인적으로 프로젝트에서 쓸만한 것만 표시해 봤다.



method

priority

description

camelize

0

대쉬 또는 언더스코아 문자열을 제거하고 카멜케이스 형태로 보여준다(첫문자 유지)
capitalize

0

단어 첫번 째 대문자화
chars

1

한 단어로 자르기
chop

0

글자수 대로 자르기
classify

0

카멜 케이스 형태로 전환한다 (첫문자는 항상 대문자)
clean

0

앞 뒤 중간에 공백 제거, 중간은 1글자만 공백 유지
count

1

문자열에 특정 단어 포함 횟수 계산
dasherize

0

카멜 케이스 형태를 데쉬 연결로  전환한다(대쉬로 시작함)
endsWith

1

문자열이 특정 단어로 끝나는지 여부
escapeHTML

1

특수문자 교체
humanize

0

사람이 읽기 편한 형태로 전환한다 ( 첫문자 대문자화, 양쪽 공백 제거, 대쉬/언더스코어 공백으로 대치)
include

1

단어 포함여부 확인
insert

1

특정 위치에 문자열 삽입
isBlank

1

공백 여부 확인
join

1

문자열 합치기
levenshtein

0

문자열 다름 수치
lines

0

줄바꿈이 포함되면 나눈 이후 배열에 넣어준다
lpad

1

왼쪽 PAD
lrpad

0

양쪽 PAD
ltrim

0

왼쪽만 공백제거
numberFormat

1

숫자 컴마처리
pad

0

지정 길이 만큼 특정 단어로 채워 넣는다
prune

0

truncate 업그레이드 버전 / 단어가 중간에 짤리는 것을 방지 이전에서 자름 처리
quote

0

입력 단어에 따옴표를 넣어준다
repeat

0

입력 단어를 n번 반복한다
reverse

0

단어를 역전(뒤집어)한다
rpad

1

오른쪽 PAD
rtrim

0

오른쪽만 공백제거
slugify

0

URL에 넣을 수 있는 영단어로 변환한다 ( 공백 대쉬교체, 악센트 제거, 특수문자 제거)
splice

0

특정 위치의 단어를 교체한다
sprintf

1

c의 문자열 포멧팅과 유사
startsWith

1

문자열이 특정 단어로 시작하는지 여부
stripTags

1

태그를 제거한 문자열을 반환한다
strLeft

0

좌측 기준 특정 문자가 처음 나오는 곳 이후의 왼쪽 문자열 반환
strLeftBack

0

우측 기준 특정 문자가 처음 나오는 곳 이후의 왼쪽 문자열 반환
strRight

0

좌측 기준 특정 문자가 처음 나오는 곳 이후의 오른쪽 문자열 반환
strRightBack

0

우측 기준 특정 문자가 처음 나오는 곳 이후의 오른쪽 문자열 반환
succ

0

단어의 다음 알파벳을 반환한다
surround

0

입력 단어를 특정 단어로 둘러 쌓은다.
swapCase

0

대소문자 교체
titleize

0

단어 시작 알파벳을 대문자로 변환한다
toBoolean

1

문자열을 boolean 형태로 변환해 준다.
toNumber

1

문자열을 숫자로 바꿔준다(소숫점아래 지정 가능, 변환 불가시 NaN 반환)
toSentence

0

문자열 배열을 사람이 읽기 편한 형태로 연결하여 보여준다( , , and )
toSentenceSerial

0

문자열 배열을 사람이 읽기 편한 형태로 연결하여 보여준다 ( 무조건 , 를 넣어준다 )
trim

1

공백제거, 특정단어 양쪽끝 제거기능 포함
truncate

1

지정한 길이로 말줄임처리
underscored

0

카멜 케이스 형태를 소문자/언더스코어 연결로  전환한다
unescapeHTML

1

교체된 특수문자를 돌려 놓음
unquote

0

입력 단어의 따옴표를 제거한다
words

0

단어를 공백 또는 특정 문자기준으로 자른 이후 배열에 넣어 반환


select DATE_FORMAT(a.Date ,'%Y%m%d')  dates
from (
    select curdate() - INTERVAL (a.a + (10 * b.a) + (100 * c.a)) DAY as Date
    from (
               select 0 as a union all select 1 union all select 2 union all select 3 union all select 4 union all select 5 union all select 6 union all select 7 union all select 8 union all select 9) as a
    cross join (select 0 as a union all select 1 union all select 2 union all select 3 union all select 4 union all select 5 union all select 6 union all select 7 union all select 8 union all select 9) as b
    cross join (select 0 as a union all select 1 union all select 2 union all select 3 union all select 4 union all select 5 union all select 6 union all select 7 union all select 8 union all select 9) as c
) a
where a.Date between '2014-01-14' and date_format(now(),'%Y-%m-%d')


얼마전(2013년 10월 즘, 그러니 약 2개월 방치했었네요... ) 에 맥북에 아래와 같은 증상이 발생하였습니다.


"WIFI 목록은 보이는데 연결하려면 라우터가 가까이 있는지 확인해 보세요" 하면서 연결이 안되는 현상 발생


그래서 클린 설치도 해 보고 네트워크 목록도 지웠다가 다시 등록해도 안되네여 ...


맥북을 처음 구매 했을때 부터 그런건 아니여서 정말 당황 스러웠습니다.


그래서 서비스 센터에 연락하여 문의 한 결과 아래와 같은 조치 방법을 알려 주었습니다.


맥북 smc(?) 초기화 방법


1. 맥북의 전원을 끈다.

2 .shift + control + option 키를 누른 상태에서 전원 버튼을 약 2초간 누른다.

3. shift + control + option 키를 누른 상태에서 전원 버튼을 1번 누른다.

4. 전원 버튼을 눌러 부팅한다.


알려주신대로 위와같이 하니깐 무선랜이 연결되면서 정상적인 인터넷 라이프를 즐길 수 었었습니다.

(그전에는 안되서 랜선으로 연결해서 인터넷을... ㅜㅜ)


다들 즐거운 맥 라이프 즐기세요... 저와 같은일이 없어야 될텐데. 

( 참고로 위 문제는 하드웨어적 문제라 하네요... 뽑기 운이 별로인가 봐여... )

출처 : http://neoguru.tistory.com/17


maven에 다른 repository 추가하는 방법


 <repositories>

  <repository>

   <id>jboss-repository</id>

   <name>Jboss Repository for Maven</name>

   <url>http://repository.jboss.com/maven2</url>

  </repository>

 </repositories>





Spring에서 sitemesh 와 tiles의 트랜드 검색 결과







이글 쓴 날짜 2013/10/11일 기준으로 작성된 글 입니다. 최저가 또는 이벤트 정보는 상이 할 수 있음에 유의 바랍니다.


1. 미러리스카메라 vs DSLR 의 잘못된 편견에 대한 친절한 설명

http://www.franktime.com/63


2. NEX-5T 관련 블로그

http://www.stylezineblog.com/2738

http://dicahub.com/nex-5t


3. NEX-5T (다나와 최저가 : 76만) -> 추천색상 화이트

http://www.lotteimall.com/goods/viewGoodsDetail.lotte?goods_no=1007029154&service_id=pcdn&chl_dtl_no=&chl_no=23

[소니(SONY)][가방+SDHC8GB+보호필름+UV필터+인화권][정품]소니 알파 NEX-5TL [SELP1650][소니코리아 공식대리점]

81.7만 => 76만 ( 국만카드할인가, 7% )

=> 나중에 상황봐서 기타 악세사리를 구매하면 될거 같음. (삼각대 등)


4. SONY NEX-5T 정품등록 이벤트

http://store.sony.co.kr/handler/ViewEvent-IngStart?eventClassId=sony_130902_02&intcmp=STORE:Main_eventba_130902_

( 보조배터리 + SD카드 )



대략적 번역

  • 서블릿 상세 명세서에 기반하여 아래 관계만 유효함.
  • /로 시작 /* 로 끝나는 경우 : 경로 맵핑
  • *. 로 시작하는 경우 : 확장자 맵핑
  • / 로 정의 : 서블릿의 기본 어플리케이션
  • 기타 문자열 : 확실하게 일치하는 것만 동작함.


In the Web application deployment descriptor, the following syntax is used to define mappings:


  • A string beginning with a ‘/’ character and ending with a ‘/*’ suffix is used for path mapping.
  • A string beginning with a ‘*.’ prefix is used as an extension mapping.
  • A string containing only the ’/’ character indicates the "default" servlet of the application. In this case the servlet path is the request URI minus the context path and the path info is null.
  • All other strings are used for exact matches only.



'etc > old' 카테고리의 다른 글

Sitemesh VS Tiles in Spring  (0) 2013.10.29
[ML] NEX-5T  (0) 2013.10.11
[Nico] minimam  (0) 2013.05.30
[Ubuntu] Ubuntu 13.04 설치 및 간단 서버 구성  (0) 2013.05.06
[JAVA] JavaScript D-DAY 구현  (0) 2013.04.05

+ Recent posts