1

「リクエストごと」のタイプのシナリオを利用するようにStructureMapでDapperをセットアップしようとしています。私のGlobal.asaxには、次のものがあります(NHibernateを含むAyendeの古い投稿から変更され、BuildUp()StructureMapでメソッドについて説明していることがわかりました)。

protected static IDbConnection CreateConnection() { 
    var settings = ConfigurationManager.ConnectionStrings["MyConnectionString"];
    var connection = DbProviderFactories.GetFactory(settings.ProviderName).CreateConnection();
    if (connection == null) { 
        throw new ArgumentNullException("connection");
    }
    connection.ConnectionString = settings.ConnectionString;
    return connection;
}

public static IDbConnection CurrentConnection { 
    get { return (IDbConnection)HttpContext.Current.Items["current.connection"]; }
    set { HttpContext.Current.Items["current.connection"] = value; }
}

public Global() { 
    BeginRequest += (sender, args) => { 
        CurrentConnection = CreateConnection();
        CurrentConnection.Open(); 
    };

    EndRequest += (sender, args) => { 
        if (CurrentConnection == null) return;
        CurrentConnection.Close();
        CurrentConnection.Dispose();
    }
}

void Application_Start(object sender, EventArgs e) { 
    ObjectFactory.Initialize(x => { 
        x.For<IDbConnection>().Singleton().Use(CreateConnection());
        x.For<ICustomerRepository>().Use<CustomerRepository>();
        x.SetAllProperties(y => y.OfType<ICustomerRepository>());
    });
}

// BasePage.cs
public class BasePage : System.Web.UI.Page { 
    public IDbConnection CurrentConnection { get; set; }

    public BasePage() { 
        ObjectFactory.BuildUp(this);
    }
}

これを呼び出そうとするたびに、BeginRequestハンドラーのブレークポイントは、接続でOpen()が呼び出されていることを示していますが、実際のクエリは、接続の現在の状態が閉じていることを示すエラーで失敗します。

各リポジトリメソッド内のIDbConnectionで手動でOpenとCloseを呼び出すと機能するようですが、可能な限りそうする必要がないようにしています。

4

1 に答える 1

1

シングルトンとして接続を作成しています。つまり、アプリケーションページ全体で使用される接続オブジェクトは1つだけです。Application_Startハンドラーで新しく作成した接続は、コンテナーから接続を取得するため、ページで使用されることはありません。

次のようなものを使用したほうがよいでしょう。

void Application_Start(object sender, EventArgs e) { 
    ObjectFactory.Initialize(x => { 
        x.For<IDbConnection>().HttpContextScoped().Use(() => CreateConnection());
        ...
    }
}

 public Global() { 
    EndRequest += (sender, args) => { 
        ObjectFactory.GetInstance<IDbConnection>.Dispose();
    }
 }
于 2012-05-28T14:00:15.877 に答える