0

所以这是我尝试在 C# 中使用 using (for Connection Pooling) 的示例代码。现在我认为由于不在方法中,它给了我一个错误。但是,有没有办法解决这个问题?

<% @Page Language="C#" %>
<% @Import Namespace="System.Data.Odbc" %>
<% @Import Namespace="System.Web.Configuration" %>

<script language="C#" runat="server">
string conString = WebConfigurationManager.ConnectionStrings["cheese"].ConnectionString;
using (OdbcConnection con = new OdbcConnection(conString)) {
    con.Open();
    using (OdbcCommand com = new OdbcCommand("SELECT pies FROM ducks WHERE isapie = nope", con)) {
        com.Parameters.AddWithValue("@var", paramWord);
        using (OdbcDataReader reader = com.ExecuteReader()) {
            while (reader.Read()) {
                Response.Write(reader.GetString(0));
            }
        }
    }
    con.Close();
}
</script>

现在给出错误的行是:

Line 8:     using (OdbcConnection con = new OdbcConnection(conString)) {

有问题的错误是:

Compiler Error Message: CS1519: Invalid token 'using' in class, struct, or interface member declaration

我试图使我的代码保持简约、易于编辑等,因此我想避免仅仅为了拥有它们而使用不必要的类、方法等。

4

1 回答 1

0

你有几个问题;第一个是您没有在方法中定义代码。为此,您需要将其放在 Page_Load 中,例如:

<script language="C#" runat="server">

void Page_Load(object sender,EventArgs e)
{
    string conString = WebConfigurationManager.ConnectionStrings["cheese"].ConnectionString;
    using (OdbcConnection con = new OdbcConnection(conString)) {
    con.Open();

    using (OdbcCommand com = new OdbcCommand("SELECT pies FROM ducks WHERE isapie = nope", con)) {
         com.Parameters.AddWithValue("@var", paramWord);
         using (OdbcDataReader reader = com.ExecuteReader()) {
          while (reader.Read()) 
             Response.Write(reader.GetString(0));
         }//end using reader
     }//end using ODBCCommand
  }//end using ODBCConnection
}//page_load
</script>

第二个问题是你使用using打开连接而你尝试使用关闭下面的连接对象}。当您到达using实例化 OdbcCommand 的第二个时,连接已经被释放。你需要做这样的事情:

void Page_Load(object sender,EventArgs e)
{
string conString = WebConfigurationManager.ConnectionStrings["cheese"].ConnectionString;
using (OdbcConnection con = new OdbcConnection(conString)) {
    con.Open();

using (OdbcCommand com = new OdbcCommand("SELECT pies FROM ducks WHERE isapie = nope", con)) {
    com.Parameters.AddWithValue("@var", paramWord);
    using (OdbcDataReader reader = com.ExecuteReader()) {
        while (reader.Read()) {
            Response.Write(reader.GetString(0));
        }
    }
 }
 con.Close();
 }
}

最后,您应该使用 gridview 或类似的东西来绑定这些数据,而不是Response Stream按照您的方式进行写入。假设您的页面中有一个 Gridview;你可以完美地做到这一点:

gridView.DataSource=com.ExecuteReader();
gridView.DataBind();
于 2012-05-04T19:18:58.760 回答