반응형

이 포스트를 읽기 전에 꼭 URL Rewriting in ASP.NET 포스트를 먼저 읽어보도록 하자.

프로그램에서는 무엇이든지 간에 해당 기술의 기본원리를 알고 이해해야지만 더 좋은 적용방법과 응용방법이 생각날 것이고

문제에 직면했을때 더 빠른 해결방법을 찾아낼 수 있을것이다.

단지 주어진 기술, 또는 Copy & Paste는 자기발전에 전혀 도움이 되지 않거니와 개발자라고 하기에 챙피한 일이지 않은가?

그럼 모두 앞 포스트를 숙지하였다고 생각하고 앞 포스트의 내용을 기초로 하여 실제 사용가능한 URL Rewriter를 만들어 적용하여 보자.

아마도 아래 내용을 이해했다면 HttpModule을 이용한 URL Rewriter를 만드는건 어렵지 않을 것이다.

만약 어렵다면 제가 만들어놓은 어셈블리(.NET 2.0으로 제작)를 다운 받고 따라해 봅시다. ㅡㅡ;
(사실 내가 셋팅방법을 잊어버릴까봐 정리해 놓는것이다. ^^)



1. 어셈블리 파일을 해당 프로젝트의 /Bin/ 폴더에 복사한다.

2. Web.config 수정
    2-1. configuration 하위에 추가
      <configSections>
        <sectionGroup name="RewriterConfig">
          <section name="Rules" type="UrlReWriter.ReWriterRule, RewriterModule"/>
        </sectionGroup>
      </configSections>

    2-2. system.web 하위에 추가
      <httpModules>
        <add name="RewriterModule" type="UrlReWriter.ReWriterModule, RewriterModule" />
      </httpModules>

    2-3. configuration 하위에 추가
      <RewriterConfig>
        <Rules>
          <RewriterRule>
            <Url>^/([a-zA-Z0-9]+)/([0-9]+)/$</Url>
            <TargetUrl>/RW_Test.aspx?UserID=$1&amp;SeqNo=$2</TargetUrl>
          </RewriterRule>
          <RewriterRule>
            <Url>^/([a-zA-Z0-9]+)/([0-9]+)$</Url>
            <TargetUrl>/RW_Test.aspx?UserID=$1&amp;SeqNo=$2</TargetUrl>
          </RewriterRule>
           ................
       </Rules>
  </RewriterConfig>

3. IIS 셋팅
모든 IIS의 Request를 ASP.NET으로 라우트하기 위한 셋팅이다. 본 화면은 Windows 2003을 기준으로 하고 있다.

속성 > 홈디렉터리 > 구성을 클릭하면 다음과 같은 화면을 볼 수 있다.


   

그림과 같이 "삽입"을 클릭하여 다음 화면을 볼 수 있다.



실행파일 항목에 .NET 2.0의 aspnet_isapi.dll 의 위치를 명시해 줍니다. 아마 대부분 아래와 같은 경로일 것입니다.
c:\windows\microsoft.net\framework\v2.0.50727\aspnet_isapi.dll

그 다음 제가 빨간색으로 박스를 쳐 놓은 부분... 저거 때문에 한 3일은 무한삽질한 듯 합니다. ㅠㅠ

저는 "파일이 있는지 확인"이 상단의 실행파일에 명시한 파일이 있는지 확인하는 옵션인줄 알았습니다. 그런데... 어흐흑... 그게 아니더군요.

앞 포스트의 마지막즘에 "필요한 디렉토리 구조 만들기" 를 보면 매년 해가 바뀔때마다 해당 디렉터리와 Default.aspx 파일이 필요하다고 되어 있다.

그 이유도 물론 잘 설명되어 있다. 바로 그 점이다 "파일이 있는지 확인" 이 체크되어 있으면 폴더 또는 파일이 존재할 경우에만 실행파일을 호출(라우팅)해 주는것이다.
앞 포스트의 "결과" 의 마지막 문장인 "모든 요청 정보를 ASP.NET 엔진에 라우트하도록 IIS 구성정보를 설정해야 한다" 이 부분이 의미하는것이 바로

