1. 워셔액 넣기

마트에 갔더니 워셔액을 3개씩묶어서 하나에 천원도안하는 가격에 팔길래 6개 사왔다.

좀 많긴 하지만 어차피 매일 쓰는 거니까~

하나씩 트렁크에 넣고 다니다 떨어지면 넣는다.

 

사계절 워셔액~ 음 싼티난다.

 

 

뭐~ 다들 알겠지만 워셔액 구멍은 저 파란색이다. 뚜껑에 그림만 봐도 알수 있다.

만약 워셔액을 깜장 구멍에 넣는다면 대략 낭패.. OTL

 

넣는 법은 걍 뚜껑 열고 부으면 된다. 부을때 통을 돌려주면 워셔액이 소용돌이 치면서 더 잘들어간다.

 

 

 

2. 에어컨히터 필터 교체

예전에는 엔진 오일갈때 정비소에서 같이 갈았는데...

이것도 공임비 무시 못한다.

 

그래서 요즘은 인터넷서 미리 사두고 반기마다 갈고 있다.

 

순정 항균 필터다. 가격은 만원정도? 맞나? 오래되서 기억이 가물~

 

먼저 다시방안의 물건을 모두 뺀다

그리고 양옆에 있는 저 부분을 공략해야한다.

걱정할 필요없다. 쉽게 빠진다. 공구 필요없다.

 

손가랑으로 핀 윗부분을 누르면 아랫부분이 올라온다.

 

올라온 고정핀 아랫부분을 잡아 뽑으면 쉽게 빠진다.

양쪽을 이렇게 빼면 된다.

 

필터가 들어있는 프라스틱이 보인다.

화살표를 엄지와 검지로 잡아 당기면 뚜껑이 빠진다.

 

 

뚜겅을 제거하면 위 처럼 필터가 보인다.

이제 헌 필터를 빼고 새필터를 꽂아주면 된다.

 

필터 옆에 보면 모비스 마크와 품번호가 있다 그리고 화살표가 있는데

화살표가 ↓ 밑으로 향하게 넣으면 된다.

 

필터 갈기 참 쉽다.

 

참고로 필터 비교 샷이다.

이건 헌필터 이다. 저게 원래 검정색이 아니다.

완전 더럽다. 풀, 벌레, 흙 별거 다 끼어있다.

 

이건 교체하기전 새 필터 이다. 완전 순백~ 아 깨끗해~

 

차안에서 항상 맑은 공기 마시려면

에어컨히터 필터 주기적으로 자주 교환해 줘야한다.

 

필터 갈고 에어컨을 틀어보니

비릿한 물냄세가 사라졌다~ 음~ 굿^^

반응형

 

 

지인의 추천으로 ..

도서관에 예약해서 빌려본 책~ "독서 천재가 된 홍대리"

 

이거 읽고 독서해야겠다는 생각이 마구 생겨남~

 

근데... 난  전공서적은 완전 두꺼운데...  하루 이틀에 한권씩 볼 수가 없는데...

IT 쪽에서 근무하는 "독서 천재가 된 개발자 홍대리" 책은 없나?

 

암튼 이거 읽고 나서

버스에서 지하철에서

게임하고 음악듣던 내가

이젠 책을 읽게 되었다.

 

버스나 지하철을 기다릴때도 내 손엔 책이 들려있다^^ ㅎㅎ

좋은 에너지 받았다^0^

 

논어를 읽기 전이나 읽은 뒤나 똑같다면 그는 논어를 읽지 않은 것이다.  - 정

 

반응형

 

 

[원본] http://api.jquery.com/jQuery.post/

 

Jquery 를 이용해 ajax 사용하기 간단하네...

 

jQuery.post( url [, data] [, success(data, textStatus, jqXHR)] [, dataType] ) Returns: jqXHR

Description: Load data from the server using a HTTP POST request.

  • version added: 1.0jQuery.post( url [, data] [, success(data, textStatus, jqXHR)] [, dataType] )

    urlA string containing the URL to which the request is sent.

    dataA map or string that is sent to the server with the request.

    success(data, textStatus, jqXHR)A callback function that is executed if the request succeeds.

    dataTypeThe type of data expected from the server. Default: Intelligent Guess (xml, json, script, text, html).

This is a shorthand Ajax function, which is equivalent to:

$.ajax({
  type: 'POST',
  url: url,
  data: data,
  success: success,
  dataType: dataType
});

 

