bboks.net™

ASP.NET 웹 페이지간 값 전달 본문

C# | ASP.NET/ASP.NET

ASP.NET 웹 페이지간 값 전달

bboks.net 2010. 8. 3. 13:02

ASP.NET에서 웹 페이지간에 값을 전달할 수 있는 방법은 5개 정도가 있다.

다른 웹 어플리케이션 또는 ASP.NET 웹페이지가 아닐때

- 쿼리 문자열(QueryString)
- HTTP POST 정보(HTTP POST Information)

동일한 ASP.NET 웹 어플리케이션에서만 가능

- 세션(Session State)
- 공용 속성값(Public Property Value)
- 컨트롤 정보(Control Information)


1) 쿼리 문자열(Using a Query String)
쿼리 문자열은 호출하는 웹 페이지의 URL에 키-값을 연결해서 전달하는 형태이다. 가장 쉬운 방법이지만 값이 URL에 보여지기 때문에 주의가 필요하다
1)소스 페이지에서 값 전달
URL의 끝에 ?와 &를 이용해 값을 전달
http://contoso.com/products.aspx?field1=value1&field2=value2

2)대상 페이지에서 값 받기
HttpRequest 객체의 QueryString property를 이용해 접근
string s = Request.QueryString["field1"];

2)POST 정보(Getting Post Information from the Source Page)
1)소스 페이지에서 값 전달
HTML 요소나 ASP.NET 서버 컨트롤을 포함하는 폼(form)요소에서 값을 전달

2)대상 페이지에서 값 받기
Form collection을 이용해서 값 읽기
void Page_Load(object sender, EventArgs e)
{
    System.Collections.Specialized.NameValueCollection postedValues = Request.Form;
    string nextKey;
    for(int i = 0; i < postedValues.AllKeys.Length; i++)
    {
        nextKey = postedValues.AllKeys[i];
        string value = postedValues[i];
        }
    }
}


3)세션(Using Session State)
1)소스 페이지에서 세션 상태에 키를 이용해 값을 저장
Session["field1"] = "value1";

2)대상 페이지에서 세션 상태로부터 값을 읽음
string field1 = (string)(Session["field1"]);

4)공용 속성 값(Getting Public Property Values from the Source Page)
1) 소스페이지에서 공용 속성을 작성
public string CurrentCity
{
    get
    {
        return textCity.Text;
    }
}


2)대상 페이지에서 소스페이지를 가르키는 @PreviousPageType 지시문 추가
<%@ PreviousPageType VirtualPath="~/SourcePage.aspx" %>

3)대상 페이지에서 PreviousPage 객체의 property를 읽음
string currentCity = PreviousPage.CurrentCity;

5)컨트롤 정보(Getting Control Information from the Source Page in the Same Application)
대상 페이지에서 PreviousPage 속성을 이용해 참조를 가져와서 FindControl 메소드를 호출해 참조를 가져옴
if (Page.PreviousPage != null)
{
    TextBox SourceTextBox = (TextBox)Page.PreviousPage.FindControl("TextBox1");

    if (SourceTextBox != null)
    {
        Label1.Text = SourceTextBox.Text;
    }
}


[참조] How to: Pass Values Between ASP.NET Web Pages
           방법: ASP.NET 웹 페이지 간에 값 전달
           Ways to Pass Data Between Webforms!