"파일이 있는지 확인"에 체크를 해제하고 사용하라는 의미인것 같다.

이 체크가 해제되어 있을 경우 폴더나 파일이 존재하는지 확인하지 않고 바로 "실행파일"에 명시되어 있는 파일로 라우팅을 해 준다.

우리가 대부분 블로그 같은 경우 http://블로그도메인/글번호 와 같은 형태를 많이 사용하게 되는데 이럴경우 꼭 "파일이 있는지 확인"에서 체크를 해제해야만 한다.
반응형
반응형

[Page.GetPostBackEventReference()를 이용한 doPostBack]

 

자바스크립트로 behind code의 메서드를 실행하고 싶은 경우가 있다.


이럴 경우 보통은 스크립트에서 __doPostBack() 메서드를 정의해서 사용하곤 한다. 하지만, 이는 좋지 못한 방법이다.

 

__doPostBack() 메서드는 .net에서 자동 생성하는 부분으로, 개발자가 별도로 작성하여도 바뀔 가능성이 있다. 또한, .net에서 자동으로 생성하지 않는 경우도 발생한다.

 

스크립트로 behind code의 메서드를 실행하고 싶을 때는 아래와 같은 방법을 권한다.

 

<%= Page.GetPostBackEventReference( WebFormButton ) %>

 

이는 postback이 발생하는 WebForm Control을 매개변수로 넘겨주면, 자동으로 __doPostBack()을 생성해 준다.


ex)
[Page.aspx]
btnOne -> HTML Input 컨트롤 - visible

<script language="javascript">
    function btnOneClick()
    {
        <%= Page.GetPostBackEventReference( btnTwo ) %>
    }
</script>

 

<input type="button" onclick="btnOneClick()">

 

[Page.aspx.cs]
btnTwo -> WebForm Button 컨트롤 - invisible

private void btnTwo_Click(...)
{
    ...
}

 


반응형
반응형

쿼리창에서 "텍스트로 결과보기"를 선택하신 후에 실행하셔서

결과값을 그대로 복사하셔서 메모장에 복사하여 .html, .htm로 저장하서셔 보시면

해당 DB내의 Table 명세서가 그대로 출력이 되네요..!!

오홍..~~ 원래 2000, 2005에서 실행되는거라고 했는데

2005를 2008로 변경했는데 별 무리 없이 잘 돌아가네용.!!

DB 유지보수하는데 꽤 도움이 될만한 소스인것 같습니다. 이거 만드신 분 정말 노가다 최고인듯.ㅋㅋ
반응형
반응형

-- Wizard 컨트롤을 사용하다가 Backspace라던지 브라우저의 뒤로가기 버튼 등으로 인해서
    내가 원하는 데이터가 중복되어서 들어가거나 예상치 못한 오류가 발생하기도 하였다.

    국내 사이트에서는 이러한 방법에 대한 해결 방법이 나와있는 Article이 많이 없었다.
    결국 Googling을 통해서 발견한 사이트의 글이다.!!

Disable the Browser Back Button in your ASP.NET Applications

If you’ve just come to accept the Back button as a necessary evil, I’ve got a few simple solutions for you that prevent the user from backing up past a designated “one-time only” page in your application.

For example, if you have a wizard with multiple steps, it’s fine to let the user click the browser’s Back (and then Forward) buttons all they want as they navigate from page to page. But when they click Finish on the last page, and you save information to the database, you don’t want them to be able to click Back to the last wizard page and then click Finish again. This would result in repeating the server side processing (in this example, saving to the database again, but in another scenario this could mean charging a credit card multiple times). The proper approach would be for the user to start the wizard over from the beginning, if the intent is really to submit another new request that’s entirely separate from the last one.

Disabling the browser cache for the page is not a real solution (though I’ll show it anyway), because the user gets an ugly message when they click Back. In this post, I’ll show you how to add just a tiny bit of code to achieve an ideal solution that effectively disables the Back button.

Solution 1: Ask the user nicely and hope they listen