The success callback function is passed the returned data, which will be an XML root element or a text string depending on the MIME type of the response. It is also passed the text status of the response.

As of jQuery 1.5, the success callback function is also passed a "jqXHR" object (in jQuery 1.4, it was passed the XMLHttpRequest object).

Most implementations will specify a success handler:

$.post('ajax/test.html', function(data) {
  $('.result').html(data);
});

 

This example fetches the requested HTML snippet and inserts it on the page.

Pages fetched with POST are never cached, so the cache and ifModified options in jQuery.ajaxSetup() have no effect on these requests.

The jqXHR Object

As of jQuery 1.5, all of jQuery's Ajax methods return a superset of the XMLHTTPRequest object. This jQuery XHR object, or "jqXHR," returned by $.post() implements the Promise interface, giving it all the properties, methods, and behavior of a Promise (see Deferred object for more information). For convenience and consistency with the callback names used by $.ajax(), it provides .error(), .success(), and .complete() methods. These methods take a function argument that is called when the request terminates, and the function receives the same arguments as the correspondingly-named $.ajax() callback.

The Promise interface in jQuery 1.5 also allows jQuery's Ajax methods, including $.post(), to chain multiple .success(), .complete(), and .error() callbacks on a single request, and even to assign these callbacks after the request may have completed. If the request is already complete, the callback is fired immediately.

// Assign handlers immediately after making the request,
    // and remember the jqxhr object for this request
    var jqxhr = $.post("example.php", function() {
      alert("success");
    })
    .success(function() { alert("second success"); })
    .error(function() { alert("error"); })
    .complete(function() { alert("complete"); });

    // perform other work here ...

    // Set another completion function for the request above
    jqxhr.complete(function(){ alert("second complete"); });

Examples:

Example: Request the test.php page, but ignore the return results.

$.post("test.php");

Example: Request the test.php page and send some additional data along (while still ignoring the return results).

$.post("test.php", { name: "John", time: "2pm" } );

Example: pass arrays of data to the server (while still ignoring the return results).

$.post("test.php", { 'choices[]': ["Jon", "Susan"] });

Example: send form data using ajax requests

$.post("test.php", $("#testform").serialize());

Example: Alert out the results from requesting test.php (HTML or XML, depending on what was returned).

$.post("test.php", function(data) {
alert
("Data Loaded: " + data);
});

Example: Alert out the results from requesting test.php with an additional payload of data (HTML or XML, depending on what was returned).

$.post("test.php", { name: "John", time: "2pm" },
function(data) {
alert
("Data Loaded: " + data);
});

Example: Gets the test.php page content, store it in a XMLHttpResponse object and applies the process() JavaScript function.

$.post("test.php", { name: "John", time: "2pm" },
function(data) {
process
(data);
},
"xml"
);

Example: Posts to the test.php page and gets contents which has been returned in json format (<?php echo json_encode(array("name"=>"John","time"=>"2pm")); ?>).

$.post("test.php", { "func": "getNameAndTime" },
function(data){
console
.log(data.name); // John
console
.log(data.time); // 2pm
}, "json");

Example: Post a form using ajax and put results in a div

<!DOCTYPE html>
<html>
<head>
<script src="http://code.jquery.com/jquery-latest.js"></script>
</head>
<body>
<form action="/" id="searchForm">
<input type="text" name="s" placeholder="Search..." />
<input type="submit" value="Search" />
</form>
<!-- the result of the search will be rendered inside this div -->
<div id="result"></div>

<script>
/* attach a submit handler to the form */
$
("#searchForm").submit(function(event) {

/* stop form from submitting normally */
event
.preventDefault();

/* get some values from elements on the page: */
var $form = $( this ),
term
= $form.find( 'input[name="s"]' ).val(),
url
= $form.attr( 'action' );

/* Send the data using post and put the results in a div */
$
.post( url, { s: term },
function( data ) {
var content = $( data ).find( '#content' );
$
( "#result" ).empty().append( content );
}
);
});
</script>

</body>
</html>

 

반응형

언제 인가

NAVER 에서 아빠표 란 단어를 검색한 적이 있다.

그때 계란 과자 알게 되었다.

초 간단~ 하다. 초코칩 쿠키에 비하면 껌이다.

 

쿠키용으로 사놓은 무염버터 유통기한이 4일 뿐이 안남았다.

그래서 걍 만들어 봤다.

 

