PageRenderTime 60ms CodeModel.GetById 18ms RepoModel.GetById 0ms app.codeStats 1ms

/src/Amptools/Public/labels/Amplify.aspx

https://github.com/pvencill/amptools
ASP.NET | 883 lines | 654 code | 229 blank | 0 comment | 83 complexity | 56e4acff0feec0a6f9e94b4bc51abc82 MD5 | raw file

Large files files are truncated, but you can click here to view the full file

  1. <%@ Page Title="amptools.net" Language="C#" MasterPageFile="~/App/Views/Layouts/Site.Master" AutoEventWireup="true" CodeBehind="Index.aspx.cs" Inherits="System.Web.Mvc.ViewPage" %>
  2. <asp:Content ID="Content2" ContentPlaceHolderID="Head" runat="server">
  3. <link href='/Content/default/css/syntax-highlighter.css' rel="stylesheet" type="text/css" />
  4. <link rel="alternate" type="application/rss+xml" title="amptools.net - RSS" href="http://feeds.feedburner.com/amptoolsnet" />
  5. <link rel="service.post" type="application/atom+xml" title="amptools.net - Atom" href="http://www.blogger.com/feeds/7043853799247804655/posts/default" />
  6. <link rel="EditURI" type="application/rsd+xml" title="RSD" href="http://www.blogger.com/rsd.g?blogID=7043853799247804655" />
  7. <style type="text/css">
  8. @import url("http://www.blogger.com/css/blog_controls.css");
  9. @import url("http://www.blogger.com/dyn-css/authorization.css?targetBlogID=7043853799247804655");
  10. </style>
  11. <script type="text/javascript" src="http://www.blogger.com/js/backlink.js"></script>
  12. <script type="text/javascript" src="http://www.blogger.com/js/backlink_control.js"></script>
  13. <script type="text/javascript">var BL_backlinkURL = "http://www.blogger.com/dyn-js/backlink_count.js";var BL_blogId = "7043853799247804655";</script>
  14. </asp:Content>
  15. <asp:Content ID="Content3" ContentPlaceHolderID="Javascript" runat="server">
  16. <script type="text/javascript" src="~/javascripts/prototype.js"></script>
  17. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shCore.js"></script>
  18. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushCSharp.js"></script>
  19. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushRuby.js"></script>
  20. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushJScript.js"></script>
  21. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushCss.js"></script>
  22. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushSql.js"></script>
  23. <script type="text/javascript" src="~/javascripts/syntax-highlighter/shBrushXml.js"></script>
  24. <script type="text/javascript">
  25. //<[CDATA[
  26. dp.SyntaxHighlighter.HighlightAll('code');
  27. //]]>
  28. </script>
  29. </asp:Content>
  30. <asp:Content ID="Content1" ContentPlaceHolderID="main" runat="server">
  31. <div class="left">
  32. <h2 class="silver">
  33. &quot;Working on the complexity that is always indirectly implied by simpilicity.&quot;
  34. </h2>
  35. <h2 class="blog-title"><a name="1099928894407582088"></a>
  36. Simple Log in Amplify
  37. <span class="blog-byline">
  38. by: michael herndon, at: 11/02/2008 11:54:00 PM
  39. </span>
  40. </h2>
  41. <div class="blog-content">
  42. <p>As many people know rails has a simple logger inside the framework which really only outputs to the console. This comes in handy to see SQL output of your models, benchmarks and other cool little things inside the rails framework.&#160; </p> <p>Of course people in the .Net realm tend to want things that scale and yet simplified for them.&#160; So output only to the console won't fly in larger projects.&#160; There is log4net, but you don't want to have it tightly coupled to the system, this caused an issue to one project that I worked on while still working for <a href="http://www.vivussoftware.com">Vivus Software</a> before I came <a href="http://www.opensourceconnections.com">OSC</a>. Where the framework and project both expected a certain version of Log4Net and there was no wrapper to put something else in place if need be.&#160; </p> <span id="more-0"></span> <p>So the solution was to Build small static Log class, that takes a list of an interface ILog (different than log4net's) and then use that interface to build a wrapper around using the root Logger for log4net. This way people can still build their own loggers for amplify or build their own Appenders for Log4Net and amplify will still be able to leverage this. Of course there is also conditional symbol LOG4NET in amplify if you wish to build the amplify framework without any dependency on the log4net library.&#160;&#160; </p> <p>To me this is more like the Console.WriteLine that is needed for a class library vs what log4net is typically used for in an application where it also spits out the type information of a class. To help with the testing using mock object is the <a href="http://code.google.com/p/moq/" rel="tag">Moq (Mock You)</a> which uses the Lambda expression and gets rid of all that crazy record/playback junk to which I loathe.&#160; </p> <pre class="code csharp"> public void Test()
  43. {
  44. var id = 0;
  45. Log.Sql(&quot;SELECT * FROM test&quot;);
  46. Log.Debug(&quot;The id is {0} &quot;, id);
  47. }
  48. [It(Order = 2), Should(&quot;have a debug method that logs debug statements&quot;)]
  49. public void Debug()
  50. {
  51. var calls = new List&lt;string&gt;();
  52. var log = CreateMockLog();
  53. log.Expect(o =&gt; o.Debug(Moq.It.IsAny&lt;string&gt;(), null))
  54. .Callback((string s, object[] args) =&gt; { calls.Add(s); });
  55. calls.Count.ShouldBe(0);
  56. // simple and easily called from anywhere... and lets you
  57. // format messages like
  58. // Log.Debug(&quot;item id: {0} could not be saved&quot;, id);
  59. Log.Debug(&quot;debug&quot;, null);
  60. calls.Count.ShouldBe(1);
  61. calls.Contains(&quot;debug&quot;).ShouldBeTrue();
  62. Log.IsDebug = false;
  63. // its turned off so it won't output anything
  64. Log.Debug(&quot;debug&quot;, null);
  65. calls.Count.ShouldBe(1);
  66. Log.IsDebug = true;
  67. }
  68. private static Mock&lt;ILog&gt; CreateMockLog()
  69. {
  70. var log = new Mock&lt;ILog&gt;();
  71. Log.Loggers.Clear();
  72. Log.Loggers.Add(log.Object);
  73. return log;
  74. }
  75. </pre>
  76. <p>Though keep in mind, one of the more trickier things to mock is the use of a method with the &quot;params&quot; keyword. I had to used a callback that you pass in an object array (object[] args) and I passed in null, otherwise the callback would not fire, and Lambdas don't allow the &quot;params&quot; keyword. Once that was figured out, I was able to use moq successfully to test the Log class successfully. </p> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/BHAG.aspx">BHAG</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a>, <a rel='tag' href="http://www.amptools.net/labels/Mock Objects.aspx">Mock Objects</a>, <a rel='tag' href="http://www.amptools.net/labels/Moq.aspx">Moq</a>, <a rel='tag' href="http://www.amptools.net/labels/Unit Testing.aspx">Unit Testing</a></p>
  77. </div>
  78. <div class="blog-footer">
  79. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1099928894407582088"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1099928894407582088;><span style="text-transform:lowercase">0 Comments</span></a>
  80. <a class="comment-link" href="http://www.amptools.net/2008/11/simple-log-in-amplify.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  81. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=1099928894407582088" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  82. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  83. </div>
  84. <h2 class="blog-title"><a name="3448672103322818552"></a>
  85. Gallio and Mb-Unit release v3.0.4
  86. <span class="blog-byline">
  87. by: michael herndon, at: 10/29/2008 02:11:00 AM
  88. </span>
  89. </h2>
  90. <div class="blog-content">
  91. <p>You can find many of the new <a href="http://blog.bits-in-motion.com/2008/10/announcing-gallio-and-mbunit-v304.html ">features over at Jeff Brown's blog</a>.&#160; Some of the cooler features of note is the integration with the visual studio testing system, wrapping testing for exceptions into a delegate, and data store called Ambient, in which you can store state for your tests.&#160; I've integrated this into amplify which is again, now on <a href="http://github.com/michaelherndon/amplify/tree/master">GitHub</a>. I did run into a few lil issues when setting this up though....</p> <span id="more-1"></span> <p>The biggest issue was finding out how to turn a project into a test project in order to get the visual studio integration working for Gallio. Basically you need to make modifications to the .csproj file and add an XML element of &lt;ProjectTypeGuids&gt; into the first &lt;PropertyGroup&gt; of the file.&#160; </p> <pre class="code xml">&lt;ProjectTypeGuids&gt;{3AC096D0-A1C2-E12C-1390-A8335801FDAB};
  92. {FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}
  93. &lt;/ProjectTypeGuids&gt;</pre>
  94. <p>After this, I could get the Gallio tests showing up in visual studio. </p>
  95. <p><a href="http://lh3.ggpht.com/amptools/SQf-bZnOv5I/AAAAAAAAABM/xPj4ncLlA3g/s1600-h/Gallio-Test-View%5B2%5D.png"><img style="border-top-width: 0px; border-left-width: 0px; border-bottom-width: 0px; border-right-width: 0px" height="212" alt="Gallio-Test-View" src="http://lh3.ggpht.com/amptools/SQf-b1n8cMI/AAAAAAAAABU/f0_tzJSs_Lg/Gallio-Test-View_thumb.png?imgmax=800" width="244" border="0" /></a> </p>
  96. <p>Now this coupled with <a href="http://testdriven.net/" rel="tag">Test Driven .Net</a> really helps with the testing process especially since with certain versions of Visual Studio, Test Driven .Net will let you run visual studio's code coverage with Gallio. </p>
  97. <p><a href="http://lh6.ggpht.com/amptools/SQf-cYepypI/AAAAAAAAABY/2DfBfKGZbZY/s1600-h/CodeCoverage%5B2%5D.png"><img style="border-top-width: 0px; border-left-width: 0px; border-bottom-width: 0px; border-right-width: 0px" height="207" alt="CodeCoverage" src="http://lh5.ggpht.com/amptools/SQf-cwXSDSI/AAAAAAAAABc/i2MQj8jhAQU/CodeCoverage_thumb.png?imgmax=800" width="244" border="0" /></a> </p>
  98. <p>Again, one of the cooler features was the improvements to Mb-Unit's Asserts (which did change the API, but its all good, cause I wrap the Asserts that I use in BDD style mixin Methods, so I just need to change them in one place). The one really change of note would be adding Assert.Throw and Assert.Throw&lt;T&gt;, to which you can wrap throwing an exception into a delegate.</p>
  99. <p><a href="http://lh6.ggpht.com/amptools/SQf-di2keqI/AAAAAAAAABg/KCLE5wy_nU4/s1600-h/WrappingExceptions%5B2%5D.png"><img style="border-top-width: 0px; border-left-width: 0px; border-bottom-width: 0px; border-right-width: 0px" height="178" alt="WrappingExceptions" src="http://lh3.ggpht.com/amptools/SQf-eB-bggI/AAAAAAAAABk/Tl816nR7vkw/WrappingExceptions_thumb.png?imgmax=800" width="244" border="0" /></a> </p>
  100. <p>All in all nice improvements to both Gallio and Mb-Unit, which are now incorporated into amplify. </p> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/BDD.aspx">BDD</a>, <a rel='tag' href="http://www.amptools.net/labels/BHAG.aspx">BHAG</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a>, <a rel='tag' href="http://www.amptools.net/labels/Gallio.aspx">Gallio</a>, <a rel='tag' href="http://www.amptools.net/labels/Mb-Unit.aspx">Mb-Unit</a>, <a rel='tag' href="http://www.amptools.net/labels/Mixins.aspx">Mixins</a>, <a rel='tag' href="http://www.amptools.net/labels/Unit Testing.aspx">Unit Testing</a></p>
  101. </div>
  102. <div class="blog-footer">
  103. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=3448672103322818552"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=3448672103322818552;><span style="text-transform:lowercase">0 Comments</span></a>
  104. <a class="comment-link" href="http://www.amptools.net/2008/10/gallio-and-mb-unit-release-v304.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  105. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=3448672103322818552" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  106. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  107. </div>
  108. <h2 class="blog-title"><a name="1045031666772907229"></a>
  109. Getting the |DataDirectory| folder in C sharp
  110. <span class="blog-byline">
  111. by: michael herndon, at: 8/14/2008 02:19:00 PM
  112. </span>
  113. </h2>
  114. <div class="blog-content">
  115. <p>One of the cool things about sql server express's connection strings is the ability to relatively path database files for sql express databases. Often one might see something in the connection string that looks like " AttachDbFilename=|DataDirectory|\file.mdf ". The pipes and DataDirectory is parsed to equate to a relative data directory file path that changes depending on the application type (i.e. an application deployed by click once, vs an application that is installed to a folder). </p>
  116. <p>However sometimes you might want to know where that data directory is, like in my case, I want to take a look at a connection string and attempt to create a database based off the connection string in order to speed up development using database migrations. This could also come in handy deploying small applications. </p>
  117. <p>So after some research via google, I found <a href="http://forums.microsoft.com/MSDN/ShowPost.aspx?PostID=702378&amp;SiteID=1">this gem on msdn about where the DataDirectory is</a>, though not guaranteed to be accurate. It basically follows 3 simple hierarchal rules. If the AppDomain.SetData method has been used, then the directory is set there. Otherwise if the application is a click once application the data directory is set or its in the application root folder. </p> <p>So below is what the code might possibly look like in order to get the applications data directory no matter what type of application it is and it gives you ability to set the DataDirectory as well. </p> <p></p>
  118. <pre class="code csharp">namespace Amplify
  119. {
  120. using System;
  121. using System.Configuration;
  122. using System.Collections.Generic;
  123. using System.Collections.Specialized;
  124. using System.Deployment;
  125. using System.Deployment.Application;
  126. using System.IO;
  127. using System.Text;
  128. using System.Reflection;
  129. using System.Web;
  130. public class ApplicationContext {
  131. private static NameValueContext s_properties;
  132. public static bool IsWebsite { get; internal set; }
  133. static ApplicationContext()
  134. {
  135. IsWebsite = (System.Web.HttpContext.Current != null);
  136. }
  137. public static string DataDirectory
  138. {
  139. get
  140. {
  141. string dataDirectory = GetProperty("DataDirectory") as string;
  142. if (string.IsNullOrEmpty(dataDirectory))
  143. {
  144. dataDirectory = AppDomain
  145. .CurrentDomain.GetData("DataDirectory") as string;
  146. if (dataDirectory == null)
  147. {
  148. if (ApplicationDeployment.IsNetworkDeployed)
  149. dataDirectory = ApplicationDeployment
  150. .CurrentDeployment.DataDirectory;
  151. else
  152. dataDirectory = Path.GetDirectoryName(
  153. Assembly.GetExecutingAssembly()
  154. .GetName().CodeBase);
  155. }
  156. dataDirectory = dataDirectory.Replace(@"file:\", "");
  157. SetProperty("DataDirectory", dataDirectory);
  158. }
  159. return dataDirectory;
  160. }
  161. set
  162. {
  163. string dataDirectory = GetProperty("DataDirectory") as string;
  164. value = value.Replace(@"file:\", value);
  165. if (!System.IO.Directory.Exists(dataDirectory))
  166. System.IO.Directory.CreateDirectory(dataDirectory);
  167. SetProperty("DataDirectory", value);
  168. AppDomain.CurrentDomain.SetData("DataDirectory", value);
  169. }
  170. }
  171. public static object GetProperty(string propertyName)
  172. {
  173. if (IsWebsite)
  174. return HttpContext.Current.Application[propertyName];
  175. else
  176. return Context[propertyName];
  177. }
  178. public static void SetProperty(string propertyName, object value)
  179. {
  180. if (IsWebsite)
  181. HttpContext.Current.Application[propertyName] = value;
  182. else
  183. Context[propertyName] = value;
  184. }
  185. private static NameValueContext Context
  186. {
  187. get
  188. {
  189. if (s_properties == null)
  190. s_properties = new NameValueContext();
  191. return s_properties;
  192. }
  193. }
  194. }
  195. }</pre><p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a></p>
  196. </div>
  197. <div class="blog-footer">
  198. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1045031666772907229"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1045031666772907229;><span style="text-transform:lowercase">0 Comments</span></a>
  199. <a class="comment-link" href="http://www.amptools.net/2008/08/getting-datadirectory-folder-in-c-sharp.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  200. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=1045031666772907229" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  201. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  202. </div>
  203. <h2 class="blog-title"><a name="5634712196275175580"></a>
  204. Amplify-Fusion, JavaScript libraries compatibility layer
  205. <span class="blog-byline">
  206. by: michael herndon, at: 8/06/2008 03:35:00 PM
  207. </span>
  208. </h2>
  209. <div class="blog-content">
  210. <p>As one might start guessing, I tend to jump around languages, projects, and clients (web/windows client not people).&#160; After writing custom code for <a href="http://www.prototypejs.org/" rel="tag">prototype</a>, <a href="http://dojotoolkit.org/" rel="tag">dojo</a>, <a href="http://developer.yahoo.com/yui/" rel="tag">yui</a>, <a href="http://jquery.com/" rel="tag">jquery</a>, <a href="http://www.asp.net/ajax/" rel="tag">atlas (microsoft ajax library)</a> , it becomes a pain to remember which library has what and to port work you've previously done into another library.&#160; Its one thing if it porting code from one language to another, but to have port code cause of the library/framework.... its a pain that isn't needed.&#160; </p> <p>Granted the downside of writing a compatibility layer is extra code that could be duplicated else where or writing a smaller set of routines that are less in what other full blown libraries. However most people have broadband these days and the browsers have this cool thing called caching. Not to mention YUI has a great compressor and there are ways to include multiple files on the server rather than on the browser.&#160; </p> <p>So I've begun to embark on a long journey of making JavaScript widgets build on a compatibility layer of different libraries. The layer it self will take some time, testing, and constant refinement while trying to keep the layer small.&#160; However I believe this is needed, esp as a consultant that works on various projects and everyone has their favorite library to use...&#160; </p> <p>you can find the beginnings of the code at <a title="http://code.google.com/p/amplify-fusion/" href="http://code.google.com/p/amplify-fusion/">http://code.google.com/p/amplify-fusion/</a>.</p> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/BHAG.aspx">BHAG</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/Javascript.aspx">Javascript</a></p>
  211. </div>
  212. <div class="blog-footer">
  213. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=5634712196275175580"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=5634712196275175580;><span style="text-transform:lowercase">0 Comments</span></a>
  214. <a class="comment-link" href="http://www.amptools.net/2008/08/ampliy-fusion-javascript-libraries.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  215. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=5634712196275175580" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  216. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  217. </div>
  218. <h2 class="blog-title"><a name="458120713693871790"></a>
  219. Amplify&#39;s WCF Twitter API Client Library v0.2
  220. <span class="blog-byline">
  221. by: michael herndon, at: 7/28/2008 12:33:00 AM
  222. </span>
  223. </h2>
  224. <div class="blog-content">
  225. <p>After some playing around with WCF and Flickr, I decided to move everything internally for the twitter library to use WCF with it's <a href="http://msdn.microsoft.com/en-us/library/system.servicemodel.servicecontractattribute.aspx">ServiceContract</a>.&#160; It was more of a pain that initially thought it would be. WCF is amazingly customizable but still has a couple of downfalls thanks to REST and people not writing their API for all technologies.&#160; </p> <p>The biggest issue is that Twitter throws an Http 403 unknown exception when you call a page and something is incorrect in the url.&#160; Well with WCF, it throws a <a href="http://msdn.microsoft.com/en-us/library/system.servicemodel.security.messagesecurityexception.aspx">System.ServiceModel.Security.MessageSecurityException</a>, due to the url returning a status code other than 200, and it wraps the inner exceptions inside of that. </p> <p>I'm sure there is a better way to get around this, but each proxy call is now wrapped by a try/catch in the client class methods in order to check for the <a href="http://msdn.microsoft.com/en-us/library/system.servicemodel.security.messagesecurityexception.aspx">MessageSecurityException</a>, then it checks the inner exception and determines if twitter sent back a response error message. If it does the library now throws a twitter exception with error information, otherwise you would only see the WCF exception that would mask the real issue.&#160; </p> <p>Also I renamed the &quot;Service&quot; classes to &quot;Client&quot; seeing that is the proper term for them.&#160; The tests are now updated as well to reflect the changes.&#160; The tests are a good way of seeing of how to use the library. Last but not least, methods now return arrays instead of lists in order to be more REST friendly. </p> <p></p> <pre class="code csharp">using Amplify.Twitter;
  226. using System.Security;
  227. // ... stuff
  228. public void Test()
  229. {
  230. try {
  231. string temp = &quot;password&quot;;
  232. Twitter.SetCredentials(&quot;Username&quot;, temp);
  233. StatusClient client = Twitter.CreateStatusClient();
  234. // or StatusClient client = new StatusClient(&quot;Username&quot;, temp);
  235. Status[] tweets = service.GetUserTimeline();
  236. } catch (TwitterException ex) {
  237. Log.Write(ex.ToString()); // write the twitter rest error.
  238. }
  239. }</pre> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/BHAG.aspx">BHAG</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a>, <a rel='tag' href="http://www.amptools.net/labels/JSON.aspx">JSON</a>, <a rel='tag' href="http://www.amptools.net/labels/REST.aspx">REST</a>, <a rel='tag' href="http://www.amptools.net/labels/Twitter.aspx">Twitter</a>, <a rel='tag' href="http://www.amptools.net/labels/WCF.aspx">WCF</a></p>
  240. </div>
  241. <div class="blog-footer">
  242. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=458120713693871790"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=458120713693871790;><span style="text-transform:lowercase">2 Comments</span></a>
  243. <a class="comment-link" href="http://www.amptools.net/2008/07/amplify-wcf-twitter-api-client-library.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  244. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=458120713693871790" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  245. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  246. </div>
  247. <h2 class="blog-title"><a name="8164722880411458481"></a>
  248. Using WCF to access the Flickr JSON API
  249. <span class="blog-byline">
  250. by: michael herndon, at: 7/17/2008 06:40:00 AM
  251. </span>
  252. </h2>
  253. <div class="blog-content">
  254. <p>Even though there are quite a few opensource .Net libraries REST API out there, and a really impressive one for Flickr, they tend to never evolve or fork to use the newer framework technologies.&#160; I think its great that they support 1.0, 2.0, and mono, but why not fork and support WCF?&#160; I think part of the problem that .Net 3.5 use is not wide spread as it should be is not only information overload and bad naming for extension libraries, but also lack of opensource support to provide libraries and basis for current technology.&#160; </p> <p>Flickr tends to be a little more tricky to use when calling it than some other REST APIs. WCF is a cool technology, but needs to be massaged when using it with Flickr due to a couple of gotchas and not so obvious things about WCF. In order to use Flickr, you need to register for an api_key and a shared secret code which is used to create an MD5 hash. You also need to create that MD5 each time you call a method, using the url parameters in a certain way. </p> <p>There are also a few not so obvious factors about using the JSON part of Flickr. All of the .Net libraries I've seen so far, use XML. While C# is king of parsing&#160; XML, JSON tends to be more compact, which means less expense over the wire, though it might mean more time parsing once on the developers end point. So there are tradeoffs to using it. </p> <p>When I created the classes needed to use WCF to call Flickr, I have the actual &quot;DataContract&quot; object (DTO, Data Transfer Object), A Hash (Dictionary&lt;string, object&gt;) for adding the parameters to create the MD5 signature, A base class for creating the WCF proxy, a custom &quot;WebContentTypeMapper&quot;, The &quot;ServiceContract&quot; interface, the actual &quot;Client class&quot;, and a mixins class for creating the MD5. </p> <p>Here are some of the gotchas that I ran into while getting WCF to work with Flickr. </p> <p></p> <ol> <li>Flickr makes you create a md5 hash to send with every call for ALL parameters in alphabetical order using your &quot;Shared Secret&quot; Code as part of the md5.&#160;&#160; </li> <li>Flickr's Json response &quot;Content-Type&quot; header is sent not as &quot;application/json&quot; but as &quot;text/plain&quot; which equates to &quot;Raw&quot; in WCF lingo.&#160; </li> <li>The response object is wrapped and not obvious when it comes to json how the DataContract object should be formed.&#160; </li> <li>Flickr will wrap the json response in a javascript function unless you pass in the parameter &quot;nojsoncallback=1&quot; </li> </ol> <p>To get around number one, I created an extension method that takes a Hash (Dictionary&lt;string, object&gt;) and adds method that converts the parameters into a MD5 string. </p> <pre class="code csharp">namespace Amplify.Linq
  255. {
  256. using System;
  257. using System.Collections.Generic;
  258. using System.Linq;
  259. using System.Text;
  260. #if STANDALONE
  261. public class Hash : Dictionary&lt;string, object&gt;
  262. {
  263. }
  264. #endif
  265. }
  266. // different file
  267. namespace Amplify.Linq
  268. {
  269. using System;
  270. using System.Collections.Generic;
  271. using System.Linq;
  272. using System.Security.Cryptography;
  273. using System.Text;
  274. using Amplify.Linq;
  275. public static class Mixins
  276. {
  277. public static string ToMD5(this Hash obj, string secret)
  278. {
  279. var query = from item in obj
  280. orderby item.Key ascending
  281. select item.Key + item.Value.ToString();
  282. StringBuilder builder = new StringBuilder(secret, 2048);
  283. foreach (string item in query)
  284. builder.Append(item);
  285. MD5CryptoServiceProvider crypto = new MD5CryptoServiceProvider();
  286. byte[] bytes = Encoding.UTF8.GetBytes(builder.ToString());
  287. byte[] hashedBytes = crypto.ComputeHash(bytes, 0, bytes.Length);
  288. return BitConverter.ToString(hashedBytes).Replace(&quot;-&quot;, &quot;&quot;).ToLower();
  289. }
  290. }
  291. }</pre>
  292. <p>Well Gotcha number two, took a bit of research to figure it out. The error I got was that it was looking for Json or XML but could not do anything with &quot;Raw&quot;. So the solution is to create a custom binding with a custom WebContentTypeManager. </p>
  293. <pre class="code csharp">namespace Amplify.Flickr
  294. {
  295. using System.ServiceModel;
  296. using System.ServiceModel.Channels;
  297. using System.Runtime.Serialization;
  298. using System.ServiceModel.Web;
  299. public class JsonContentMapper : WebContentTypeMapper
  300. {
  301. public override WebContentFormat GetMessageFormatForContentType(string contentType)
  302. {
  303. return WebContentFormat.Json;
  304. }
  305. }
  306. }
  307. // different file
  308. namespace Amplify.Flickr
  309. {
  310. using System;
  311. using System.Collections.Generic;
  312. using System.Linq;
  313. using System.Text;
  314. using System.ServiceModel;
  315. using System.ServiceModel.Channels;
  316. using System.ServiceModel.Description;
  317. using System.ServiceModel.Web;
  318. using Amplify.Linq;
  319. public class FlickrClient&lt;T&gt;
  320. {
  321. protected string Secret { get; set; }
  322. protected string Key { get; set; }
  323. protected string Token { get; set; }
  324. protected string Url { get; set; }
  325. protected T Proxy { get; set; }
  326. public FlickrClient(string key, string secret)
  327. {
  328. this.Key = key;
  329. this.Secret = secret;
  330. this.Url = &quot;http://api.flickr.com/services/rest&quot;;
  331. this.Proxy = this.InitializeProxy();
  332. }
  333. public FlickrClient(string key, string secret, string token)
  334. :this(key, secret)
  335. {
  336. this.Token = token;
  337. }
  338. protected virtual T InitializeProxy()
  339. {
  340. // using custom wrapper
  341. CustomBinding binding = new CustomBinding(new WebHttpBinding());
  342. WebMessageEncodingBindingElement property = binding.Elements.Find&lt;WebMessageEncodingBindingElement&gt;();
  343. property.ContentTypeMapper = new JsonContentMapper();
  344. ChannelFactory&lt;T&gt; channel = new ChannelFactory&lt;T&gt;(
  345. binding, this.Url);
  346. channel.Endpoint.Behaviors.Add( new WebHttpBehavior());
  347. return channel.CreateChannel();
  348. }
  349. }
  350. }</pre>
  351. <p>The 3rd issue, to know that all objects are wrapped in a &quot;Response&quot; object. To create a DataContract for the getFrob method on flickr, it took looking at the json to see what it was returning. The object below is the basic form of the Json object that is returned, it also includes the properties in case an error object is returned. </p>
  352. <pre class="code csharp"> using System;
  353. using System.Collections.Generic;
  354. using System.Linq;
  355. using System.Text;
  356. using System.Runtime.Serialization;
  357. [DataContract]
  358. public class FrobResponse
  359. {
  360. [DataMember(Name = &quot;frob&quot;)]
  361. public JsonObject Frob { get; set; }
  362. [DataContract(Name = &quot;frob&quot;)]
  363. public class JsonObject
  364. {
  365. [DataMember(Name = &quot;_content&quot;)]
  366. public string Content { get; set; }
  367. }
  368. [DataMember(Name = &quot;stat&quot;)]
  369. public string Status { get; set; }
  370. [DataMember(Name = &quot;code&quot;)]
  371. public int Code { get; set; }
  372. [DataMember(Name = &quot;message&quot;)]
  373. public string Message { get; set; }
  374. }
  375. // different file
  376. using System;
  377. using System.Collections.Generic;
  378. using System.Linq;
  379. using System.Text;
  380. using System.ServiceModel;
  381. using System.ServiceModel.Web;
  382. [ServiceContract]
  383. public interface IAuthClient
  384. {
  385. [OperationContract,
  386. WebInvoke(
  387. UriTemplate = &quot;/?method=flickr.auth.getFrob&amp;format=json&amp;nojsoncallback=1&amp;api_key={key}&amp;api_sig={signature}&quot;,
  388. ResponseFormat = WebMessageFormat.Json,
  389. BodyStyle = WebMessageBodyStyle.Bare)]
  390. FrobResponse GetFrob(string signature, string key);
  391. [OperationContract,
  392. WebInvoke(
  393. UriTemplate = &quot;/?method=flickr.auth.getToken&amp;format=json&amp;nojsoncallback=1&amp;api_key={key}&amp;frob={frob}&amp;api_sig={signature}&quot;,
  394. ResponseFormat = WebMessageFormat.Json,
  395. BodyStyle = WebMessageBodyStyle.WrappedResponse)]
  396. Auth GetToken(string signature, string key, string frob);
  397. }
  398. // the actual client class.
  399. using System;
  400. using System.Collections.Generic;
  401. using System.Linq;
  402. using System.Text;
  403. using Amplify.Linq;
  404. public class AuthClient : FlickrClient&lt;IAuthClient&gt;
  405. {
  406. public AuthClient(string key, string secret)
  407. :base(key, secret)
  408. { }
  409. public AuthClient(string key, string secret, string token)
  410. :base(key, secret, token)
  411. { }
  412. public string GetFrob()
  413. {
  414. string md5 = new Hash() {
  415. {&quot;api_key&quot;, this.Key},
  416. {&quot;format&quot;, &quot;json&quot;},
  417. {&quot;method&quot;, &quot;flickr.auth.getFrob&quot;},
  418. {&quot;nojsoncallback&quot;, 1}
  419. }.ToMD5(this.Secret);
  420. FrobResponse response = this.Proxy.GetFrob(md5, this.Key);
  421. if (response.Code &gt; 0)
  422. throw new Exception(response.Message);
  423. return response.Frob.Content;
  424. }
  425. }</pre> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/Code.aspx">Code</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a>, <a rel='tag' href="http://www.amptools.net/labels/Flickr.aspx">Flickr</a>, <a rel='tag' href="http://www.amptools.net/labels/JSON.aspx">JSON</a>, <a rel='tag' href="http://www.amptools.net/labels/REST.aspx">REST</a>, <a rel='tag' href="http://www.amptools.net/labels/WCF.aspx">WCF</a></p>
  426. </div>
  427. <div class="blog-footer">
  428. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=8164722880411458481"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=8164722880411458481;><span style="text-transform:lowercase">0 Comments</span></a>
  429. <a class="comment-link" href="http://www.amptools.net/2008/07/using-wcf-to-access-flickr-json-api.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  430. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=8164722880411458481" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  431. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  432. </div>
  433. <h2 class="blog-title"><a name="3907268195622759157"></a>
  434. Amplify&#39;s TwitterN, Yet Another C# Twitter REST API Library
  435. <span class="blog-byline">
  436. by: michael herndon, at: 7/13/2008 03:08:00 PM
  437. </span>
  438. </h2>
  439. <div class="blog-content">
  440. <p><a href="http://code.google.com/p/twittern">http://code.google.com/p/twittern</a></p> <p>I put together a C# twitter library that uses WCF's <a href="http://msdn.microsoft.com/en-us/library/system.runtime.serialization.datacontractattribute.aspx">DataContract</a> &amp; <a href="http://msdn.microsoft.com/en-us/library/system.runtime.serialization.datamemberattribute.aspx">DataMembers</a> and .Net 3.5's <a href="http://msdn.microsoft.com/en-us/library/system.runtime.serialization.json.datacontractjsonserializer.aspx">DataContractJsonSerializer</a>.&#160; Its currently in alpha stage, as I need to finish writing the tests, documentation and make a simple WPF client for twitter.&#160; I needed a twitter library for a personal &quot;secret&quot; project of mine and found that most twitter libraries do not keep up with the twitter API and break when using them. Plus they tend to go to great lengths when parsing the xml.&#160; Unfortunately I do not know if this will work on mono yet. It seems that they have &quot;<a href="http://www.mono-project.com/WCF">Olive</a>&quot;, which is mono's version of WCF and I've seen where they have a path for the &quot;DataContractJsonSerializer&quot;.&#160; If there are any one familiar enough with mono, please by all means use the code, join the project.&#160; </p> <p>One design decision that I made was to use Json rather than xml as its more compact and less data to transfer.&#160; I used WCF because with DataContract &amp; DataMembers you can parse Json and you can name your properties the property way with Pascal Case properties and then tell wcf what attributes of json they represent. This way you don't have properties that look like ruby like &quot;screen_name&quot; or&#160; &quot;profile_sidebar_border_color&quot; in your <a href="http://martinfowler.com/eaaCatalog/dataTransferObject.html">Data Transfer Object</a> in order to deserialize the Json response from twitter. </p> <p>&#160;</p> <p>A basic sample of how to use the library is below. </p> <pre class="code csharp">
  441. using Amplify.Twitter;
  442. using System.Security;
  443. // ... stuff
  444. public void Test()
  445. {
  446. SecureString password = new SecureString();
  447. string temp = "password";
  448. for (var i = 0; i &lt; temp.Length; i++)
  449. password.AppendChar(temp[i]);
  450. password.MakeReadOnly();
  451. Twitter.SetCredentials("Username", password);
  452. StatusService service = Twitter.CreateStatusService();
  453. // or StatusService service = new StatusService("Username", password);
  454. List&lt;Status&gt; tweets = service.GetUserTimeline("MichaelHerndon");
  455. }
  456. </pre> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/C#.aspx">C#</a>, <a rel='tag' href="http://www.amptools.net/labels/CSharp.aspx">CSharp</a>, <a rel='tag' href="http://www.amptools.net/labels/DataContractJsonSerializer.aspx">DataContractJsonSerializer</a>, <a rel='tag' href="http://www.amptools.net/labels/JSON.aspx">JSON</a>, <a rel='tag' href="http://www.amptools.net/labels/REST.aspx">REST</a>, <a rel='tag' href="http://www.amptools.net/labels/Twitter.aspx">Twitter</a>, <a rel='tag' href="http://www.amptools.net/labels/WCF.aspx">WCF</a></p>
  457. </div>
  458. <div class="blog-footer">
  459. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=3907268195622759157"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=3907268195622759157;><span style="text-transform:lowercase">3 Comments</span></a>
  460. <a class="comment-link" href="http://www.amptools.net/2008/07/amplify-twittern-yet-another-c-twitter.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  461. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=3907268195622759157" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  462. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  463. </div>
  464. <h2 class="blog-title"><a name="1442753008958214520"></a>
  465. Thoughts on Developing a Linq To SQL Layer
  466. <span class="blog-byline">
  467. by: michael herndon, at: 4/09/2008 04:46:00 PM
  468. </span>
  469. </h2>
  470. <div class="blog-content">
  471. <p>Amplify is going to have a Data Namespace that will serve as a basis for dealing with data including, validation, database migrations &amp; fixtures similar to rails and even give some basic patterns to use.&#160; One of these patterns will be an Active Record pattern and another will be a Repository pattern, since the repository tends to favor <a href="http://msdn2.microsoft.com/en-us/library/bb425822.aspx">Linq to Sql.</a> </p> <p>One of the biggest debates on <a href="http://msdn2.microsoft.com/en-us/library/bb425822.aspx" rel="tag">Linq to Sql</a> is whether or not it supports the <a href="http://www.lhotka.net/weblog/ShouldAllAppsBeNtier.aspx" rel="tag">NTier</a> scenario. Of course many people are still confusing the difference between physical Tiers and virtual layers in code (DAL is a data access layer, not a tier). Linq to Sql can support layers out of the box, depending on how the developer uses the generated objects.&#160;&#160; Linq to Sql does not support WCF out of the box and you pretty much have to really massage Linq to Sql in order work disconnected, even within a Web Environment the default tight <a href="http://www.west-wind.com/weblog/posts/162336.aspx">relationship between an object and the DataContext</a> can be a bit of a pain. Linq to Sql does follow Domain Driven Design heavily. </p> <p>With <a href="http://www.asp.net/mvc/">Asp.Net Mvc</a> on the horizon, I think it would be proper for a Linq to Sql to have some form of an <a href="http://martinfowler.com/eaaCatalog/activeRecord.html" rel="tag">Active Record</a> harness that provides much of the same functionality as possible as the <a title="tag" href="http://wiki.rubyonrails.org/rails/pages/ActiveRecord">Rail's Active Record</a> does. Obviously c# is not ruby and a developer can not do everything the same way in c# that you can in ruby.&#160; A good reason to get as close as possible to rails api for active record is to simply help developers who know specific concept like rails active record to hit the ground running with Amplify.&#160; </p> <p>The reason I see for doing creating an Active Record for Linq to SQL is so that you can wrap validation, business/domain logic and encapsulate it into one object, versus having to know where the separate rules are kept for data, which can create a simpler api for the developer and clue a person to in to what the domain entity is capable of and should be able to do.&#160; This would hopefully shield the developer from being tempted to do the following with Linq to Sql, which could lead to invalid data or even worse.&#160; </p> <pre class="code csharp"> private void Bind() { // bad practice
  472. using(DataContext db = CreateContext()) {
  473. this.datagrid.DataSource = (from o in db.Clients select o);
  474. this.datagrid.DataBind();
  475. }
  476. }</pre>
  477. <p>Which is a good reason for Amplify to help provide some basic interfaces and even base classes / wrappers for Linq. Now the question is, what do you support? Do support the linq objects that sqlmetal generates, provide your own CodeGen tool for Visual Studio?&#160; Since <a href="http://msdn2.microsoft.com/en-us/library/bb386987.aspx" rel="tag">SqlMetal</a> generates the partial on<strong><em>PropertyName</em></strong>Change methods which are crude and does not help to reduce code or really support code reuse. If you support classes that SqlMetal generates, you need to use some form of Reflection or a Linq Expression to do any kind of business rules evaluation of the incoming values.&#160; Do you create your own kind of UnitOfWork pattern and force Linq To Sql to work disconnected and keep track of your own changes, if not what is the best way of keeping track of the DataContext that your object is now tied to?&#160; </p>
  478. <p>And if you do your own UnitOfWork pattern, you have to either add a binary timestamp or int version to the table or you have to keep the intial values of the object stashed or you have to fetch the current object in the database in order to use DataContext.GetTable&lt;T&gt;().Attach(entity, oldEntity); Not exactly what I would call very performant (yes I know, its not in the dictionary, but I like the word performant). </p>
  479. <p>If you have any comments, suggestions, questions, feel free to drop me a line. </p> <p class="blogger-labels">Labels: <a rel='tag' href="http://www.amptools.net/labels/Active Record.aspx">Active Record</a>, <a rel='tag' href="http://www.amptools.net/labels/Amplify.aspx">Amplify</a>, <a rel='tag' href="http://www.amptools.net/labels/Linq.aspx">Linq</a>, <a rel='tag' href="http://www.amptools.net/labels/Linq To Sql.aspx">Linq To Sql</a></p>
  480. </div>
  481. <div class="blog-footer">
  482. <a class="comment-link" href="https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1442753008958214520"location.href=https://www.blogger.com/comment.g?blogID=7043853799247804655&postID=1442753008958214520;><span style="text-transform:lowercase">0 Comments</span></a>
  483. <a class="comment-link" href="http://www.amptools.net/2008/04/thoughts-on-developing-linq-to-sql.aspx#links"><span style="text-transform:lowercase">Links to this post</span></a>
  484. <span class="item-action"><a href="http://www.blogger.com/email-post.g?blogID=7043853799247804655&postID=1442753008958214520" title="Email Post"><img class="icon-action" alt="" src="http://www.blogger.com:80/img/icon18_email.gif" height="13" width="18"/></a></span>
  485. <script type="text/javascript" src="http://w.sharethis.com/widget/?tabs=web%2Cemail&amp;charset=utf-8&amp;services=reddit%2Cdigg%2Cfacebook%2Cmyspace%2Cdelicious%2Cstumbleupon%2Ctechnorati%2Cpropeller%2Cblinklist%2Cmixx%2Cnewsvine%2Cgoogle_bmarks%2Cyahoo_myweb%2Cwindows_live%2Cfurl&amp;style=rotate&amp;publisher=baa2824f-9291-46c0-87b4-6d5a72508a05&amp;headerbg=%23dddddd&amp;inactivebg=%231bb601&amp;inactivefg=%2370eb00%09&amp;linkfg=%231bb601"></script>
  486. </div>
  487. <h2 class="blog-title"><a name="8687698153489958182"></a>
  488. Gallio &amp; Mb-Unit 3 With BDD style tests, I mean specs
  489. <span class="blog-byline">
  490. by: michael herndon, at: 4/05/2008 08:49:00 PM
  491. </span>
  492. </h2>
  493. <div class="blog-content">
  494. <p><a href="http://www.amptools.net/content/users/michaelherndon/images/GallioMbUnit3withBDDstyletestsImeanspecs_11EDC/behaviordrivendevelopmentex.jpg"><img style="margin: 0px 0px 10px 25px" height="148" alt="Only sky is the limit" src="http://www.amptools.net/content/users/michaelherndon/images/GallioMbUnit3withBDDstyletestsImeanspecs_11EDC/behaviordrivendevelopmentex_thumb.jpg" width="240" align="right" /></a><a href="http://en.wikipedia.org/wiki/Behavior_Driven_Development">BDD</a>, Behavior Driven Development, is basically a fusio

Large files files are truncated, but you can click here to view the full file