Most developers think there’s no way to disable the browser’s Back button and just don’t even try at something they believe to be futile. And that’s why you see messages like “Please don’t click the browser’s Back button after confirming your purchase as doing so may result in a duplicate charge to your credit card” on practically every e-commerce site on the Web. Surely there’s a better way…

Solution 2: Disable caching for the page

OK, so let’s just not cache the page with the Finish button, the one that does all the work that we don’t want repeated should the user click Back and then resubmit. We can do that by overriding the OnPreInit method (same thing as, but more efficient than, handling the PreInit event) and setting the various caching-related properties on the Response object to prevent the browser from caching the page:

protected override void OnPreInit(EventArgs e)
{
    base.OnPreInit(e);

    Response.Buffer = true;
    Response.ExpiresAbsolute = DateTime.Now.AddDays(-1d);
    Response.Expires = -1500;
    Response.CacheControl = "no-cache";
    Response.Cache.SetCacheability(HttpCacheability.NoCache);
}

See http://forums.asp.net/t/1060173.aspx and http://www.codeproject.com/KB/aspnet/NoCaching.aspx for more information on these property settings.

One problem solved (no more risk that the user will click Finish twice), but a new problem is created (user gets “Webpage has expired” error if they click Back):

Expired

The screen shot above is from Internet Explorer; different browsers (Chrome, FireFox, etc.) handle the condition by prompting the user in different ways. But the bottom line is that this solution results in a degraded user experience because we’re not really disabling the Back button. We’re just preventing the page from being stored in the browser history, so that when the user does click the Back button, they get the expired error/prompt instead of the page they expected to go back to. Is there a way around this? You bet! Read on…

Solution 3: Disable the Back button completely

This is the simplest solution that disables the Back button completely. How simple? Just add onload=”window.history.forward();” to the <body> tag in the page(s) that you don’t want the user to be able to click Back to.

<body onload="window.history.forward();">

With this solution, the page tries to move forward in history as soon as it loads. Of course, for newly served pages this has no effect, since there’s no forward history. But when the user clicks the Back button to reload the same page from the browser history, the page immediately forces the browser to pop back to where the user came from, as though they clicked Forward right after clicking Back. But it happens before the previous page even has a chance to load because the ”forward” command is invoked on the onload event of the previous page. Including this in every page in your application will disable the Back button completely (for postbacks too), which may not be something you want. Since users do expect to be able to use the Back button, you should let them do so except when undesirable behavior results (such as charging their credit card more than once).

Solution 4: Use this “hidden field/script/postback” trick

This solution is a little more involved, but is more flexible and opens up other interesting possibilities (for example, it gives you greater control when server-side validation is involved).

The gist of it? — You can’t directly disable or otherwise control the behavior of the Back button. But you can deliver a page that always forces a redirect, which gets stored normally in the browser’s history, such that when the user clicks Back, the redirect will always be forced.

Here’s the recipe:

1) Add a hidden field

In the .aspx markup, add a hidden field server control to your page that starts off with no initial value:

<input type="hidden" id="hidIsCommitted" runat="server" />

This field will get set only when the code-behind performs the processing you don’t want repeated (e.g., database save, credit card charge) if the user clicks Back and then resubmits.

2) Just beneath the hidden field, add the following script:

<script language="javascript" type="text/javascript">
    if (document.getElementById('<%= this.hidIsCommitted.ClientID %>').value == '1')
    {
        location.href = 'ThankYouPage.aspx';
    }
</script>

This simple code tests the value of the hidden field, and if it is set, the code redirects the user to the Thank You page (the page the user is normally redirected to after clicking Finish). Of course, the hidden field is not initially set, since we added it above with no value and no code has set its value yet.

Note the importance of using both document.getElementById and the bee-sting <%= %> server-side replacement markup for the hidden field’s ClientID value. Using getElementById ensures cross-browser compatibility, and the ClientID property resolves to the actual ID generated for the hidden field in the DOM, which includes additional unique identifiers if the element is contained inside a templated control, content placeholder, or other naming container.

3) Just beneath the script, add the following server-side span element with another script block inside of it:

