KTA
KTA
KTA
Frame work
Next >>
****What is IL?
IL = Intermediate Language. Also known as MSIL (Microsoft
Intermediate Language) or CIL (Common Intermediate Language). All
.NET source code (of any language) is compiled to IL. The IL is then
converted to machine code at the point where the software is installed,
or at run-time by a Just-In-Time (JIT) compiler.
What does 'managed' mean in the .NET context?
The term 'managed' is the cause of much confusion. It is used in various
places within .NET, meaning slightly different things.Managed code: The
.NET framework provides several core run-time services to the programs
that run within it - for example
exception handling and security. For these services to work, the code
must provide a minimum level of information to the runtime.
Such code is called managed code. All C# and Visual Basic.NET code is
managed by default. VS7 C++ code is not managed by default, but the
compiler can produce managed code by specifying a command-line
switch (/com+).
Managed data: This is data that is allocated and de-allocated by the
.NET runtime's garbage collector. C# and VB.NET data is always
managed. VS7 C++ data is unmanaged by default, even when using the
/com+ switch, but it can be marked as managed using the __gc
keyword.Managed classes: This is usually referred to in the context of
Managed Extensions (ME) for C++. When using ME C++, a class can be
marked with the __gc keyword. As the name suggests, this means that
the memory for instances of the class is managed by the garbage
collector, but it also means more than that. The class becomes a fully
paid-up member of the .NET community with the benefits and
restrictions that brings. An example of a benefit is proper interop with
classes written in other languages - for example, a managed C++ class
can inherit from a VB class. An example of a restriction is that a
managed class can only inherit from one base class.
What is reflection?
All .NET compilers produce metadata about the types defined in the
modules they produce. This metadata is packaged along with the
module (modules in turn are packaged together in assemblies), and can
be accessed by a mechanism called reflection. The System.Reflection
namespace contains classes that can be used to interrogate the types
for a module/assembly.
Using reflection to access .NET metadata is very similar to using
ITypeLib/ITypeInfo to access type library data in COM, and it is used for
similar purposes - e.g. determining data type sizes for marshaling data
across context/process/machine boundaries.
Reflection can also be used to dynamically invoke methods (see
System.Type.InvokeMember ) , or even create types dynamically at run-
time (see System.Reflection.Emit.TypeBuilder).
Class instances often encapsulate control over resources that are not
managed by the runtime, such as window handles (HWND), database
connections, and so on. Therefore, you should provide both an explicit
and an implicit way to free those resources. Provide implicit control by
implementing the protected Finalize Method on an object (destructor
syntax in C# and the Managed Extensions for C++). The garbage
collector calls this method at some point after there are no longer any
valid references to the object. In some cases, you might want to provide
programmers using an object with the ability to explicitly release these
external resources before the garbage collector frees the object. If an
external resource is scarce or expensive, better performance can be
achieved if the programmer explicitly releases resources when they are
no longer being used. To provide explicit control, implement the Dispose
method provided by the IDisposable Interface. The consumer of the
object should call this method when it is done using the object.
Dispose can be called even if other references to the object are alive.
Note that even when you provide explicit control by way of Dispose, you
should provide implicit cleanup using the Finalize method. Finalize
provides a backup to prevent resources from
directory.
We can make partial references to an assembly in your code one of the
following ways:
-> Use a method such as System.Reflection.Assembly.Load and specify
only a partial reference. The runtime checks for the assembly in the
application directory.
-> Use the System.Reflection.Assembly.LoadWithPartialName method
and specify only a partial reference. The runtime checks for the
assembly in the application directory and in the global assembly cache
executables.
What's the difference between the Debug class and Trace class?
Documentation looks the same. Use Debug class for debug builds, use
Trace class for both debug and release builds.
All the objects that it doesn't find during this search are ready to be
destroyed and the memory reclaimed.
The implication of this algorithm is that the runtime doesn't get notified
immediately when the final reference on an object goes away - it only
finds out during the next sweep of the heap.
Futhermore, this type of algorithm works best by performing the garbage
collection sweep as rarely as possible. Normally heap exhaustion is the
trigger for a collection sweep.
What is serialization?
Serialization is the process of converting an object into a stream of
bytes.
Code Groups:
Note the hierarchy of code groups - the top of the hierarchy is the most
general ('All code'), which is then sub-divided into several groups, each
of which in turn can be sub-divided. Also note that (somewhat counter-
intuitively) a sub-group can be associated with a more permissive
permission set than its parent.
Note that the numeric label (1.3.1) is just a caspol invention to make the
code groups easy to manipulate from the command-line. The underlying
runtime never sees it.
Managed Code:
Un-Managed Code:
each type, the signatures of each type's members, the members that
your code references, and other data that the runtime uses at
presence of metadata in the file along with the MSIL enables your code
to describe itself, which means that there is no need for type libraries or
Interface Definition Language (IDL). The runtime locates and extracts
the metadata from the file as needed during
execution.
Value Type:
Value types are allocated on the stack just like primitive types in
VBScript, VB6 and C/C++. Value types are not instantiated using new go
out of scope when the function they are defined within returns.
Value types in the CLR are defined as types that derive from
system.valueType.
contains file hashes for all the files that constitute the assembly
implementation, it is sufficient to generate the digital signature over just
the one file in the assembly that contains the assembly manifest.
Assemblies with the same strong name are expected to be identical
Explain encapsulation ?
The implementation is hidden, the interface is exposed.
What data type should you use if you want an 8-bit value that's
signed?
sbyte.
Stack.
How can you sort the elements of the array in descending order?
By calling Sort() and then Reverse() methods.
What's the .NET datatype that allows the retrieval of data by a
unique key?
HashTable.
Will finally block get executed if the exception had not occurred?
Yes.
**What's a delegate?
A delegate object encapsulates a reference to a method. In C++ they
were referred to as function pointers.
What's the difference between the Debug class and Trace class?
Documentation looks the same. Use Debug class for debug builds, use
Trace class for both debug and release builds.
What are three test cases you should go through in unit testing?
Positive test cases (correct data, correct output),
? What's the implicit name of the parameter that gets passed into
the class' set method?
Value, and it's datatype depends on whatever variable we're changing.
Can you declare the override method static while the original
method is non-static?
No, you can't, the signature of the virtual method must remain the same,
only the keyword virtual is changed to keyword override.
? Can you prevent your class from being inherited and becoming a
base class for some other classes?
Yes, that's what keyword sealed in the class definition is for. The
developer trying to derive from your class will get a message: cannot
inherit from Sealed class WhateverBaseClassName. It's the same
concept as final class in Java.
Can you allow class to be inherited, but prevent the method from
being over-ridden?
Yes, just leave the class public and make the method sealed.
Why can't you specify the accessibility modifier for methods inside
the interface?
They all must be public. Therefore, to prevent you from getting the false
impression that you have any freedom of choice, you are not allowed to
specify any accessibility, it's public by default.
What's the .NET class that allows the retrieval of a data element
using a unique key?
HashTable.
****What's an interface?
It's an abstract class with public abstract methods all of which must be
implemented in the inherited classes.
Why can't you specify the accessibility modifier for methods inside
the interface?
They all must be public. Therefore, to prevent you from getting the false
impression that you have any freedom of choice,
you are not allowed to specify any accessibility, it's public by default.
having another method with the same name within the class.
Yes, you can, then the class belongs to global namespace which has no
name. For commercial products, naturally, you wouldn't want global
namespace.
Vendor Neutrality
Overall Maturity
Given that the .NET platform has a three year lead over J2EE, it should
be no surprise to learn that the .NET platform is far more mature than
the J2EE platform. Whereas we have high volume highly reliable web
sites using .NET technologies (NASDAQ and Dell being among many
examples)
"Sun has always worked to help establish and support open, standards-
based technologies that facilitate the growth of network-based
applications, and we see UDDI as an important project to establish a
registry framework for business-to-business e-commerce
But while Sun publicly says it believes in the UDDI standards, in reality,
Sun has done nothing whatsoever to incorporate any of the UDDI
standards into J2EE.
Scalability
J2EE
Framework Support
Language
Some companies are under the impression that J2EE supports other
languages. Although both IBM's WebSphere and BEA's WebLogic
support other languages, neither does it through their J2EE technology.
There are only two official ways in the J2EE platform to access other
languages, one through the Java Native Interface and the other through
CORBA interoperability. Sun recommends the later approach. As Sun's
Distinguished Scientist and Java Architect Rick Cattell said in a recent
interview.
Portability
If the primary customer base for the ISV is Windows customers, then
the .NET platform should be chosen. It will provide much better
performance at a much lower cost.
The major difference being that with Java, it is the presentation tier
programmer that determines the ultimate HTML that will be delivered to
the client, and with .NET, it is a Visual Studio.NET control.
This Java approach has three problems. First, it requires a lot of code on
the presentation tier, since every possible thin client system requires a
different code path. Second, it is very difficult to test the code with every
possible thin client system. Third, it is very difficult to add new thin clients
to an existing application, since to do so involves searching through, and
modifying a tremendous amount of presentation tier logic.
Conclusion
Assemblies
Defines the concept of assemblies, which are collections of types and
resources that form logical units of functionality. Assemblies are the
fundamental units of deployment, version control, reuse, activation
scoping, and security permissions.
Application Domains
Explains how to use application domains to provide isolation between
applications.
Runtime Hosts
Describes the runtime hosts supported by the .NET Framework,
including ASP.NET, Internet Explorer, and shell executables.
Cross-Language Interoperability
Explains how managed objects created in different programming
languages can interact with one another.
Because the common language runtime supplies a JIT compiler for each
supported CPU architecture, developers can write a set of MSIL that can
be JIT-compiled and run on computers with different architectures.
However, your managed code will run only on a specific operating
system if it calls platform-specific native APIs, or a platform-specific class
library.
JIT compilation takes into account the fact that some code might never
get called during execution. Rather than using time and memory to
convert all the MSIL in a portable executable (PE) file to native code, it
converts the MSIL as needed during execution and stores the resulting
native code so that it is accessible for subsequent calls. The loader
creates and attaches a stub to each of a type's methods when the type
is loaded. On the initial call to the method, the stub passes control to the
JIT compiler, which converts the MSIL for that method into native code
and modifies the stub to direct execution to the location of the native
code. Subsequent calls of the JIT-compiled method proceed directly to
the native code that was previously generated, reducing the time it takes
to JIT-compile and run the code.
What meant of assembly & global assembly cache (gac) & Meta
data.
Assembly :-- An assembly is the primary building block of a .NET based
application. It is a collection of functionality that is built, versioned, and
deployed as a single implementation unit (as one or more files). All
managed types and resources are marked either as accessible only
within their implementation unit, or as accessible by code outside that
unit. It overcomes the problem of 'dll Hell'.The .NET Framework uses
assemblies as the fundamental unit for several purposes:
Security
Type Identity
Reference Scope
•
Versioning
Deployment
Assistants (PDAs), and embedded devices. The easiest way to develop and test
a Smart Device Application is to use an emulator.
1) Those that are directly supported by .NET (Pocket PCs, i-Mode phones, and
WAP devices)
2) Those that are not (Palm OS and J2ME-powered devices).
GUID :-- GUID is Short form of Globally Unique Identifier, a unique 128-bit
number that is produced by the Windows OS or by some Windows applications
to identify a particular component, application, file, database entry, and/or user.
For instance, a Web site may generate a GUID and assign it to a user's browser
to record and track the session. A GUID is also used in a Windows registry to
identify
COM DLLs. Knowing where to look in the registry and having the correct
GUID yields a lot information about a COM object (i.e., information in the type
library, its physical location, etc.). Windows also identifies user accounts by a
username (computer/domain and username) and assigns it a GUID. Some
database administrators even will use GUIDs as primary key values in
databases.
GUIDs can be created in a number of ways, but usually they are a combination
of a few unique settings based on specific point in t
***Describe the difference between inline and code behind - which is best
in a loosely coupled solution
ASP.NET supports two modes of page development: Page logic code that is
written inside runat="server"> blocks within an .aspx file and dynamically
compiled the first time the page is requested on the server. Page logic code that
is written within an external class that is compiled prior to deployment on a
server and linked ""behind"" the .aspx file at run time.
When compiling the source code to managed code, the compiler translates the
source into Microsoft intermediate language (MSIL). This is a CPU-independen
t set of instructions that can efficiently be converted to native code. Microsoft
intermediate language (MSIL) is a translation used as the output of a number of
compilers. It is the input to a just-in-time (JIT) compiler. The Common
Language Runtime includes a JIT compiler for the conversion of MSIL to native
code.
This is CPU-specific code that runs on the same computer architecture as the
JIT compiler. Rather than using time and memory to convert all of the MSIL in
a portable executable (PE) file to native code. It converts the MSIL as needed
whilst executing, then caches the resulting native code so its accessible for any
subsequent calls.
<< Prev
Next>>
One
Server
Whats an assembly?
Unlimited.
No difference
What is manifest?
What is metadata?
Static assemblies : These are the .NET PE files that you create at compile time.
Public or shared assemblies : These are static assemblies that must have a
unique shared name and can be used by any application.
In .NET, an assembly is the smallest unit to which you can associate a version
number;
When we need to override a method of the base class in the sub class, then we
give the virtual keyword in the base class method. This makes the method in the
base class to be overridable. Methods, properties, and indexers can be virtual,
which means that their implementation can be overridden in derived classes.
· Protected - Access is limited to the containing class or types derived from the
containing class.
Eg:-
Consider the following declaration of a value-type variable:
int i = 1
23;
object o = (object) i;
Boxing Conversion
Eg:
int i = 123;
// A value type
object box = i;
// Boxing
int j = (int)box;
// Unboxing
Value Type : A variable of a value type always contains a value of that type. The
assignment to a variable of a value type creates a copy of the assigned value,
while the assignment to a variable of a reference type creates a co
* Enumeration Type
* Class
* Interface
* Delegate
* object
* string
Unlike classes, structs are value types and do not require heap allocation. A
variable of a struct type directly contains the data of the struct, whereas a
variable of a class type contains a reference to the data. They are derived from
System.ValueType class.
Enum->An enum type is a distinct type that declares a set of named constants.
They are strongly typed coanstants. They are unique types that allow to declare
symbolic names to integral values. Enums are value types, which means they
contain their own value,can't inherit or be inherited from and assignment copies
the value of one enum to another.
A,
B,
What is namespaces?.
Namespace is a logical naming scheme for group related types.Some class types
that logically belong together they can be put into a common namespace. They
prevent namespace collisions and they provide scoping. They are imported as
"using" in C# or "Imports" in Visual Basic. It seems as if these directives
specify a particular assembly, but they don't. A namespace can span multiple
assemblies, and an assembly can define multiple namespaces. When the
compiler needs the definition for a class type, it tracks
through each of the different imported namespaces to the type name and
searches each referenced assembly until it is found.
* The constituent files can include any file types like image files, text files etc.
along with DLLs or EXEs
* When you compile your source code by default the exe/dll generated is
actually an assembly
* Unless your code is bundled as assembly it can not be used in any other
application
* When you talk about version of a component you are actually talking about
version of the assembly to which the component belongs.
* Sign your DLL/EXE with the private key by modifying AssemblyInfo file
Each computer where the common language runtime is installed has a machine-
wide code cache called the global assembly cache. The global assembly cache
stores assemblies specifically designated to be shared by several applications on
the computer.
There are several ways to deploy an assembly into the global assembly cache:
· Use an installer designed to work with the global assembly cache. This is the
preferred option for installing assemblies into the global assembly cache.
When compiling to managed code, the compiler translates your source code into
Microsoft intermediate language (MSIL), which is
ow, direct memory access, exception handling, and other operations. Before
code can be run, MSIL must be converted to CPU-specific code, usually by a
just-in-time (JIT) compiler. Because the common language runtime supplies one
or more JIT compilers for ea
, the signatures of each type's members, the members that your code references,
and other data that the runtime uses at execution time. The MSIL and metadata
are contained in a portable executable (PE) file that is based on and extends the
published Micros
oft PE and common object file format (COFF) used historically for executable
content. This file format, which accommodates MSIL or native code as well as
metadata, enables the operating system to recognize common language runtime
images. The presence of me
tadata in the file along with the MSIL enables your code to describe itself,
which means that there is no need for type libraries or Interface Definition
Language (IDL). The runtime locates and extracts the metadata from the file as
needed during execution
Just-In-Time compiler- it converts the language that you write in .Net into
machine language that a computer can understand. there are tqo types of JITs
one is memory optimized & other is performace optimized.
WriteLine
Flush
Close
Closes the output stream in order to not receive the tracing/debugging output.
<<
>>
....
...
..
ack is True, if the page is being loaded in response to the client postback; while
its value is False, when the page is loaded for the first time. The
Page.IsPostBack property facilitates execution of certain routine in Page_Load,
only once (for e.g. in Pa
ge load, we need to set default value in controls, when page is loaded for the
first time. On post back, we check for true value for IsPostback value and then
invoke server-side code to
update data).
Both XmlReader and XmlWriter are abstract base classes, which define the
functionality that all derived cl
Multiple Inheritance is an ability to inherit from more than one base class i.e.
ability of a class to have more than one superclass, by inheriting from different
sources and thus combine separately-defined behaviors in a single class. There
are two types of multiple inheritance: multiple type/interface inheritance and
multiple implementation inheritance. C# & VB.NET supports only multiple
type/interface inheritance, i.e. you can derive an class/interface from multiple
interfaces. There is no support for multiple implementation inheritance in .NET.
That means a class can only derived from one class.
Both XmlReader and XmlWriter are abstract base classes, which define the
functionality that all derived classes must support.
1.XmlTextReader
2.XmlNodeReader
3.XmlValidatingReader
1.XmlTextWriter
2.XmlNodeWriter
r and XmlNodeWriter are designed for working with in-memory DOM tree
structure. The custom readers and writers can also be developed to extend the
built-in functionality of XmlReader and XmlWriter.
Code that runs outside the CLR is referred to as "unmanaged code." COM
components, ActiveX components, and Win32 API functions are examples of
unmanaged code.
One way is simply use xcopy. others are use and the setup projects in .net. and
one more way is use of nontuch deployment.
2. Run-time adjustment
Resource files are the files containing data that is logically deployed with an
application.These files can contain data in a number of formats including
strings, images and persisted objects. It has the main advantage of If we store
data in these files then we don't need to compile these if the data get changed. In
.NET we basically require them storing culture specific informations by
localizing application's resources. You can deploy your resources using satellite
assemblies.
Finalize method is used to free the memory used by some unmanaged resources
like window handles (HWND). It's similar to the destructor syntax in C#. Th
e GC calls this method when it founds no more references to the object. But, In
some cases we may need release the memory used by the resources
explicitely.To release the memory explicitly we need to implement the Dispose
method of IDisposable interface.
What is encapsulation ?
bject and call its start() method you are not worried about what happens to
accomplish this, you just want to make sure the state of the bike is changed to
'running' afterwards. This kind of behavior hiding is encapsulation and it makes
programming much easier.
class Moon:Planet
{
//Not allowed as base class is sealed
What is GUID and why we need to use it and in what condition? How this
is created.
A GUID is a 128-bit integer (16 bytes) that can be used across all computers
and networks wherever a unique identifier is required. Such an identifier has a
very low probability of being duplicated.
Visual Studio .NET IDE has a utility under the tools menu to generate GUIDs.
We need to serialize the object,if you want to pass object from one
computer/application domain to another.Process of converting complex objects
into stream of bytes that can be persisted or transported.Namespace for
serialization is System.Runtime.Serialization.The ISerializable interface allows
you to make any class Serializable..NET framework features 2 serializing
method.
Unmanaged code includes all code written before the .NET Framework was
introduced -this includes code written to use COM, native Win32, and Visual
Basic 6. Because it does not run inside the .NET environment, unmanaged code
cannot make use of any .NET managed facilities."
Delegate that can have more than one element in its invocation List.
using System;
namespace SampleMultiCastDelegate
using System;
namespace SampleMultiCastDelegate
public MainClass(){}
Console.WriteLine("Jump");
return String.Empty;
Console.WriteLine("Run");
return String.Empty;
Console.WriteLine("Walk");
return String.Empty;}
}
using System;
using System.Threading;
namespace SampleMultiCastDelegate
MultiCast.strMultiCast Run,Walk,Jump;
MultiCast.strMultiCast myDelegate;
myDelegate=(MultiCast.strMultiCast)System.Delegate.Combine(Run,Walk);
When a process starts a specific memory area is allocated to it. When there is
multiple thread in a process, each thread gets a memory for storing the variables
in it and plus they can access to the global variables which is common for all the
thread. Eg.A Microsoft Word is a Application. When you open a word file,an
instance of the Word starts and a process is allocated to this instance which has
one thread.
Exe is for single use whereas you can use Dll for multiple use.
Strong typing implies that the types of variables involved in operations are
associated to the variable, checked at compile-time, and require explicit
conversion; weak typing implies that they are associated to the value, checked
at run-time, and are implicitly converted as required. (Which is preferred is a
disputable point, but I personally prefer strong typing because I like my errors
to be found as soon as possible.)
The
PID (Process ID) a unique number for each item on the Process Tab, Image
Name list. How do you get the PID to appear? In Task Manger, select the View
menu, then select columns and check PID (Process Identifier).
WinForms FAQ :
System.
Windows.Forms.Form
rite is for information you want only in debug builds, Trace.Write is for when
you want it in release build as well.
ontrol can be docked to one edge of its parent container or can be docked to all
edges and fill the parent container. For example, if you set this property to
DockStyle.Left, the left edge of the
control.
Anchor Property->Gets or sets which edges of the control are anchored to the
edges of its container.
ErrorProvider co
E.g
If we went to v
{
ValidateName();
ateName()
if (textBox1.Text == "")
bStatus = false;
else
errorProvider1.SetError (textBox1,"");
return bStatus;
Yes, you can, then the class belongs to global namespace which has no name.
For commercial products, natura
lly, you
?You are designing a GUI application with a windows and several widgets
on it. The user then resizes the app window and sees a lot of grey space,
while the widgets stay in place. What's the problem?
How can you save the desired properties of Windows Forms application?
.config files in .NET are supported through the API to allow storing and ret
rieving information. They are nothing more than simple XML files, sort of like
what .ini files were before for Win32 apps.
In Visual Studio yes, use Dynamic Properties for automatic .config creation,
storage and retrieval.
Yes, you should've multi-threaded your GUI, with taskbar and main form being
one thread, and the background process being the other.
Web deployment: the user always downloads the latest version of the code, the
program runs within security sandbox, properly written app will not require addi
tional security privileges.
The designer will likely through it away, most of the code inside
InitializeComponent is auto-generated.
to the OS.
Both methods do the same, Move and Resize are the names adopted from VB to
ease migration to C#.
Create a rectangular form, set the TransparencyKey property to the same value
as BackColor, which will effectively make the background of the form
transparent. Then set the FormBorderStyle to FormBorderStyle.None, which
will remove the contour and contents of the form.
How do you create a separator in the Menu Designer?
A hyphen '-' would do it. Also, an ampersand '&\' would underline the next
letter.
ute size and adjusts its location relative to the parent form. Docking
treats
the
?With these events, why wouldn't Microsoft combine Invalidate and Paint,
so that you wouldn't have to tell it to repaint, and then to force it to
repaint?
Painting is the slowest thing the OS does, so usually telling it to repaint, but not
forcing it allows for the process to take place in the background.
Call the static method FromArgb of this class and pass it the RGB values.
Isn't it just a Bitmap with a wrapper name around it? No, Icon lives in
System.Drawing namespace. It's not a Bitmap by default, and is treated
separately by .NET. However, you can use ToBitmap method to get a valid
Bitmap object from a valid Icon object.
Before in my VB app I would just load the icons from DLL. How can I load
the icons provided by .NET dynamically?
When displaying fonts, what's the difference between pixels, points and
ems?
A pixel is the lowest-resolution dot the computer monitor supports. Its size
depends on user's settings and monitor size.
Start the DbgClr debugger that comes with the .NET Framework SDK, open the
file containing the code you want to debug, and set your breakpoints. Start the
ASP.NET application. Go back to DbgClr, choose Debug Processes from the
Tools menu, and select aspnet_wp.exe from the list of processes. (If
aspnet_wp.exe doesn't appear in the list,check the "Show system processes"
box.) Click the Attach button to attach to aspnet_wp.exe and begin
debugging.Be sure to enable debugging in the ASPX file before debugging it
with DbgClr. You can enable tell ASP.NET to build debug executables by
placing a<%@ Page Debug="true" %>statement at the top of an ASPX file or a
<<
>>
Only if you're performing a multistep update and want the update to be treated
as an atomicoperation. Here's an example:
Application.
Lock ();
Application.UnLock ();
Concurrent accesses aren't an issue with session state, for two reasons. One, it's
unlikely that two requests from the same user will overlap. Two, if they do
overlap,ASP.NET locks down session state during request processing so that
two threads can't touch it at once. Session state is locked down when the
HttpApplication instance that's processing the request fires an
AcquireRequestState event and unlocked when it fires a ReleaseRequestState
event.
message.To = <email>;
SmtpMail.SmtpServer = "localhost";
SmtpMail.Send (message);
MailMessage and SmtpMail are classes defined in the .NET Framework Class
Library's System.Web.Mail namespace. Due to a security change made to
ASP.NET just before it shipped,you need to set SmtpMail's SmtpServer
property to "localhost" even though "localhost" is the default. In addition, you
must use the IIS configuration applet to enable localhost(127.0.0.1) to relay
messages through the local SMTP service.
VSDISCO files are DISCO files that support dynamic discovery of Web
services. If you place the following VSDISCO file in a directory on your Web
server, for example, it returns references to all ASMX and DISCO files in the
host directory and any subdirectories not noted in <exclude> elements:
<dynamicDiscovery
xmlns="urn:schemas-dynamicdiscovery:disco.2000-03-17">
ASP.NET maps the file name extension VSDISCO to an HTTP handler that
scans the host directory and subdirectories for ASMX and DISCO files and
returns a dynamically generated DISCO document. A client who requests a
VSDISCO file gets back what appears to be a static DISCO document.
Note that VSDISCO files are disabled in the release version of ASP.NET. You
can reenable them by uncommenting the line in the <httpHandlers> section of
Machine.config that maps *.vsdisco to
System.Web.Services.Discovery.DiscoveryRequestHandler and granting the
ASPNET user account permission to read the IIS metabase. However, Microsoft
is actively discouraging the use of VSDISCO files because they could represent
a threat to Web server security.
<html><body>
<%
Response.Cache.SetNoStore ();
%>
</body>
</html>
is example, it prevents caching of a Web page that shows the current time.
if the page creates COM objects that access intrinsic ASP objects such as
Request and Response. The following directive sets AspCompat to true:
Setting AspCompat to true does two things. First, it makes intrinsic ASP objects
available to the COM components by placing unmanaged wrappers around the
equivalent ASP.NET objects. Second, it improves the performance of calls that
the page places to apartment- threaded COM objects by ensuring that the page
(actually, the thread that processes the request for the page) and the COM
objects it creates share an apartment. AspCompat="true" forces ASP.NET
request threads into single-threaded apartments (STAs). If those threads create
COM objects marked ThreadingModel=Apartment, then the objects are created
in the same STAs as the threads that created them. Without AspCompat="true,"
request threads run in a multithreaded apartment (MTA) and each call to an
STA-based COM object incurs a performance hit when it'smarshaled across
apartment boundaries.Do not set AspCompat to true if your page uses no COM
objects or if it uses COM objects that don't access ASP intrinsic objects and that
are registered ThreadingModel=Free or ThreadingModel=Both.
interpreted as needed. ASP doesn't have some of the functionality like sockets,
uploading,etc. For these you have to make a custom components usually in VB
or VC++.
Client sidescripting means that the script will be executed immediately in the
browser such as form field validation, clock, email validation, etc. Client side
scripting is usually done inVBScript or JavaScript. Download time, browser
compatibility,and visible code - sinceJavaScript and VBScript code is included
in the HTML page, then anyone can see the code by viewing the page source.
Also a possible security hazards for the client computer.
C#
Should validation (did the user enter a real date) occur server-side or
client-side? Why?
What are ASP.NET Web Forms? How is this technology different than
what is available though ASP?
Web Forms are the heart and soul of ASP.NET. Web Forms are the User
Interface (UI) elements that give your Web applications their look and feel. Web
Forms are similar to Windows Forms in that they provide properties, methods,
and events for the controls that are placed onto them. However, these UI
elements render themselves in the appropriate markup language required by the
request, e.g. HTML. If you use Microsoft Visual Studio .NET, you will also get
the familiar drag-and-drop interface used to create your UI for your Web
application.
In earlier versions of IIS, if we wanted to send a user to a new Web page, the
only option we had was Response.Redirect. While this method does accomplish
our goal, it has several important drawbacks. The biggest problem is that this
method causes each page to be treated as a separate transaction. Besides making
it difficult to maintain your transactional integrity, Response.Redirect introduces
some additional headaches. First, it prevents good encapsulation of code.
Second, you lose access to all of the properties in the Request object. Sure, there
are workarounds, but they're difficult. Finally, Response.Redirect necessitates a
round trip to the client, which, on high-volume sites, causes scalability
problems.As you might suspect, Server.Transfer fixes all of these problems. It
does this by performing the transfer on the server without requiring a roundtrip
to the client.
nating items) in the Repeater control. You can specify a different appearance for
the AlternatingItemTemplate element by setting its style properties.
ItemTemplate
Application_Start,Application_End, Application_AcquireRequestState,
Application_AuthenticateRequest, Application_AuthorizeRequest,
Application_BeginRequest, Application_Disposed,Application_EndRequest,
Application_Error, Application_PostRequestHandlerExecute,
Application_PreRequestHandlerExecute, Application_PreSendRequestContent,
Application_PreSendRequestHeaders, Application_ReleaseRequestState,
Application_ResolveRequestCache, Application_UpdateRequestCache,
Session_Start,Session_End
You can optionally include "On" in any of method names. For example, you can
name a BeginRequest event handler.Application_BeginRequest or
Application_OnBeginRequest.You can also include event handlers in
Global.asax for events fired
by custom HTTP modules.Note that not all of the event handlers make sense for
Web Services (they're designed for ASP.NET applications in general, whereas
.NET XML Web Services are specialized instances of an ASP.NET app). For
example, the Application_AuthenticateRequest and
Application_AuthorizeRequest events are designed to be used with ASP.NET
Forms authentication.
<<
>>
Use the state server or store the state in the database. This can be easily done
through simple setting change in the web.config.
<SESSIONSTATE
StateConnectionString="tcpip=127.0.0.1:42424"
sqlConnectionString="data source=127.0.0.1; user id=
sa; password="
cookieless="false"
timeout="30"
/>
stateserver
or
sqlserver
Where would you use an iHTTPModule, and what are the limitations of any
approach you might take in implementing one"One of ASP.NET's most useful
features is the extensibility of the HTTP pipeline, the path that data takes
between client and server. You can use them to extend your ASP.NET
applications by adding pre- and post-processing to each HTTP request coming
into your application. For example, if you wanted custom authentication
facilities for your application, the best technique would be to intercept the
request when it comes in and process the request in a custom HTTP module.
How do you turn off cookies for one page in your site?
Permanent cookies are available until a specified expiration date, and are stored
on the hard disk.So Set the 'Expires' property any value greater than
DataTime.MinValue with respect to the current datetime. If u want the cookie
which never expires set its Expires property equal to DateTime.maxValue.
What property do you have to set to tell the grid which page to go to when
using the Pager object?
CurrentPageIndex
*****Should validation (did the user enter a real date) occur server-side or
client-side? Why?
It should occur both at client-side and Server side.By using expression validator
control with the specified expression ie.. the regular expression provides the
facility of only validatating the date specified is in the correct format or not. But
for checking the date where it is the real data or not should be done at the server
side, by getting the system date ranges and checking the date whether it is in
between that range or not.
Enable ViewState turns on the automatic state management feature that enables
server controls to re-populate their values on a round trip without requiring you
to write any code. This feature is not free however, since the state of a control is
passed to and from the server in a hidden form field. You should be aware of
when ViewState is helping you and when it is not. For example, if you are
binding a control to data on every round trip, then you do not need the control to
maintain it's view state, since you will wipe out any re-populated data in any
case. ViewState is enabled for all server controls by default. To disable it, set the
EnableViewState property of the control to false.
Server.Transfer() : client is shown as it is on the requesting page only, but the all
the content is of the requested page. Data can be persist accros the pages using
Context.Item collection, which is one of the best way to transfer data
Response.Dedirect() :client know the physical location (page name and query
string as well). Context.Items loses the persisitance when nevigate to destination
page. In earlier versions of IIS, if we wanted to send a user to a new Web page,
the only option
we had was Response.Redirect. While this method does accomplish our goal, it
has several important drawbacks. The biggest problem is that this method
causes each page to be treated as a separate transaction. Besides making it
difficult to maintain your transactional integrity, Response.Redirect introduces
some additional headaches. First, it prevents good encapsulation of code.
Second, you lose access to all of the properties in the Request object. Sure, there
are workarounds, but they're difficult. Finally
Application Integration
Business-to-Business Integration
This is an enabler for B2B intergtation which allows one to expose vital
business processes to authorized supplier and customers. An example would be
exposing electronic ordering and invoicing, allowing customers to send you
purchase orders and suppliers to send you invoices electronically.
Software Reuse
This takes place at multiple levels. Code Reuse at the Source code level or
binary componet-based resuse. The limiting factor here is that you can reuse the
code but not the data behind it. Webservice overcome this limitation. A scenario
could be when you are building an app that aggregates the functionality of
serveral other Applicatons. Each of these functions could be performed by
individual apps, but there is value in perhaps combining the the multiple apps to
present a unifiend view in a Portal or Intranet.
Can you give an example of what might be best suited to place in the
Application_Start and Session_Start subroutines?
fetime of the application. It's a good place to initialize global variables. For
example, you might want to retrieve a list of products from a database table and
place the list in application state or the Cache object. SessionStateModule
exposes both Session_Start and Session_End events.
There are, however a few disadvantages that are worth pointing out:
2. ViewState is not suitable for transferring data for back-end systems. That is,
data still has to be transferred to the back end using some form of data object.
Describe session handling in a webfarm, how does it work and what are the
limits?
1. Windows Service :
<CONFIGURATION><configuration>
<system.web>
<SessionState
mode =
“
StateServer
stateConnectionString =
tcpip=127.0.0.1:42424
stateNetworkTimeout =
10
sqlConnectionString=
cookieless =
Flase
timeout=
20
/>
</system.web>
</configuration>
</SYSTEM.WEB>
</CONFIGURATION>
Here ASP.Net Session is directed to use Windows Service for state management
on local server (address : 127.0.0.1 is TCP/IP loop-back address). The default
port is 42424. we can configure to any port but for that we have to manually
edit the registry.
- In a webfarm make sure you have the same config file in all your web servers.
- For session state to be maintained across different web servers in the webfarm,
the application path of the web-site
in the IIS Metabase should be identical in all the web-servers in the webfarm.
<<
>>
rItem
>
images/<%# Container.DataItem(
ImageURL
)%>
hspace=
10
”
/>
Title
)%>
***What property must you set, and what method must you call in your
code, in order to bind the data from some data source to the Repeater
control?
Set the DataMember property to the name of the table to bind to. (If this
property is not set, by default the first table in the dataset is used.)
DataBind method, to bind data from a source to a server control. This method is
commonly used after retrieving a data set through a database query.
You can dump (Kill) the session yourself by calling the meth
od Session.Abandon.
is 20 minutes.
How do you turn off cookies for one page in your site?
Use Cookie.Discard property, Gets or sets the discard flag set by the server.
When true, this property instructs the client application not to save the Cookie
on the user's hard disk when a session ends.
1. Control to Validate,
2. Error Message.
What tags do you need to add within the asp:datagrid tags to bind columns
manually?
t matter, as this is all handled by your browser and the server. If you want to
create a permanent cookie called Name with a value of Nigel, which expires in
one month, you
Response.Cookies ("N
Which method do you use to redirect the user to another page without
performing a round trip to the client?
Server.transfer
What is the transport protocol you use to call a Web service SOAP ?
HTTP Protocol
NT and Windows XP, roles map to names used to identify user groups.
Windows defines several built-in groups, including Administrators, Users, and
Guests.To allow or deny access to certain groups of users, add the
<ROLES>element to the authorization list in your Web application's Web.config
file.e.g.
</authorization >
FooterTemplate is used for controlling how the footer of the repeater control is
formatted.
The DataList and Datagrid supports two templates in addition to the above
five.SelectedItem Template controls how a selected item is formatted and
EditItemTemplate controls how an item selected for editing is formatted.
ASP.NET ViewState is a new kind of state service that developers can use to
track UI state on a per-user basis. Internally it uses an an old Web programming
trick-roundtripping state in a hidden form field and bakes it right into the page-
processing framework.It needs less code to write and maintain state in your
Web-based forms.
Web.config file is the configuration file for the Asp.net web application. There
is one web.config file for one asp.net application which configures the
particular application. Web.config file is written in XML with specific tags
having specific meanings.It includes databa which includes connections,Session
States,Error Handling,Security etc.
For example :
When a form is submitted in classic ASP, all form values are cleared. Suppose
you have submitted a form with a lot of information and the server comes back
with an error. You will have to go back to the form and correct the information.
You click the back button, and what happens.......ALL form values are
CLEARED, and you will have to start all over again! The site did not maintain
your ViewState.With ASP .NET, the form reappears in the browser window
together with all form values.This is because ASP .NET maintains your
ViewState. The ViewState indicates the status of the page when submitted to the
server.
What tags do you need to add within the asp:datagrid tags to bind columns
manually?
Set AutoGenerateColumns Property to false on the datagrid tag and then use
Column tag and an ASP:databound tag
<COLUMNS>
<asp:BoundColumn HeaderText="Column2"
DataField="Column2"></asp:BoundColumn>
</asp:DataGrid>
Which property on a Combo Box do you set with a column name, prior to
setting the DataSource, to display data in the combo box?
DataTextField and
DataValueField
Which control would you use if you needed to make sure the values in two
different controls matched?
BeginTranaction
Init
- every time a page is processed
LoadViewState
- Only on postback
ProcessPostData1
- Only on postback
Load
- every time
ProcessData2
- Only on Postback
RaiseChangedEvent
- Only on Postback
RaisePostBackEvent
- Only on Postback
PreRender
- everytime
BuildTraceTree
SaveViewState
- every time
Render
- Everytime
End Transaction
- only if the request is transacted
Trace.EndRequest
enabled
UnloadRecursive
- Every request
"ASP (Active Server Pages) and ASP.NET are both server side technologies for
building web sites and web applications,
applications."
RequiredField,
RangeValidator,
RegularExpression,
Custom validator,
compare Validator
What are the various ways of securing a web site that could prevent from
hacking etc .. ?
1) Authentication/Authorization
2) Encryption/Decryption
An inproc is one which runs in the same process area as that of the client giving
tha advantage of speed but the disadvantage of stability becoz if it crashes it
takes the client application also with it.Outproc is one which works outside the
clients memory thus giving stability to the client, but we have to compromise a
bit on speed.
<<
>>
On Windows 2003 (IIS 6.0) running in native mode, the component is running
within the w3wp.exe process associated with the application pool which has
been configured for the web application containing the component.
On Windows 2003 in IIS 5.0 emulation mode, 2000, or XP, it's running within
the IIS helper process whose name I do not remember, it being quite a while
since I last used IIS 5.0.
The tool can be launched with a set of optional parameters. Option "i" Installs
the version of ASP.NET associated with Aspnet_regiis.exe and updates the
script maps at the IIS metabase root and below. Note that only applications that
are currently mapped to an earlier version of ASP.NET are affected
What is a PostBack?
The process in which a Web page sends data back to the same
ViewState is the mechanism ASP.NET uses to keep track of server control state
values that don't otherwise post back as part of the HTTP form. ViewState
Maintains the UI State of a Page ViewState is base64-encoded. It is not
encrypted but it can be encrypted by setting EnableViewStatMAC="true" &
setting the machineKey validation type to 3DES.
If you want to NOT maintain the ViewState, include the directive <%@ Page
EnableViewState="false" % > at the top of an .aspx page or add the attribute
EnableViewState="false" to any control.
What is the < machinekey > element and what two ASP.NET technologies
is it used for?
for encryption and decryption of forms authentication cookie data and view
state data, and
ASP.NET provides three distinct ways to store session data for your application:
in-process session state, out-of-process session state as a Windows service, and
out-of-process session state in a SQL Server database. Each has it advantages.
Limitations:
* If you enable Web garden mode in the < processModel > element of the
application's Web.config file, do not use in-process session-state mode.
Otherwise, random data loss can occur.
Advantage:
* in-process session state is by far the fastest solution. If you are storing only
small amounts of volatile data in session state, it is recommended that you use
the in-process provider.
2. The State Server simply stores session state in memory when in out-of-proc
mode. In this mode the worker process talks directly to the State Server
3. SQL mode, session states are stored in a SQL Server database and the worker
process talks directly to SQL. The ASP.NET worker processes are then able to
take advantage of this simple storage service by serializing and saving (using
.NET serialization services) all objects within a client's Session collection at the
end of each Web request
Both these out-of-process solutions are useful primarily if you scale your
application across multiple processors or multiple computers, or where data
cannot be lost if a server or process is restarted.
he HTTP request.
The GET method creates a query string and appends it to the script's URL on
the server that handles the request.
The POST method creates a name/value pairs that are passed in the body of the
HTTP request message.
Name and describe some HTTP Status Codes and what they express to the
requesting client.
When users try to access content on a server that is running Internet Information
Services (IIS) through HTTP or File Transfer Protocol (FTP), IIS returns a
numeric code that indicates the status of the request. This status code is
recorded in the IIS log, and it may also be displayed in the Web browser or FTP
client. The status code can indicate whether a particular request is successful or
unsuccessful and can also reveal the exact reason why a request is unsuccessful.
There are 5 groups ranging from 1xx - 5xx of http status codes exists.
When this attribute is set to multiple parameters, the output cache contains a
different version of the requested document for each specified parameter.
Possible values include none, *, and any valid query string or POST parameter
name.
<<
The Repeater class is not derived from the WebControl class, like the DataGrid
and DataList. Therefore, the Repeater lacks the stylistic properties common to
both the DataGrid and DataList. What this boils down to is that if you want to
format the data displayed in the Repeater, you must do so in the HTML markup.
The Repeater control provides the maximum amount of flexibility over the
HTML produced.
Whereas the DataGrid wraps the DataSource contents in an HTML < table >,
and the DataList wraps the contents in either an HTML < table > or < span >
tags (depending on the DataList's RepeatLayout property), the Repeater adds
absolutely no HTML content other than what you explicitly specify in the
templates.
Can we handle the error and redirect to some pages using web.config?
Yes, we can do this, but to handle errors, we must know the error codes; only
then we can take the user to a proper error message page, else it may confuse
the user.
If mode is set to Off, custom error messages will be disabled. Users will receive
detailed exception error messages.
If mode is set to RemoteOnly, then users will receive custom errors, but
usersaccessing the site locally will receive detailed error messages.
Add an < error > tag for each error you want to handle. The error tag will
redirect the user to the Notfound.aspx page when the site returns the 404 (Page
not found) error.
[Example]
str.Append("hi")
' Error
Response.Write(str.ToString)
End Sub
[Web.Config]
' a simple redirect will take the user to Error.aspx [user defined] error file.
records from the data source (for example, the first 10), and then navigate to the
"page" containing the next 10 records, and so on through the data.
Using Ado.Net we can explicit control over the number of records returned
from the data source, as well as how much data is to be cached locally in the
DataSet.
(Note: - Don't use it because query will return all records but fill the dataset
based on value of 'maxrecords' parameter).
2.
For SQL server database, combines a WHERE clause and a ORDER BY clause
with TOP predicate.
3.If Data does not change often just cache records locally in DataSet and just
take some records from the DataSet to display.
Server.Transfer() : client is shown as it is on the requesting page only, but the all
the content is of the requested page. Data can be persist across the pages using
Context.Item collection, which is one of the best way to
transfer data from one page to another keeping the page state alive.
Response.Dedirect() :client knows the physical location (page name and query
string as well). Context.Items loses the persistence when navigate to destination
page. In earlier versions o
f IIS, if we wanted to send a user to a new Web page, the only option we had
was Response.Redirect. While this method does accomplish our goal, it has
several important drawbacks. The biggest problem is that this method causes
each page to be treated as a
initiates the Request for the second page. Server.Transfer transfers the process
to the second page without making a round-trip to the client. It also transfers the
HttpContext to the second page, enabling the second page access to all the
values in the H
Yes, We can create user app domain by calling on of the following overload
static methods of the System.AppDomain class
What are the various security methods which IIS Provides apart from
.NET ?
a) Authentication Modes
e) SSL
plication-specific web.config file. This means that the Web garden mode applies
to all applications running on the machine. However, by using the node in the
machine.config source, you can adapt machine-wide settings on a per-
application basis.
Two attribu
tes in the section affect the Web garden model. They are webGarden and
cpuMask. The webGarden attribute takes a Boolean value that indicates whether
or not multiple worker processes (one per each affinitized CPU) have to be
used. The attribute is set to fa
lse by default. The cpuMask attribute stores a DWORD value whose binary
representation provides a bit mask for the CPUs that are eligible to run the
ASP.NET worker process. The default value is -1 (0xFFFFFF), which means
that all available CPUs can be used
. The contents of the cpuMask attribute is ignored when the webGarden attribute
is false. The cpuMask attribute also sets an upper bound to the number of copies
of aspnet_wp.exe that are running.
e same time. However, you should note that all processes will have their own
copy of application state, in-process session state, ASP.NET cache, static data,
and all that is needed to run applications. When the Web garden mode is
enabled, the ASP.NET ISAPI
launches as many worker processes as there are CPUs, each a full clone of the
next (and each affinitized with the corresponding CPU). To balance the
workload, incoming requests are partitioned among running processes in a
round-robin manner. Worker proces
ses get recycled as in the single processor case. Note that ASP.NET inherits any
CPU usage restriction from the operating system and doesn't include any
custom semantics for doing this.
All in all, the Web garden model is not necessarily a big win for all
applications. The more stateful applications are, the more they risk to pay in
terms of real performance. Working data is stored in blocks of shared memory
so that any changes entered by a process are immediately visible to others.
However, for the time it
takes to service a request, working data is copied in the context of the process.
Each worker process, therefore, will handle its own copy of working data, and
the more stateful the application, the higher the cost in performance. In this
context, careful
Changes made to the section of the configuration file are effective only after IIS
is restarted. In IIS 6, Web gardening parameters are stored in the IIS metabase;
the webGarden and cpuMask attribut
es are ignored.
The web is state-less protocol, so the page gets instantiated, executed, rendered
and then disposed on every round trip to the server. The developers code to add
"statefulness" to the
page by using Server-side storage for the state or posting the page to itself.
When require to persist and read the data in control on webform, developer had
to read the values and store them in hidden variable (in the form), which were
then used to restor
ge is executed, data values from all server controls on page are collected and
encoded as single string, which then assigned to page's hidden atrribute
"< input type=hidden >", that is part of page sent to the client.
ViewState value is temporarily saved
Disable ViewS
Next>>
different networks and also different platforms. This provides a loosely coupled
system. And also if the client is behind the firewall it would be easy to use web
service since it runs on port 80 (by default) instead of having some thing else in
Service O
"SOAP.
"
What is the transport protocol you use to call a Web service SOAP
eg: wsdl
http://LocalHost/WebServiceName.asmx
"
www.uddi.org
True or False: To test a Web service you must create a windows application
or Web application to consume this service?
False.
1.Asynchronous Call
Application can make a call to the Webservice and then continue todo watever
oit
wants to do.When the
can use BEGIN and END method to make asynchronous call to the
webmethod.We can use
e idea is to
pass a method in the invocation of the web method. When the webmethod has
finished
2.Synchronous Call
VSDISCO files are DISCO files that support dynamic discovery of Web
services. If you place the following VSDISCO file in a directory on your Web
server, for example, it returns
references to all ASMX and DISCO files in the host directory and any su
------------------------------------------------------------------------------------------------
--
<EXCLUDE path="_vti_cnf" />
<EXCLUDE path="_vti_pvt"
/>
<EXCLUDE path="_vti_log" />
ASP.NET maps the file name extension VSDISCO to an HTTP handler that
scans the host
directory and subdirectories for ASMX and DISCO files and returns a
dynamically generated DISCO document. A client who requests a VSDISC
Note that VSDISCO files are disabled in the release version of ASP.NET. You
can reenable them by uncommenting the line
in the <HTTPHANDLERS>section of Machine.config that maps *.vsdisco to
Sys
Response.Cache.SetNoStore ();
Response.Write (DateTime.Now.ToLongTimeString ());
%>
SetNoStore works by returning a Cache-Control: private, no-store header in the
HTTP response. In thi
s example, it prevents caching of a Web page that shows the current time.
Visual Basic 6.0. AspCompat should also be set to true (regardless of threading
model)
COM objects that access intrinsic ASP objects such as Request and Response.
The following directive sets AspCompat to true:
<%@ Page AspCompat="true" %>
Setting AspCompat to true does two things. First, it makes intrinsic ASP objects
available
es the
request for the page) and the COM objects it creates share an apartment.
AspCompat="true" forces ASP.NET request threads into single-threaded
apartments (STAs). If those threads create COM objects marked
ThreadingModel=Apartment, then the objects a
re created in the same STAs as the threads that created them. Without
AspCompat="true," request threads run in a multithreaded apartment (MTA)
and each call to an STA-based COM object incurs a performance hit when it's
s.
Do not set AspCompat to true if your page uses no COM objects or if it uses
COM objects that don't access ASP intrinsic objects and that are registered
ThreadingModel=Free or
ThreadingModel=Both.
No.
cs,System.Web,System.Web.Services
The key here is the Web Service proxy you created using wsdl.exe or through
Visual Studio .NET's Add Web Reference menu
option. If you happen to download a WSDL file for a Web Service that requires
a SOAP header, .NET will create a SoapHeader class in the proxy source file.
Using the previous example:
public class Service1 : System.Web.Services.Protocols.SoapHttp
ClientProtocol
{
public AuthToken AuthTokenValue;
[System.Xml.Serialization.XmlRootAttribute(Namespace="
http://tempuri.org/
", IsNullable=false)]
public class AuthToken : SoapHeader {
In this case, when you create an instance of the proxy in your main application
file, you'll also create an instance of the AuthToken class and assign the string:
What is WSDL?
the Web Service intends to issue. It's an interface description document, of sorts.
And second, it isn't intended that you
What is a Windows Service and how does its lifecycle differ from a
"standard" EXE?
The executable created is not a Windows application, and hence you can't just
click and run it . it needs to be installed as a service, VB.Ne
t has a facility where we can add an installer to our program and then use a
utility to install the service. Where as this is not the case with standard exe
d that you can use to attach a debugger to a process and then debug a process.
Use the process ID of the process that hosts the service that you want to debug
To determine the process ID (PID) of the process that hosts the service that you
want to
a.
Right-click the taskbar, and then click Task Manager. The Windows Task
Manager dialog box appears.
b.
Click the Processes tab of the Windows Task Manager dialog box.
c.
Under Image Name, click the image name of the process that hosts the service
that you want to debug. Note the process ID of this process as specified by the
value of the corresponding PID field.
a.
Clic
k Start, and then click Run. The Run dialog box appears.
b.
At the command prompt, change the directory path to reflect the location of the
tlist.exe file on your computer.
d.
At the command prompt, type tlist to list the image names and the process IDs
of all processes that are currently running on your computer.
Note Make
a note of the process ID of the process that hosts the service that you want to
debug.
At a command prompt, change the directory path to reflect the location of the
windbg.exe file on your computer.
p ProcessID to attach the WinDbg debugger to the process that hosts the serv
Note ProcessID is a placeholder for the process ID of the process that hosts the
service that you want to debug.
Use the image name of the process that hosts the service that you want to debug
thod only if there is exactly one running instance of the process that hosts the
service that you want to run. To do this, follow these steps:
Click Start, and then click Run. The Run dialog box appears.
At the command prompt, change the directory path to reflect the location of the
windbg.exe file on your computer.
–
pn ImageName to attach the WinDbg debugger to the process that hosts the
service that you want to debug.
NoteImageName is a placeholder for the image name of the process that hosts
the service
that you want to debug. The "-pn" command-line option specifies that the
ImageName command-line argument is the image name of a process.
Start the WinDbg debugger and attach to the process that hosts the service that
you want to debug
1
On the File menu, click Attach to a Process to display the Attach to Process
dialog box.
ss that hosts the service that you want to debug, and then click OK.
6
In the dialog box that appears, click Yes to save base workspace information.
Notice that you can now debug the disassembled code of your service.
You can use this method to debug services if you want to troubleshoot service-
startup-related problems.
Configure the "Image File Execution" options. To do this, use one of the
following methods:
•
Method 1: Use the
a.
b.
c.
d.
In the Image File Name text box, type the image name of the process that hosts
the service that you want to debug. For example, if you want to debug a service
that is hosted by a process that has MyServic
e.
Under Image Debugger Options, click to select the Debugger check box.
g.
In the Debugger text box, type the full path of the debugger
that you want to use. For example, if you want to use the WinDbg debugger to
debug a service, you can type a full path that is similar to the following:
C:\Program Files\Debugging Tools for Windows\windbg.exe
h.
a.
Click Start, and then click Run. The Run dialog box appears.
b.
In the Open box, type regedit, and then click OK to start Registry Editor.
c.
In Registry Edit
HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows
NT\CurrentVersion\Image File Execution Options
d.
Point to New, and then click Key. In the left pane of Registry Editor, notice that
New Key
e.
Type ImageName to replace New Key #1, and then press ENTER.
Note ImageName is a placeholder for the image name of the process that hosts
the service that you want to debug. For exa
mple, if you want to debug a service that is hosted by a process that has
MyService.exe as the image name, type MyService.exe.
f.
Right-click the registry subkey that you created in step e.
g.
Point to New, and then click String Value. In the right pan
e of Registry Editor, notice that New Value #1, the name of a new registry entry,
is selected for editing.
h.
i.
Right-click the Debugger registry entry that you created in step h, and then clic
In the Value data text box, type DebuggerPath, and then click OK.
Note DebuggerPath is a placeholder for the full path of the debugger that you
want to use. For example, if you want to use the WinDb
g debugger to debug a service, you can type a full path that is similar to the
following: C:\Program Files\Debugging Tools for Windows\windbg.exe
For the debugger window to appear on your desktop, and to interact with the
debugger, make your service inte
ractive. If you do not make your service interactive, the debugger will start but
you cannot see it and you cannot issue commands. To make your service
interactive, use one of the following methods:
•
a.
Click Start
b.
On the Programs menu, point to Administrative Tools, and then click Services.
The Services console appears.
c.
In the right pane of the Services console, right-click ServiceName, and then
click Properties.
Note S
erviceName is a placeholder for the name of the service that you want to debug.
d.
On the Log On tab, click to select the Allow service to interact with desktop
check box under Local System account, and then click OK.
•
a.
In Registry Editor, locate, and then click the following registry subkey:
HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\ServiceNa
me
Note Replace ServiceName with the name of the service that you want to
debug. For example, if you want to de
bug a service named MyService, locate and then click the following registry
key:
HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\MyService
b.
Under the Name field in the right pane of Registry Editor, right-click Type, and
then click Modify. The
c.
Change the text in the Value data text box to the result of the binary OR
operation with the binary value of the current text and the binary value,
0x00000100, as the two operands. The binary value, 0x00000100, cor
3
When a service starts, the service communicates to the Service Control Mana
ger how long the service must have to start (the time-out period for the service).
If the Service Control Manager does not receive a "service started" notice from
the service within this time-out period, the Service Control Manager terminates
the process t
hat hosts the service. This time-out period is typically less than 30 seconds. If
you do not adjust this time-out period, the Service Control Manager ends the
process and the attached debugger while you are trying to debug. To adjust this
time-out period,
a.
In Registry Editor, locate, and then right-click the following registry subkey:
HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control
b.
Point to New, and then click DWORD Value. In the right pane of Registry
Editor, notice tha
t New Value #1 (the name of a new registry entry) is selected for editing.
c.
Type ServicesPipeTimeout to replace New Value #1, and then press ENTER.
d.
e.
In the Value data text box, type TimeoutPeriod, and then click OK
Note TimeoutPeriod is a placeholder for the value of the time-out period (in
milliseconds) that you want to set for the service. For e
f.
Restart the computer. You must restart the computer for Service Control
Manager to apply this change.
a.
b.
On the Programs menu, point to Administrative Tools, and then click Services.
The Services console appears.
c.
In the right pane of the Services console, right-click ServiceName, and then c
lick Start.
Note ServiceName is a placeholder for the name of the service that you want to
debug.
Remoting FAQ's
.NET Remoting and ASP.NET Web Services. If we talk about the Framework
Class Library, noteworthy classes are in
System.Runtime.Remoting
and System.Web.Services.
When would you use .NET Remoting and when Web services?
Use remoting for more efficient exchange of information when you control both
ends of the application. Use Web services for
you are just a client or a server with the other end belonging to someone else.
It's a fake copy of the server object that resides on the client side and behaves as
if it was the server. It handles
the
communication between real server object and the client object. This process is
also known as marshaling.
What are remotable objects in .NET Remoting?
Remotable objects are the objects that can be marshaled across the application
domains. You can
a deep copy of the object is created and then passed to the receiver. You can also
marshal by reference, where just a
that transfer the other serialized objects from one application domain to another
and from
one computer to another, as well as one process to another on the same box. A
channel must exist before an object can be transferred.
A formatter is an object th
at is responsible for encoding and serializing data into messages on one end, and
deserializing
Choosing between HTTP and TCP for protocols and Binary and SOAP for
formatters, what are the trade-offs?
inary over TCP is the most effiecient, SOAP over HTTP is the most
interoperable.
If the server object is instantiated for responding to just one single request, the
request should be made in SingleCall mode.
Yes, via machine.config and application level .config file (or web.config in
ASP.NET). Application-level XML settings take precedence over
machine.config.
How can you automatically generate interface for the remotable object in
.NET with Microsoft tools?
Client-activated objects are objects whose lifetimes are controlled by the calling
applicatio
n domain, just as they would be if the object were local to the client. With client
activation, a round trip to the server occurs when the client tries to create an
instance of the server object, and the client proxy is created using an object
reference (O
bjRef) obtained on return from the creation of the remote object on the server.
Each time a client creates an instance of a client-activated type, that instance
will service only that particular reference in that particular client until its lease
expires a
In COM,
clients hold an object in memory by holding a reference to it. When the last
client releases its last reference, the object can delete itself. Client activation
provides the same client control over the server object's lifetime, but without the
complexity
it can specify a default length of time that the object should exist. If the remote
object reaches its default lifetime limit, it contacts the client to ask whether it
should continue to exist, and if so, for how much longer. If the client is not
currently
available, a default time is also specified for how long the server object should
wait while trying to contact the client before marking itself for garbage
collection. The client might even request an indefinite default lifetime,
effectively preventing th
e remote object from ever being recycled until the server application domain is
torn down. The difference between this and a server-activated indefinite lifetime
is that an indefinite server-activated object will serve all client requests for that
type, wh
ereas the client-activated instances serve only the client and the reference that
was responsible for their creation. For more information, see Lifetime Leases.
One.
Most usually
How can objects in two diff. App Doimains communicate with each other?
t you need to consider your need first. There are many other factors such
authentications, authorizing in process that need to be considered.
Disabled
: - There is no transaction. COM+ does not provide transaction support for this
component.
Not Supported:
ing component in the hierarchy is transaction enabled this component will not
participate in the transaction.
Supported
If t
he calling component is not transaction enabled this component will not start a
new transaction.
Required
: - Components with this attribute require a transaction i.e. either the calling
should have a transaction in place else this component will start a ne
w transaction.
Required
New
COM object, it goes onto RCW and not the object itself. RCW manages the
lifetime management of the COM component. Implementation Steps -
pper (CCW) in COM/.NET interop. The unmanaged code will talk to this proxy,
which translates call to managed environment. We can use COM components in
.NET through COM/.NET interoperability. When managed code calls an
unmanaged component, behind the scene,
.NET creates proxy called COM Callable wrapper (CCW), which accepts
commands from a COM client, and forwards it to .NET component. There are
two prerequisites to creating .NET component, to be used in unmanaged code:
ed public. The tools that create the CCW only define types based
on public classes. The same rule applies to methods, properties, and events that
will be used by COM clients.
Implementation Steps -
ter utility. A type library is the COM equivalent of the metadata contained
within
a .NET assembly. Type libraries are generally contained in files with the
extension .tlb. A type library contains the necessary information to allow a
COM client to determin
2. Secondly,
use Assembly Registration tool (regasm) to create the type library and register
it.
The common language runtime exposes COM objects through a proxy called
the runtime callable wrapper (RCW). Although the RCW appears to be an
ordinary o
bject to .NET clients, its primary function is to marshal calls between a .NET
client and a COM object. This wrapper turns the COM interfaces exposed by
the COM component into .NET-compatible interfaces. For oleautomation
(attribute indicates that an inter
patible types.
.NET components are accessed from COM via a COM Callable Wrapper
(CCW). This is similar to a RCW, but works in the opposite direction. Again, if
the wrapper cannot be automatically generated
type definitions (not implementation) of types that have already been defined in
COM. These type definitions allow managed applications to bind to the COM
types at compile time and provide information to the common language runtime
about how the types sho
The Type Library Exporter generates a type library that describes the types
defined in a common language runtime assembly.
What benefit do you get from using a Primary Interop Assembly (PIA)?
PIAs are important because they provide unique type identity. The PIA
distinguishes the official type definitions from counterfeit definitions provided
by other interop assemblies. Havin
ADO.NET
Next>>
ons of data elements. The DataSet uses the DiffGram format to load and persist
its contents, and to serialize its contents for transport across a network
connection. When a DataSet is written as a DiffGram, it populates the DiffGram
with all the necessary
information to accurately recreate the contents, though not the schema, of the
DataSet, including column values from both the Original and Current row
versions, row error information, and row order.
vice, the DiffGram format is implicitly used. Additionally, when loading the
contents of a DataSet from XML using the ReadXml method, or when writing
the contents of a DataSet in XML using the WriteXml method, you can select
that the contents be read or wr
itten as a DiffGram.
The DiffGram format is divided into three sections: the current data, the original
(or "before") data, and an errors section, as shown in the following example.
<?xml version="1.0"?>
<diffgr:diffgram
xmlns:msdata="urn:schema
s-microsoft-com:xml-msdata"
xmlns:diffgr="urn:schemas-microsoft-com:xml-diffgram-v1"
xmlns:xsd="
http://www.w3.org/2001/XMLSchema
">
<DataInstance>
</DataInstance>
<diffgr:b
efore>
</diffgr:before>
<diffgr:errors>
</diffgr:errors>
</diffgr:diffgram>
The name of this element, DataInstance, is used for explanation purposes in this
documentation.
<diffgr:before>
This block of the DiffGram format contains the original version of a row.
Elements in this block are matched to elements in the DataInstance
<diffgr:errors>
This block of the DiffGram format contains error information for a particular
row in the DataInstance block. Elements in this block are matched to elements
in the DataInstance block using the diffgr:i
d annotation.
You have to use the Fill method of the DataAdapter control and pass the dataset
object as an argument to load the generated data.
Can you edit data in the Repeater control?
NO.
Serialized
ta can be inserted that would affect the current transaction. This is the safest
isolation level and is the default.
Repeatable Read
Read Committed
A transaction cannot read data that is being modified by another transaction that
has not committed. This is the default isolation level in Microsoft® SQL Server.
Read Uncommitted
Any
DataSet exposes method like ReadXml and WriteXml to read and write xml
What are the different rowversions available?
There are f
Current:
The current values for the row. This row version does not exist for rows with a
RowState of Deleted.
Default :
The row the default version for the current DataRowState. For a DataRowState
value of Added, Modified or Curre
nt, the default version is Current. For a DataRowState of Deleted, the version is
Original. For a DataRowState value of Detached, the version is Proposed.
Original:
Proposed:
ersion exists during an edit operation on a row, or for a row that is not part of a
DataRowCollection
Atomicity
Operations asso
ciated with a transaction usually share a common intent and are interdependent.
By performing only a subset of these operations, the system could compromise
the overall intent of the transaction. Atomicity eliminates the chance of
processing a subset of op
erations.
Consistency
ransaction appear to be the only transaction manipulating the data store, even
though other transactions may be running at the same time. A transaction should
never see the intermediate stages of another transaction.
f isolation when they are serializable. At this level, the results obtained from a
set of concurrent transactions are identical to the results obtained by running
each transaction serially. Because a high degree of isolation can limit the
number of concurr
ent transactions, some applications reduce the isolation level in exchange for
better throughput.
Durability
hes immediately after the commit. Specialized logging allows the system's
restart procedure to complete unfinished operations, making the transaction
durable.
Datasets are the result of bringing together ADO and XML. A dataset contains
one or more data of tabular XML, known as DataTables, these data can be
treated separately, or can have relationships defined between them. Indeed these
relatio
nships give you ADO data SHAPING without needing to master the SHAPE
language, which many people are not comfortable with.
Dataset
DataTableCollection
Dat
aTable
DataView
DataRowCollection
DataRow
DataColumnCollection
DataColumn
ChildRelations
ParentRelations
Constraints
PrimaryKey
DataRelationCollection
Let
taSet is an in-memory database. So it has this collection, which holds data from
multiple tables in a single DataSet object.
DataView:
The way we have views in database, same way we can have DataViews. We can
use these DataViews to do Sort, filter data.
DataRow:
To represent
PrimaryKey: Dataset defines Primary key for the table and the primary key
validation will take place without going to the database.
Constraints: We can define various constraints on the Tables, and can use
Dataset.Tables(0).enfor
ceConstraints. This will execute all the constraints, whenever we enter data in
DataTable.
ly disconnected
d to the user in an ad-hoc manner, combined with data from multiple sources, or
remoted between tiers. The .NET Framework data provider is designed to be
lightweight, creating a minimal layer between the data source and your code,
increasing performance wi
rovider for SQL Server (for Microsoft SQL Server version 7.0 or later), the
.NET Framework Data Provider for OLE DB, and the .NET Framework Data
Provider for ODBC.
erver uses its own protocol to communicate with SQL Server. It is lightweight
and performs well because it is optimized to access a SQL Server directly
without adding an OLE DB or Open Database Connectivity (ODBC) layer. The
following illustration contrast
s the .NET Framework Data Provider for SQL Server with the .NET Framework
Data Provider for OLE DB. The .NET Framework Data Provider for OLE DB
communicates to an OLE DB data source through both the OLE DB Service
component, which provides connection pooli
ng and transaction services, and the OLE DB Provider for the data source
The .NET Framework Data Provider for OLE DB: The .NET Framework Data
Provider for OLE DB uses native OLE DB through COM interoperability to
enable data access. The .NET Framework Data Provider for OLE DB supports
both local and distributed transactions. Fo
r distributed transactions, the .NET Framework Data Provider for OLE DB, by
default, automatically enlists in a transaction and obtains transaction details
from Windows 2000 Component Services.
The .NET Framework Data Provider for ODBC: The .NET Framework
Data Provider for ODBC uses native ODBC Driver Manager (DM) through
COM interoperability to enable data access. The ODBC data provider supports
both local and distributed transactions. For distributed transactions, the ODBC
data provider, by default, autom
The .NET Framework Data Provider for Oracle: The .NET Framework Data
Provider for Oracle enables data access to Oracle data sources through Oracle
clien
The .NET Framework Data Provider for Oracle requires that Oracle client
software (version 8.1.7 or later) be installed on the system before you can use it
to connect to an Oracle data source.
.
NET Framework Data Provider for Oracle classes are located in the
System.Data.OracleClient namespace and are contained in the
System.Data.OracleClient.dll assembly. You will need to reference both the
System.Data.dll and the System.Data.OracleClient.dll wh
.NET Framework Data Provider for SQL Server: Recommended for middle-tier
applications using Microsoft SQL Server 7.0 or later. Recommended for single-
tier appl
ications using Microsoft Data Engine (MSDE) or Microsoft SQL Server 7.0 or
later.
Recommended over use of the OLE DB Provider for SQL Server (SQLOLEDB)
with the .NET Framework Data Provider for OLE DB. For Microsoft SQL
Server version 6.5 and earlier, you
must use the OLE DB Provider for SQL Server with the .NET Framework Data
Provider for OLE DB.
.NET Framework Data Provider for OLE DB: Recommended for middle-tier
applications using Microsoft SQL Server 6.5 or earlier, or any OLE DB
provider. For Microsoft
SQL Server 7.0 or later, the .NET Framework Data Provider for SQL Server is
recommended. Recommended for single-tier applications using Microsoft
Access databases. Use of a Microsoft Access database for a middle-tier
application is not recommended.
.NET F
Let
s take a look at the differences between ADO Recordset and ADO.Net DataSet:
ine, in-memory, and cache of data. All of its data is available all the time. At any
time, we can retrieve any row or column, constraints or relation simply by
accessing it either ordinarily or by retrieving it from a name-based collection.
3. Connectivity
Model: The ADO Recordset was originally designed without the ability to
operate in a disconnected environment. ADO.NET DataSet is specifically
designed to be a disconnected in-memory database. ADO.NET DataSet follows
a pure disconnected connectivity model
and this gives it much more scalability and versatility in the amount of things it
can do and how easily it can do that.
Marshalling involves copying and processing data so that a complex type can
appear to the receiving component the same as it appeared to the sending
component. Marshalling is an expensive operation. ADO.NET Dataset and
DataTable components support Remotin
5. Firewalls and DCOM and Remoting: Those who have worked with DCOM
know that how difficult it is to marshal a DCOM component across a
taSet is that it can be a self-contained and disconnected data store. It can contain
the schema and data from several rowsets in DataTable objects as well as
information about how to relate the DataTable objects-all in memory. The
DataSet neither knows nor
cares where the data came from, nor does it need a link to an underlying data
source. Because it is data source agnostic you can pass the DataSet around
networks or even serialize it to XML and pass it across the Internet without
losing any of its feature
In this column, I'll explore how ADO.NET is equipped to detect and handle
concurrency violations. I'll begin by discussing scenarios i
There are three common techniques for managing what happens when users try
to modify the same data at the same time: pessimistic, optimistic, and last-in
wins. They each handle concurrency
issues differently.
The pessimistic approach says: "Nobody can cause a concurrency violation with
my data if I do not let them get at the data while I have it." This tactic prevents
concurrency in the first place but it limits scalability because it preven
ts all concurrent access. Pessimistic concurrency generally locks a row from the
time it is retrieved until the time updates are flushed to the database. Since this
requires a connection to remain open during the entire process, pessimistic
concurrency can
to put the primary key fields of the row in the UPDATE statement's WHERE
clause. No matter what is changed, the UPDATE statement will overwrite the
changes with its own changes since all it is looking for is the row that matches
the primary key values. Un
like the pessimistic model, the last-in wins approach allows users to read the
data while it is being edited on screen. However, problems can occur when
users try to modify the same data at the same time because users can overwrite
each other's changes wit
hout being notified of the collision. The last-in wins approach does not detect or
notify the user of violations because it does not care. However the optimistic
technique does detect violations.
Contd....
<<Prev
Next>>
In optimistic concurrency models, a row is only locked during the update to the
database. Therefore the data can be retrieved and updated
by other users at any time other than during the actual row update operation.
Optimistic concurrency allows the data to be read simultaneously by multiple
users and blocks other users less often than its pessimistic counterpart, making
it a good choice for
ation by always rejecting and canceling the change request or by overwriting the
request based on some business rules. Another way to handle the concurrency
violation is to let the user decide what to do. The sample application that is
shown in Figure 1 il
lustrates some of the options that can be presented to the user in the event of a
concurrency violation.
When users are likely to overwrite each other's changes, control mechanisms
should be put in place. Otherwise, changes could b
e lost. If the technique you're using is the last-in wins approach, then these types
of overwrites are entirely possible.For example, imagine Julie wants to edit an
employee's last name to correct the spelling. She navigates to a screen which
loads the emp
loyee's information into a DataSet and has it presented to her in a Web page.
Meanwhile, Scott is notified that the same employee's phone extension has
changed. While Julie is correcting the employee's last name, Scott begins to
correct his extension. Juli
e saves her changes first and then Scott saves his.Assuming that the application
uses the last-in wins approach and updates the row using a SQL WHERE clause
containing only the primary key's value, and assuming a change to one column
requires the entire ro
version.
So as you can see, even though the users changed different fields, their changes
collided and caused Julie's changes to be lost. Without some sort of concurrency
detection and handling, these types of overwrites can occur and even go
unnoticed.Whe
n you run the sample application included in this column's download, you
should open two separate instances of Microsoft® Internet Explorer. When I
generated the conflict, I opened two instances to simulate two users with two
separate sessions so that a co
ncurrency violation would occur in the sample application. When you do this,
be careful not to use Ctrl+N because if you open one instance and then use the
Ctrl+N technique to open another instance, both windows will share the same
session.
Detecting Violations
fied the last name to "Fuller III," a concurrency violation was detected and
reported. ADO.NET detects a concurrency violation when a DataSet containing
changed values is passed to a SqlDataAdapter's Update method and no rows are
actually modified. Simply
using the primary key (in this case the EmployeeID) in the UPDATE statement's
WHERE clause will not cause a violation to be detected because it still updates
the row (in fact, this technique has the same outcome as the last-in wins
technique). Instead, mor
The key here is to make the WHERE clause explicit enough so that it not only
checks the primary key but that it also checks for another appropriate condition.
One way to accomplish this is to pass in all modifiable fields to the WHERE
clause in addition to
the primary key. For example, the application shown in Figure 1 could have its
UPDATE statement look like the stored procedure that's shown in Figure 2.
Notice that in the code in Figure 2 nullable columns are also checked to see if
the value passed in is
NULL. This technique is not only messy but it can be difficult to maintain by
hand and it requires you to test for a significant number of WHERE conditions
just to update a row. This yields the desired result of only updating rows where
none of the values
have changed since the last time the user got the data, but there are other
techniques that do not require such a huge WHERE clause.
Another way to make sure that the row is only updated if it has not been
modified by another user since you got the data i
, but since the DATETIME column technique is easier to display on screen and
demonstrate when the change was made, I chose it for my sample application.
Both of these are solid choices, but I prefer the TIMESTAMP technique since it
does not involve any add
reflected in the DataSet so it can be used again. There are a few different ways
to do this. The fastest is using output parameters within the stored procedure.
(This should only return if @@ROWCOUNT equals 1.) The next fastest
involves selecting the row
again after the UPDATE within the stored procedure. The slowest involves
selecting the row from another SQL statement or stored procedure from the
SqlDataAdapter's RowUpdated event.
I prefer to use the output parameter technique since it is the fastest and
incurs the least overhead. Using the RowUpdated event works well, but it
requires me to make a second call from the application to the database. The
following code snippet adds an output parameter to the SqlCommand object that
is used to update the Employ
ee information:
oUpdCmd.Parameters.Add(new SqlParameter("@NewLastUpdateDateTime",
SqlDbType.DateTime, 8, ParameterDirection.Output,
oUpdCmd.UpdatedRowSource = UpdateRowSource.OutputP
arameters;
The output parameter has its sourcecolumn and sourceversion arguments set to
point the output parameter's return value back to the current value of the
LastUpdateDateTime column of the DataSet. This way the updated DATETIME
value is retrieved an
Contd....
Saving Changes
Now that the Employees table has the tracking field (LastUpdateDateTime) and
the stored procedure has been created to use both the primary key and the
tracking field in the WHERE clause
of the UPDATE statement, let's take a look at the role of ADO.NET. In order to
trap the event when the user changes the values in the textboxes, I created an
event handler for the TextChanged event for each TextBox control:
// do a Find)
dsEmployee.EmployeeRow oEmpRow =
(dsEmployee.EmployeeRow)oDsEmployee.Employee.Rows[0];
oEmpRow.LastName = txtLastName.Text;
// Save changes b
ack to Session
Session["oDsEmployee"] = oDsEmployee;
This event retrieves the row and sets the appropriate field's value from the
TextBox. (Another way of getting the changed values is to grab them when the
user clicks the Save button.) Each TextChan
ged event executes after the Page_Load event fires on a postback, so assuming
the user changed the first and last names, when the user clicks the Save button,
the events could fire in this order: Page_Load, txtFirstName_TextChanged,
txtLastName_TextChanged
, and btnSave_Click.
The Page_Load event grabs the row from the DataSet in the Session object; the
TextChanged events update the DataRow with the new values; and the
btnSave_Click event attempts to save the record to the database. The
btnSave_Click event c
alls the SaveEmployee method (shown in Figure 3) and passes it a bLastInWins
value of false since we want to attempt a standard save first. If the
SaveEmployee method detects that changes were made to the row (using the
HasChanges method on the DataSet, or
ass so it would be easy to pull the code out and separate it from the presentation
logic.)
Notice that I did not use the GetChanges method to pull out only the modified
rows and pass them to the Employee object's Save method. I skipped this step
here sinc
e there is only one row. However, if there were multiple rows in the DataSet's
DataTable, it would be better to use the GetChanges method to create a DataSet
that contains only the modified rows.
ns a DataSet containing the modified row and its newly updated row version
flag (in this case, the LastUpdateDateTime field's value). This DataSet is then
merged into the original DataSet so that the LastUpdateDateTime field's value
can be updated in the o
riginal DataSet. This must be done because if the user wants to make more
changes she will need the current values from the database merged back into the
local DataSet and shown on screen. This includes the LastUpdateDateTime
value which is used in the WHE
Reporting Violations
the violation occurred. Notice that the exDBC variable is passed to the
FillConcurrencyValues method. This instance of the special database
concurrency exception class (DBConcurrencyException) contains the row
where the violation occurred. When a concurren
The DataSet not only stores the schema and the current data, it also tracks
changes that have been made to its data. It knows which rows and columns have
been modified and it keeps track of
the before and after versions of these values. When accessing a column's value
via the DataRow's indexer, in addition to the column index you can also specify
a value using the DataRowVersion enumerator. For example, after a user
changes the value of the l
ast name of an employee, the following lines of C# code will retrieve the
original and current values stored in the LastName column:
owVersion.Current];
and the value in the database alongside the current values in the textboxes.
User's Choice
Once the user has been notified of the concurrency issue, you could leave it up
to her to decide how to handle it. Another alternative is to code a specific way to
d
eal with concurrency, such as always handling the exception to let the user
know (but refreshing the data from the database). In this sample application I let
the user decide what to do next. She can either cancel changes, cancel and
reload from the databa
The option to cancel changes simply calls the RejectChanges method of the
DataSet and rebinds the DataSet to the controls in the ASP.NET page. The
RejectChanges method reverts the changes that the user made back to its ori
ginal state by setting all of the current field values to the original field values.
The option to cancel changes and reload the data from the database also rejects
the changes but additionally goes back to the database via the Employee class in
order to g
et a fresh copy of the data before rebinding to the control on the ASP.NET page.
The option to save changes attempts to save the changes but will fail if a
concurrency violation is encountered. Finally, I included a "save anyway"
option. This option takes
the values the user attempted to save and uses the last-in wins technique,
overwriting whatever is in the database. It does this by calling a different
command object associated with a stored procedure that only uses the primary
key field (EmployeeID) in t
If you want a more automatic way of dealing with the changes, you could get a
fresh copy from the database. Then overwrite just the fields
that the current user modified, such as the Extension field. That way, in the
example I used the proper LastName would not be overwritten. Use this with
caution as well, however, because if the same field was modified by both users,
you may want to just ba
ck out or ask the user what to do next. What is obvious here is that there are
several ways to deal with concurrency violations, each of which must be
carefully weighed before you decide on the one you will use in your application.
Wrapping It Up
Setting t
he SqlDataAdapter's ContinueUpdateOnError property tells the SqlDataAdapter
to either throw an exception when a concurrency violation occurs or to skip the
row that caused the violation and to continue with the remaining updates. By
setting this property t
I have sp
lit the topic of concurrency violation management into two parts. Next time I
will focus on what to do when multiple rows could cause concurrency
violations. I will also discuss how the DataViewRowState enumerators can be
used to show what changes have bee
n made to a DataSet.
able
C# and VB.NET
Next>>
Server side code executes on the server.For this to occur page has to be submi
tted or posted back.Events fired by the controls are executed on the server.Client
side code executes in the browser of the client without submitting the page.
e.g. In ASP.NET for webcontrols like asp:button the click event of the button is
executed on th
e server hence the event handler for the same in a part of the code-behind
(server-side code). Along the server-side code events one can also attach client
side events which are executed in the clients browser i.e. javascript events.
a base class of the related classes in the class hierarchy. For example, consider a
hierarchy-car and truck classes derived from four-wheeler class; the classes
two-wheeler and four-wheeler derived from an abstract class vehicle. So, the
class 'vehicle' i
s the base class in the class hierarchy. On the other hand dissimilar classes can
implement one interface. For example, there is an interface that compares two
objects. This interface can be implemented by the classes like box, person and
string, which are
class to override all the methods declared in the interface, otherwise the derived
class would become abstract.
Can you explain what inheritance is and an example of when you might use it?
The savingaccount class has two data members-accno that stores acc
ount number, and trans that keeps track of the number of transactions. We can
create an object of savingaccount class as shown below.
savingaccount s = new savingaccount ( "Amar", 5600.00f ) ;
lled the two-argument constructor of the account class using the base keyword
and passed the name and balance to this constructor using which the data
member's name and balance are initialised.
do not exceed 10. From these methods we have called the base class's methods
to update the balance using the base keyword. We have also overridden the
display( ) method to display additional information, i.e. account number.
Using the derived class's object, if we call a method that is not overridden in the
derived class, the base class method gets executed. Using derived class's object
we can call base class's methods
Unlike C++, C# does not support multiple inheritance. So, in C# every class has
exactly one base class.
Now, suppose we declare reference to the base class and store in it the address
of instance of derived class as shown
below.
account a1 = new
uld get called. Using a1 and a2, suppose we call the method display( ), ideally
the method of derived class should get called. But it is the method of base class
that gets called. This is because the compiler considers the type of reference
(account in thi
s case) and resolves the method call. So, to call the proper method we must
make a small change in our program. We must use the virtual keyword while
defining the methods in base class as shown below.
public virtual void display( )
Now it is ensured that when we call the methods using upcasted reference, it is
the derived class's method that would get called. Actually, when we declare a
virtual method, while calling it, the compiler considers the conten
If we don't want to override base class's virtual method, we can declare it with
new modifier in derived class. The new modifier indicates that the method is
new to this class and is not an override of a base class
method.
When we set out to implement a class using inheritance, we must first start with
an existing class from which we will derive our new subclass. This existing
class, or base class, may be part of
the .NET system class library framework, it may be part of some other
application or .NET assembly, or we may create it as part of our existing
application. Once we have a base class, we can then implement one or more
subclasses based on that base class.
Each of our subclasses will automatically have all of the methods, properties,
and events of that base class ? including the implementation behind each
method, property, and event. Our subclass can add new methods, properties, and
events of its own - exten
ding the original interface with new functionality. Additionally, a subclass can
replace the methods and properties of the base class with its own new
In VB.NET:
End Prop
erty
In C#
get{
//property implementation goes here
return mPropertyName;
}
// Do not write the set implementati
on
E.g.
Trace.WriteLine("Cla
ssA Method");
}
}
TextWriter tw = Console.Out;
Trace.Listeners.Add(new TextWriterT
raceListener(tw));
obj.MethodA(); // Outputs
Class A Method"
obj.MethodA(); // Outputs
”
}
see whether two XML documents are the same. For example, a section of text in
one document might read Black & White, whereas the same section of text
might read Black & White in another document, and even in another. If you
compare those three documents b
yte by byte, they'll be different. But if you write them all in canonical XML,
which specifies every aspect of the syntax you can use, these three documents
would all have the same version of this text (which would be Black & White)
and could be compared w
ithout problem.
This Comparison is especially critical when xml documents are digitally signed.
The digital signal may be interpreted in different way and the document may be
rejected.
Why is the XML InfoSet specification different from the Xml DOM? What
does the InfoSet attempt to solve?
"The XML Information Set (Infoset) defines a data model for XML. The Infoset
describes the abstract representation of an XML Document. Infoset is the
Infoset helps defining generalized standards on how to use XML that is not
dependent or tied to a particular XML specification or API. The Infoset te
Contrast DTDs versus XSDs. What are their similarities and differences?
Which is preferred and why?
XML document. XML Schema Definition (XSD) also describes the structure of
an XML document but XSDs are much more powerful.
ine complex types of our own which can be used to define a xml document.
Xml Schemas are always preferred over DTDs as a document can be more
precisely defined using the XML Schemas because of its rich support for data
representation.
There's no conversion between 0 and false, as well as any other number and
true, like in C/C++.
Int32.Parse(string)
Yes, but what's the point, since it will call Finalize(), and Finalize() has no
guarantees when the memory will be cleaned up,
No semicolon.
The readonly keyword is different from the const keyword. A const field can
only be initialized at the declaration of the field.
A readonly field can be initialized either at the declaration or in a constructor.
Therefore, readonly fields can have different values depending on the
constructor used. Also, while a const field is a compile-time constant, the
readonly field can be used
<<
r annoying beep.
Yes.
No fall-throughs allowed.
What happens when you encounter a continue statement inside the for
loop?
How can you sort the elements of the array in descending order?
Will finally block get executed if the exception had not occurred?
Yes
A catch block that catches the exception of type System.Exception. You can also
omit the parameter data type in this case and just write catch {}.
No, once the proper catch code fires off, the control is transferred to the finally
block (if there are any), and then whatever follows the finally block.
Well, if at t
hat point you know that an error has occurred, then why not write the proper
code to handle that error instead of passing a new Exception object to the catch
block? Throwing your own exceptions signifies some design flaws in the
project.
c switch.
immediate
window.
What's the implicit name of the parameter that gets passed into the class'
set method?
Valu
Place a colon and then the name of the base class. Notice that it's double colon
in C++.
nstead.
me of the property and the type expected. Assign the result to the appropriate
variable. In Visual Studio yes, use Dynamic Properties for automatic .config
creation, storage and retrieval.
The designer will likely through it away, most of the code inside
InitializeComponent is auto-generated.
tnSubmit.Attributes.Add(""onMouseOver"",""someClientCode();"")
In computer sci
ence term:
An array has a rank that determines the number of indices associated with each
array element. The rank of an array is also referred to as the dimensions of the
array. An array with a rank of one is called a single-dimensional array.
A jagged arra
y is an array whose elements are arrays. The elements of jagged array can be of
different dimensions and sizes. A jagged array is sometimes called as
“
array-of-arrays
. It is called jagged because each of its rows is of different size so the final or
graph
When you create a jagged array you declare the number of rows in your array.
Each row will hold an array that will be on any length. Before filling the values
in the inner arrays you must declare them.
laration in C#:
Note that while declaring the array the second dimension is not supplied
because this you wil
Jagged array are created out of single dimensional arrays so be careful while
using them. Don
rrays:
http://msdn.microsoft.com/library/default.asp?url=/library/en-
us/csref/html/vclrfarrayspg.asp
What is a delegate, why should you use it and how do you call it ?
ets some other code call your function without needing to know where your
function is actually located. All events in .NET actually use delegates in the
background to wire up events. Events are really just a modified form of a
delegate.
Events use delegates so clients can give the application events to call when
the event is fired. Exposing custom events within your applications requires the
use of delegates.
If you define integer variable and a object variable and a structure then
how those will be plotted in memory.
Integer , structure
System.ValueType
[C#]
[Serializable]
So , it
s a struct by definition , which is the same case with various other value types
Object
–
Base class , that is by default reference type , so at runtime JIT compiler
allocates memory on the
Heap
Data structure .