재료 :  버터 160g , 박력분 240g, 설탕 140g, 베이킹파우더 15g, 바닐라향가루 8g, 소금 약간, 계란 2개 + 노른자 2개 

 

재료는 다른 이들이 올려놓은 자료 참고하여 내맘데로 계량했다~

 

1. 버터는 먼저 상온에서 녹여준다. 요즘 같은 날은 버터가 엄청 빨리 녹아서 좋다.

 

2. 계란은 미리 풀어서 준비해 둔다.

 

3. 박력분 + 설탕 + 베이킹파우더 + 바닐라가루 + 소금 모두 섞었다.

    이렇게 하고나서 아차 싶었다.

    버터 + 설탕으로 갔어야 하는건데.. 암튼 걍 섞었으니.. 어쩔수 없다. 

    오늘 컨샙은 초간단이니까...

 

4. 버터가 녹으면 거품기로 버터가 완전히 녹을 때까지 마구 저어준다.

 

5. 버터가 크림처럼 녹으면 미리 준비한 계란을 반씩 넣고 잘 섞어준다.

 

6. 3에서 섞어놓은 가루들을 채에 걸러 넣어준다.

   채에 걸러넣어야 부드럽다. 나 뭐라나.

 

 

7. 주걱으로 마구 섞어준다. 반죽이 완성되어간다.

    팔과 손이 아파 올수록 반죽은 점점더 성숙해진다.

 

8. 린양이 해본단다. 그래 너도 해봐라.

    "미끄러워요~" 한다.  ㅎㅎ 귀요미^^

 

9. 반죽이 완성되면 짤주머니에 잘 담는다.

   첨 담아 봤느데 다 흘렸다. OTL

 

 

10. 쿠키 판에 적당량 반죽을 짜서 구울 준비를 한다.

    모양은 어차피 뜨거운 오븐속에서 반죽이 녹아 동그랗게 되니 신경안써도 된다.

    걍 동그랗게 짜믄 된다.

    단, 아래 사진처럼 사이를 많이 띄우지 않으면 다 달라 붙어 모양이 안이뻐진다.

    적당히 간격을 유지해서 짜야한다.

 

 

11. 엘지 광파오븐 기준으로 굽는 법은 180도로 예열한 후, 2번칸에서 10분 구우니 딱 좋다. 노릇노릇~

     오븐안에서 잘 구워지고 있다.

 

 

12. 10분 지난 후 모양도 예쁜 계란 과자가 완성되었다.

 

13. 완성된 과자는 식혀준다.

 

14. 린양이 먼저 시식중이다.

     "맛있어요~ 아빠 최고! " 한다.

     이 맛에 난 쿠키를 굽느다^^

   

 

 

     근데 버터가 반 이상 남았다.

     이건 버려야할 거 같다. 아까워라..

     대충 후다닥 만들었는데.. 맛은 좋네~ 나 소질있나?

    

    

반응형

request URL 에 + 문자가 들어간 경우

 

HTTP 오류 404.11 - Not Found

이중 이스케이프 시퀀스가 포함된 요청을 거부하도록 요청 필터링 모듈이 구성되어 있습니다.

이런 오류가 발생한다.

원인은..

 

HTTP 요청을 웹 서버를 이중 이스케이프 시퀀스가 있습니다. 그러나 웹 서버를 이중 이스케이프 시퀀스 거부 되도록 요청 필터링 기능이 구성 됩니다.

 

해결방법은...

  1. 시작, 검색 시작 상자에 메모장프로그램 목록에서 메모장을 마우스 오른쪽 단추로 누른 다음 관리자 권한으로 실행. 관리자 암호나 확인을 묻는 메시지가 나타나면 암호를 입력하거나 계속 을 누릅니다.
  2. 파일 메뉴에서 열기 를 누릅니다. 그리고 파일 이름 상자에 %windir%\System32\inetsrv\config\applicationHost.config 입력하고 열기 를 클릭하십시오.
  3. ApplicationHost.config 파일을 requestFiltering XML 요소를 찾습니다.
  4. allowDoubleEscaping 속성 값을 True 로 변경하십시오. 이렇게 하려면 다음 코드 예제에서는 유사한 코드를 사용합니다.
    <requestFiltering allowDoubleEscaping="true">

  5. 파일 메뉴에서 저장 을 클릭하십시오.
  6. 메모장을 종료하십시오.

[참고] http://support.microsoft.com/kb/942076/ko

 

 

 

 

반응형

+ Recent posts