<span id="spnCommitScript" runat="server" visible="false">
    <script language="javascript" type="text/javascript">
        document.getElementById('<%= this.hidIsCommitted.ClientID %>').value = '1';
        var theForm = document.forms['form1'];
        if (!theForm) theForm = document.form1;
        theForm.submit();
    </script>
</span>

This code sets the hidden field value and then performs a postback, but because the script block is wrapped inside of a server-side span element named spnCommitScript whose visible property is set to false, this code is not actually sent to the client. Only when the span element is made visible by server-side code will this client script get sent to the client, and the server-side code will not make the span visible until after completing the processing that occurs when the user clicks Finish.

4) In the code-behind, just at the point in time when you have completed processing (saving to the database, charging the credit card, etc.), make the span visible. Basically, this is the same point in time that you would normally issue a Response.Redirect to the Thank You page. But instead, you just make the span visible:

protected void btnFinish_Click(object sender, EventArgs e)
{
    if (!this.PerformAdditionalValidation())
    {
        this.lblValidationErrorMessage.Visible = true;
        return;
    }

    // Update database, charge credit card, etc.
    this.spnCommitScript.Visible = true;
}

The result? When the page returns to the client, the hidden field value is still not set. So the initial JavaScript test still returns false and the user does not get redirected to the Thank You page yet. But right after that, additional JavaScript code executes that has never execute before because the span has always been invisible. And that JavaScript code goes ahead and sets the hidden field, and then invokes a postback. The page returned to the client after the postback is then stored in the browser’s history cache normally. But this version of the page has the hidden field value set which causes redirect to the Thank You page. So clicking Back from the Thank You page results in reloading a page that forces itself to redirect immedately back again to the Thank You page. If the user clicks the Back button all day long, they won’t be able to back up past the Thank You page. Even if they advance several pages forward in the application, they’ll be able to click Back only up until reaching the Thank You page, but no further back than that.

All of the markup in steps 1, 2, and 3 can be placed in a Master page, so that it can be shared by all Content pages. With this approach, you would implement the redirect page as a variable rather than hard-coded as ThankYouPage.aspx and thus achieve an extremely lightweight framework for handling the Back button in this manner across your entire application. Only the code in step 4 (modified to also set the desired redirect page name) needs to be applied whereever you’d normally code an ordinary Response.Redirect in your code-behind.

 Hope this information saves you some grief trying to cope with the Evil Back Button!



출처 : Lenni Lobel on .NET and SQL Server Development의 블로그!!

반응형
반응형

1. ID 생성시(영문자, 숫자로만 이루어진 최소 4자 이상)
   ->> ^[a-zA-Z0-9]{4}[a-zA-Z0-9]*

