Auto-Format your Code in Visual Studio
Many a times we often come across unformatted code, which is almost impossible to understand. For instance, some lines of code may be indented properly while others might not be. Visual Studio provides a great feature for auto-formatting your unformatted code. Just press Ctrl+K followed by Ctrl+D and voila the code is now in a well-indented, easy to understand format. It works for markup code like HTML, XML etc. as well as for language codes such as C# and VB.
So, next time you copy some code from the net you can easily reformat it by using the key combination. Alternately, you can also use Ctrl+K followed by Ctrl+F.
Monday, September 29, 2008
Friday, September 26, 2008
Update on web project
Just spent the last few weeks absorbing all there is to know about theory and practice of
Now establishing a live test site to begin building the working DB model. I am backing up the live site before I create a live test site in a subdirectory of the root dir. Ideally, I would see about a test server, but I am looking to turn this around quickly, so I'm going to kick out the jams in a subdirectory instead.
Next up, restricting access to the live database-linked forms and providing a layer of validation. Also, working with binary files, as images will be a large part of the site.
- planning a database, data access layer and business layer
- security concerns in areas of web access, user accounts and admin roles
Now establishing a live test site to begin building the working DB model. I am backing up the live site before I create a live test site in a subdirectory of the root dir. Ideally, I would see about a test server, but I am looking to turn this around quickly, so I'm going to kick out the jams in a subdirectory instead.
Next up, restricting access to the live database-linked forms and providing a layer of validation. Also, working with binary files, as images will be a large part of the site.
Friday, September 12, 2008
Data Access Layer adding custom classes
When you create DataTables, the custom code is generated as an XML Schema Definition file, or .xsd.  If you right-click the definition for your DataTable in the Solution Explorer you can see the generated markup.  
This is useful to know, because while the autogenerated content does its job fine as is, you can add further stubs of code to modify Data Access operations or customize your results.  I did this by creating a new class file in the App_Code folder.  The new class file is a partial class that allows me to perform a custom method on a Row within a Table once the row has been instantiated.  This is a handy technique to cleanly procedureize a complex filter operation.  
More info on this technique is available at asp.net.
Labels:
asp.net,
custom classes,
dal,
data access layer
Thursday, September 11, 2008
Data Access Layer Last Look at Basics
Now a brief look at how to write SQL Queries for TableAdapters. Consider that we want the table Adapter to:
- Hold a custom set of table values, often a collection of values from several tables
- Handle INSERT, UPDATE and DELETE commands on the TableAdapters
If we make a table with SQL Queries that assemble data from different tables, having this functionality is simple as long as the Queries are structured with subqueries for multiple tables. Stated another way, don't use Joins, use Select statements.  Here is an example of this:
Following this, you can perform SQL queries with IntelliSense evaluation of changed data. Next an examination of Business Layer Logic.SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued,(SELECT CategoryName from Categories WHERE Categories.CategoryID = Products.CategoryID) as CategoryName, (SELECT CompanyName FROM Suppliers WHERE Suppliers.SupplierID = Products.SupplierID) as SupplierNameFROM Products
Inserting, Updating and Deleting Data using the Data Access Layer
There are two patterns commonly used for inserting, updating and deleting data.  
- A database direct pattern - a rigid 1-to-1 replacement command
- A batch update pattern - pass entire DataSet, DataTable or collection of DataRows to method call that determines appropriate request for each record
Guess which one is more flexible? Indeed, we will be looking at DAL implementations of pattern 2, batch update. By default the TableAdapter uses the batch update pattern. The capability to use this functionality is set in the wizard template under Advanced Options.  You can check the box "Generate Insert, Update and Delete statements," which I did.
If you look at the properties panel of the PropertiesTableAdapter, you will see the commands carried out using the InsertCommand, UpdateCommand and DeleteCommand.  They are available as well.
A generalized use of the batch update pattern to update a DB works like this:
- Create instance of the ProductsDataTable
- Call the Adapter method GetProducts() on the instance to populate it.
- Crawl through each row, performing assignment operations where fitting.
- Call the Adapter method Update(productsDataTableInstance) on the productsAdapter
That's all it takes.  The method evaluates changes to the table and assigns them to DB.
Now, what about creating a custom method to insert data?  Start by right-clicking on the TableAdapter and going into the wizard. Let's look at the procedure required to add a new product and then return the value of the newly added record's ProductID. Therefore, opt to create an INSERT query in the wizard.
When you get to the SQL Query window, type in this string in preparation of the new method:
INSET INTO [Products] ([ProductName], [SupplierID], [CategoryID], [QuantityPerUnit], [UnitPrice], [UnitsInStock], [UnitsOnOrder], [ReorderLevel], [Discontinued])VALUES (@ProductName, @SupplierID, @CategoryID, @QuantityPerUnit, @UnitPrice, @UnitsInStock, @UnitsOnOrder, @ReorderLevel, @Discontinued);--Return the ProductID for the newly created record...SELECT SCOPE_IDENTITY()
Finally, name the new method InsertProduct.
Now all you have to do to add a new product is create parameters for the matching values:
It's a handy using the DAL once you get to know the details of it. More next time.NorthwindTableAdapters.ProductsTableAdapter productsAdapter = new NorthwindTableAdapters.ProductsTableAdapter();//add a new productint new_productID = Convert.ToInt32(productsAdapter.InsertProduct("New Product", 1, 1, "12 tins per carton", 12.95m, 10, 0, 10, false));// or to delete the productproductsAdapter.Delete(new_productID);
Data Access Layer 2, SQL Query Structures
To Reorient from the conclusion of my last post, the current topic is:
- Creating a DataTable in a Typed DataSet using the TableAdapter Configuration Wizard
- Supplying a SQL Query string to build a useful DataAdapter class within the DataTable
- Working with the methods of the DataAdapter class to access and modify DB lists
I provided an example of a basic SQL Query resulting in a method, GetProducts(), that lists all the products in the database when called. To make it more useful, I need the ability to retrieve information based on specific properties. For this, we can add parameterized methods to the TableAdapter.
Creating parameterized methods for the Table Adapter
The first method created in the DAL is GetProducts(). Now I am going to add to that a GetProductsByCategoryID(categoryID) method. 
Right click the TableAdapter interface and select Add Query from the list. The SQL SELECT statement is similar to the last with one important difference:
SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, DiscontinuedFROM ProductsWHERE CategoryID = @CategoryID
Color highligting added to emphasize the filtering string of the previous query. That is the only difference from the original method that gets the entire table.  The obvious question this begs is how to pass the scalar variable to the SQL query in an actual data event.  Two answers to this.
For quick gratification, you can supply a test parameter to a Preview Data test. Right click on the method in the TableAdapter to do this.
To actually use the TableAdapter method in a .net page, I'll provide a summary overview of the complete framework:
named instance object:
NorthwindTableAdapters.ProductsTableAdapter productAdapter = new NorthwindTableAdapters.ProductsTableAdapter();
dataTable object:
Northwind.ProductsDataTable products;
invoke method (returns a Typed DataSet) and assign to the instance object
products = productsAdapter.GetProductsByByCategoryID(1);
and return it row by row as html
As regards an implementation in an .aspx and accompanying .cs, the deviations from a blank page are as follows:foreach (Northwind.ProductsRow productsRow in products)Response.Write("Product: " + productRow.ProductName + "
");
the .aspx page
- Create GridView .NET component and take note of assigned ID
the .cs page
- on Page_Load, declare a new instance of ProductsTableAdapter as above
- assign instance.GetProductsByCategoryID(value) to IDofGridView.DataSource
- instance.DataBind();
That's it!  No data access-specific code required.
Next up, Inserting, Updating and Deleting Data
Wednesday, September 10, 2008
Data Access Layer Continued
The process of separating data from presentation makes use of
In preparing the foundation of a DAL, it should be clear how to do the following (so I'm not going to dwell on them):
SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
FROM Products
Which results in two methods, the ability to
For instance, I create a named instance of a NorthwindTableAdapters.ProductsTableAdapter (Northwind is the ID of my Typed DataSet and Products is the DataTable):
- A Data Access Layer, using Typed DataSets
- A Business Logic Layer (BLL) that enforces custom business rules and
- A Presentation Layer consisting of ASP.NET pages with a common layout
In preparing the foundation of a DAL, it should be clear how to do the following (so I'm not going to dwell on them):
- Establish a DB Connection
- Add a DataSet from the template list
- Run through the TableAdapter Configuration Wizard
SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
FROM Products
Which results in two methods, the ability to
- fill a DataTable - takes in a DataTable as a parameter and populates it based on the query
- return a DataTable - creates and fills the DataTable for you and returns it as the method's return value
For instance, I create a named instance of a NorthwindTableAdapters.ProductsTableAdapter (Northwind is the ID of my Typed DataSet and Products is the DataTable):
NorthwindTableAdapters.ProductsTableAdapter productsAdapter = new NorthwindTableAdapters.ProductsTableAdapter();This short but effective code will cycle through each record in the database table and create a list of all the names in the table.
Northwind.ProductsDataTable products;
products = productsAdapter.GetProducts();
foreach (Northwind.ProductsRow productRow in products)
Response.Write("Product: " + productRow.ProductName + "
");
Tuesday, September 9, 2008
Data Layer Strategy
I'm redesigining the data layer for my current client and am using Microsoft SQL Server Management Studio Express with Visual Studio 2008.
I began by diagramming the relationship of their products and reference information in their annual mail-out catalogs. Then we met to discuss the current product lineup and plans for future products. Following this, I produced some UML diagrams and used note cards with dry erase markers to plot the Unique IDs and Foreign Keys and modularized a RDBM system in preparation of the development process. I also began mocking up some basic UI screens for integration and to assist in the data visualization from their internal team perspective.
The API for their web resolves to two applications, a product inventory and a product photo gallery. Each has a role that defines and supports the other. Using my UML architecture and SQL queries, I developed a schema with the appropriate foundation to begin a DB system.
I started the admin implementation with some models in the .NET IDE. Creating GridViews and binding to the SQL DB, I tested the model with embedded data-specific logic in the presentation layer. The method tested was a combination of ADO.NET code in the ASP.NET code and SqlDataSource controls in the markup. While I was able to populate the data easily, the need to create new markup for every procedure was not an optimal solution.
A better approach for the client, in fact, for any client development project, is the abstraction of the data access logic into a separate layer, called the Data Access Layer, or DAL. Using Visual Studio's DataSet template, you can create predefined SELECT, INSERT, UPDATE and DELETE commands to streamline data binding. It frees up the developer to make better decisions in the implementation process.
Using the DAL allows strongly-typed members in the DataTable, an advantage I'll go into next time. For more information, see Designing Data Tier Components and Passing Data Through Tiers.
I began by diagramming the relationship of their products and reference information in their annual mail-out catalogs. Then we met to discuss the current product lineup and plans for future products. Following this, I produced some UML diagrams and used note cards with dry erase markers to plot the Unique IDs and Foreign Keys and modularized a RDBM system in preparation of the development process. I also began mocking up some basic UI screens for integration and to assist in the data visualization from their internal team perspective.
The API for their web resolves to two applications, a product inventory and a product photo gallery. Each has a role that defines and supports the other. Using my UML architecture and SQL queries, I developed a schema with the appropriate foundation to begin a DB system.
I started the admin implementation with some models in the .NET IDE. Creating GridViews and binding to the SQL DB, I tested the model with embedded data-specific logic in the presentation layer. The method tested was a combination of ADO.NET code in the ASP.NET code and SqlDataSource controls in the markup. While I was able to populate the data easily, the need to create new markup for every procedure was not an optimal solution.
A better approach for the client, in fact, for any client development project, is the abstraction of the data access logic into a separate layer, called the Data Access Layer, or DAL. Using Visual Studio's DataSet template, you can create predefined SELECT, INSERT, UPDATE and DELETE commands to streamline data binding. It frees up the developer to make better decisions in the implementation process.
Using the DAL allows strongly-typed members in the DataTable, an advantage I'll go into next time. For more information, see Designing Data Tier Components and Passing Data Through Tiers.
Wednesday, September 3, 2008
NVARCHAR versus VARCHAR
A succinct evaluation from ASP.NET Blogs
SQL Server provides both datatypes to store character information. For the most part the two datatypes are identical in how you would work with them within SQL Server or from an application. The difference is that nvarchar is used to store unicode data, which is used to store multilingual data in your database tables. Other languages have an extended set of character codes that need to be saved and this datatype allows for this extension. If your database will not be storing multilingual data you should use the varchar datatype instead. The reason for this is that nvarchar takes twice as much space as varchar, this is because of the need to store the extended character codes for other languages.
SQL Wednesday
Boot up
IIS
Initial Development: Code Behind Experiment
 
 
 Starts Automatically
SQLEXPRESS
 Server Starts Manually
Visual Basic 2008
 Associations made to SQLEXPRESS in Server Explorer
Initial Development: Code Behind Experiment
 Experimenting with the VB concept of code behind
 Using C# in an aspx.cs file referenced in the head of the client document
 Testing out connections between forms, elements and IDs in C#
SQL TEST #1
 Work with Direct Data Access, requires three steps
- Create Connection object
- Create Command object
- Create Data Reader object
----------------
CONNECTION OBJECT
 Step One:
 Different ways to create a connection object.  Need to know:
- Server Name, aka Data Source (e.g. localhost\SQLEXPRESS)
- Database Name aka Initial Catalog (e.g. Pubs)
- Security Type aka Integrated Security (e.g. SSPI)
 In C# be sure to import the proper namespaces for the Data Provider you're using. It could be SQL, OLE DB, Oracle or ODBC. I'm using SQL, so the namespaces to import are:
 The Data Provider Classes for SQL Server Data Provider are
- Connections - SqlConnection
- Command - SqlCommand
- DataReader - SqlDataReader
- DataAdapter - SqlDataAdapter
- using System.Data;
- using System.Data.SqlClient; 
 Once these namespaces are imported, you can create an object of type SqlConnection
 SqlConnection myConnection = new SqlConnection();
 myConnection.ConnectionString = "Data Source=localhost\SQLEXPRESS;" + "Initial Catalog=Pubs;Integrated Security=SSPI";
 This code would normally go in the code behind aka the aspx.cs file of the operative file. Since many different operative files will likely use the same connection string, a better approach is to centralize the connection string for easy universal reference. This could be done as a class member variable. Even better, put it in a configuration file.  
The configuration file is an xml file called web.config.  It sits at the root of the project and can be accesed globally. Thus it is a good place for the connection string info.
I'm placing it in the  section of the web.config file. 
Retrieve the connection string by name using OO notation after adding namespace System.Web.Configuration:
string connectionString =  WebConfigurationManager.ConnectionStrings["Pubs"].ConnectionString;
-----------------
COMMAND OBJECT
 To actually retrieve data requires
- A SQL statement that selects the information you want
- A Command object that executes the SQL statement
- A DataReader or DataSet object to access the retrieved records
 Here's a method
 SqlCommand myCommand = new SqlCommand();
 myCommand.Connection = myConnection;
 myCommand.CommandText = "SELECT * FROM Authors ORDER BY au_lname ";
--------------
 DATA READER
 to create a DataReader, you use the ExecuteReader() method of the command object:
 SqlDataReader myReader;
 myReader = myCommand.ExecuteReader();
 move forward one line at a time using the myReader.Read(); method
 with each row, you can add to an object this way:
 1stNames.Items.Add(myReader["au_lname"] + ", " + myReader["au_fname"]);
 to move to the next row, use the Read() method again. When finished, close the DataReader and Connection
 myReader.Close();
 myConnection.Close();
Done for now.
Tuesday, September 2, 2008
ADO.NET Part 1
First Step is connecting to the servers, both http and sql.
This is done in the Server Explorer. For a local connection with Management Studio Express, use server name:
localhost\SQLEXPRESS
then the test db I got from the Microsoft site:
pubs
and success. Tables are listed under Data Connections in the Server Explorer.
left click shows table definition, right click shows table data.
Using the command line results in plenty of Select, Update, Insert and Delete queries.
This is done in the Server Explorer. For a local connection with Management Studio Express, use server name:
localhost\SQLEXPRESS
then the test db I got from the Microsoft site:
pubs
and success. Tables are listed under Data Connections in the Server Explorer.
left click shows table definition, right click shows table data.
Using the command line results in plenty of Select, Update, Insert and Delete queries.
Creating ADO.NET DB with Visual Studio 2008
Yes, I'm using Visual Studio at the moment.
Though not outright embarrassing, defensiveness creeps in. I'm only using Microsoft for the client.
Besides, nothing wrong with some healthy competitive analysis. I'm learning how the other side thinks. Nah, just more defensiveness.
In any case, I have set up a good test environment for this. IIS running in place of Apache and SQL Management Studio Express in place of MySQL. Have to remember it's called see-qwel rather than my-Ess-Cue-Ell. It's a mental block.
Now to the next post where I chronicle the ADO.NET skulduggery in detail.
Though not outright embarrassing, defensiveness creeps in. I'm only using Microsoft for the client.
Besides, nothing wrong with some healthy competitive analysis. I'm learning how the other side thinks. Nah, just more defensiveness.
In any case, I have set up a good test environment for this. IIS running in place of Apache and SQL Management Studio Express in place of MySQL. Have to remember it's called see-qwel rather than my-Ess-Cue-Ell. It's a mental block.
Now to the next post where I chronicle the ADO.NET skulduggery in detail.
html eblast and mailchimp
Looking at helping current client to prepare some eblast templates for a marketing campaign leading up to a tradeshow in February 2009.
In past marketing campaigns, I've found mailchimp.com very useful. They automate the process of creating graphical templates so you don't have to.
One of the biggest hurdles in a mail campaign is meeting all the disparate mail client systems with the greatest possible compliance. A 100% success rate for html presentation is not possible, but companies like mailchimp insure near-optimal results by automating the creation process and placing all metatags up to current standards.
For instance, the template should not be too wide. I'm using their guidelines for a 600px width and their stylesheet system.
In past marketing campaigns, I've found mailchimp.com very useful. They automate the process of creating graphical templates so you don't have to.
One of the biggest hurdles in a mail campaign is meeting all the disparate mail client systems with the greatest possible compliance. A 100% success rate for html presentation is not possible, but companies like mailchimp insure near-optimal results by automating the creation process and placing all metatags up to current standards.
For instance, the template should not be too wide. I'm using their guidelines for a 600px width and their stylesheet system.
Subscribe to:
Comments (Atom)