2. Email
   ->> \w+([-+.']\w+)*@\w+([-.]\w+)*\.\w+([-.]\w+)*

계속적으로 추가 예정임~~~~~ comming soon!!

반응형
반응형

asp.net을 하다 부딪히게 되는 가장 큰 장애중 하나로

뒤로가기가 제대로 안되는 문제가 있습니다.

"이거 asp나 jsp로 할 때는 아무 문제도 아니었는데 말야..

닷넷 정말 좋은 거 맞는거야? " 라고들 생각하셨겠죠..

 

물론 javascript로 history.back() 하는 것보다는 복잡하지만

생각보다는 쉽게 구현할 수 있습니다.

원리는 간단합니다.

PostBack의 카운트를 세어서 그만큼 뒤로가기를 시켜주는 것입니다.

 

Page_Load 이벤트에 다음과 같이 코딩해주시면 됩니다.

if (!IsPostBack)
{
    ViewState["History"] = -1;   

}
else
{
    ViewState["History"] = Convert.ToInt32(ViewState["History"]) - 1;
}

btnList.Attributes["onclick"] = "history.go(" + ViewState["History"].ToString() + ");return false";

 

 

처음 그 페이지에 들어왔을 때에는 history.go(-1)을 해주면

뒤로 가니까 초기값을 -1로 주었습니다.

그리고 PostBack이 일어날 때마다 그 값을 하나씩 빼줍니다.

그 다음엔 돌아가야할 카운트를 되돌아가기 버튼에 할당해줍니다.

 

되돌아가기 이벤트를 서버 이벤트로 처리할 수도 있었지만

필요없는 네트웍 트래픽만 일으키게 되기 때문에

클라이언트쪽 이벤트로 처리해 보았습니다.

반응형
반응형

Repeater를 사용하여 해당하는 Row를 삭제시키고자 Row 제일 뒤에 Button을 하나 추가하였다.

<asp:Button ID="btnDelete" runat="server" CssClass="ButtonSmall" Text="Del" CommandArgument='<%# Eval("num") %>' CommandName="Delete"/>

- CommandName : Delete
- CommandArgument : DB 테이블에서 Unique한 Num값을 가져옴

페이지까지 만들고 "자 삭제 시켜볼까?"

'Del' Click Click Click!!!

"엥?? 아무런 반응이 없냐..ㅡㅡ;;"

Num값을 잘못 가져왔나 싶어서 몇번이고 디버깅 모드로 확인을 해봤지만

코드상 아무런 문제가 없었다.!!

미치고 팔짝 뛸 노릇이네..ㅡㅡ;; 물 내공은 손 발이 고생이다..!!

"자 그럼 구글링으로 고고고!!"

Search -- Repeater ItemCommand Error    __ Enter

....

무수히 많은 Article들이 올라온다.. 하지만 내가 원하는게 없네..

그러던 마침내 발견한 하나의 글 중 한 소절~~

"ItemCommand 이벤트는 Onclick 이벤트가 발생하고 이 후에 동작을 한다.....................

....................

....................

크아!~~~~~~~~~~~~~~~~

자자 Page_Load 함수를 보니..

역시나 Repeater를 Bind시키는 함수 한줄이 들어있다..ㅠㅠ

이놈아가 Repeater내의 버튼 클릭하게 되면 요것이 동작하면서 Reapeter를 다시 재 바인딩 시키는 것이 아닌가..킁..

살포시 if(!IsPostBack)을 씌워줬더니..

그제서야 삭제가..

음햐.. 1년동안 닷넷을 하면서 이런 동작 자체도 이해 못하고 있다는 내가

발가락의 때만큼의 못한 불쌍함이 들었다..크...

기초 기초 기초!! 세월이 가면 갈수록 느끼는 거는 무슨일이든 기초가 중요하다는거.!!

아우.. 끌쩍끌쩍 거리면서도 얼굴이 다 화끈거리네.

아까운 2시간을 훌라당 날려버리고 이제서야 전 퇴근 준비를 합니다.ㅠㅠ

반응형
반응형

XP IIS 5 에서 발생되는 에러 입니다.

 

VS2008 에서는 잘 되는데, 웹사이트로 publishing 후 위와 같은 에러가 발생한다면...

그것은 소스상의 문제가 아니고 권한 문제인다.

 

Exception 정보에서

Failed to update database "C:\INETPUB\MVCWEBSITE\APP_DATA\NERDDINNER.MDF" because the database is read-only.

메시지가 나오면, 100% 입니다.^^;;

 

리스트나 뷰에서는 에러가 안나는데, edit, create, delete 시 에러가 발생 합니다.

쓰기 권한이 없기 때문에...

 

쓰기권한을 주면 모든게 해결이 됩니다.

Inetpub/xxx/App_Data 폴더 속성 >> 보안탭

*** 보안탭이 안보이는 경우,

1. ftp://ftp.microsoft.com/bussys/winnt/winnt-public/tools/scm/scesp4i.exe 다운

2. 실행시 압축 해제 폴더 지정하고 OK

3. 압축 해제 폴더에서 setup.inf 오른쪽 마우스 클릭 >> 설치

4. 파일바꾸기 >> 아니오

5. 재시작 >> 아니오

 

다시 App_Data 폴더 속성 으로 가면 보안탭이  보입니다.

보안탭에서 ASP.NET Machine Account 가 추가 되어 있는지 확인하고, 없으면 (없으니까 하는거임)

추가 >> 고급 >> 지금찾기 >> ASPNET 을 추가하시고

사용권한에서 Write를 허용해주시면 됩니다...

 

어플케이션을 다시 시작해 보세요~^^;;



반응형

+ Recent posts