Sunday, October 19, 2008

Configure BAS in BizTalk 2006



Issue #4
Problem: when trying to register BizTalk server to the BAS to associate the BizTalk Management database with the BAS Web site and create a receive location for the BAS outbox, it gave me the below error:
"Failed to create the BizTalk registration for the BizTalk Server named, 'D0E6D8987F4E458'.
Could not store transport type data for Primary Transport of Send Port 'Bas.TpmWebServicePort' to config store. Primary SSO Server 'D0E6D8987F4E458' failed. Cannot perform encryption or decryption because the secret is not available from the master secret server. See the event log (on computer 'D0E6D8987F4E458') for related errors."




Reason: After reinstalling BTS 2006, I connect the SSO to the existing DB and SSO create new secret file, so the SSO refer to secret file not exist.




Resolution:
1. BizTalk backup the secret file in this path: “C:\Program Files\Common Files\Enterprise Single Sign-On”. With file extension .bak
2. Open SSO Administration console, exist in the same path ”C:\Program Files\Common Files\Enterprise Single Sign-On\ ENTSSO.msc”
3. Choose “System” from the right Pane.
4. From menu choose ActionsèRestore Secret.




5. Then browse for the key backup and type the password:
Example for the password “The SSO backup file password is the current password of Administrator as of Wed, 10 Sep 2008 12:48:25 GMT appended to Administrator. For example, Domain\UsernamePassword.”
If it installed by local account it will be “UsernamePassword” only.


Created by
Ahmed Abdel Moneim



Configuring WSS 2.0 SP 2.0 to work with BizTalk 2006


Issue #3


Problem: After installing the WSS 2.0, it gave the below error when trying to save the configuration in the SharePoint administration page:
System Error 1057 while trying to query service "SPTimer"


Reason: because the Identity of the SharePoint Application Pool configured as below


Resolution: set the identity with the format “Machine Name OR Domain Name\User Name”




Created by
Ahmed Abdel Moneim


Installing WSS 2.0 SP 2.0 to work with BizTalk 2006

Issue #2
Problem: When completing the Labs, I installed the WSS 2.0 with Service Pack 2.0 with default options, but when I read the installation guide I discovered that I should select “Farm” WSS 2.0 with Service Pack 2.0 with default options, but when I read the installation guide I discovered that I should select “Server Farm” under “Type of Installation”, I uninstalled it, then I try to installed it again, but the I didn’t see “Type of Installation” window again.


Reason: because when installing WSS 2.0 it creates MSDE instance and it create DB that stores all the options you select.

Resolution: Uninstall it from Add\Remove Programs “Microsoft SQL Server Database Engine (SharePoint).

Created by
Ahmed Abdel Moneim

Rule Engine Service Configuration Problem

Issue #1:

Problem: When Uninstalling BizTalk server 2006 and try to configure the rule engine, it gave the below error :

"Port 3132, which is required by the Rule Engine Update Service, is being used by another application, Restart this computer and rerun configuration."






Reason: after I install windows share point services 3.0, the “SharePoint Central Administration” site use it.



Resolution:Change the port in IIS manager.



Created byAhmed Abdel Moneim

Wednesday, April 11, 2007

ASP.Net Quick Tips - State Management

February 28

ASP.Net Quick Tips
- State Management





Sursa


The web is inheritently stateless, however, ASP.Net provides you with a very
comprehensive list of options to overcome this lack of statelessness. Using them
effectively is a critical of a successful ASP.Net application.


Tip: Do not use the Application statebag.


Cache does everything you can do with Application. Application was created to
smooth the transition of ASP.Old users to ASP.Net. There is no reason to use
Application and it should be avoided.


Tip: Use a safe pattern for accessing objects from a
statebag
.


All statebags take the form of a key/value dictionary. While they are very
easy to work with, if you are not careful you can introduce subtle issues and
potentially open yourself up to a hard to debug exceptions.


The ideal pattern takes the form of:

MyObject obj = StateBag["key"] as MyObject;
if(obj == null)
{
//Do Something here

}


Using this pattern helps to avoid multiple lookups, race conditions, and
invalid cast exceptions. The most common abuse of this rule looks like this:

MyObject obj = null;
if(StateBag["key"] != null)
{
obj = (MyObject)StateBag["key"];
}


In the bad example above, we look up the key twice, introduce a possible race
condition (what if in-between the key look up and request it is removed), and
have a possible invalid cast if the type of object stored by "key" is not of the
type "MyObject" (or a derivative/etc).


Tip: Understand the importance of HttpContext.Items.


The HttpContext provides a per request statebag you can use to store objects
that are only needed on the current request. As I have mentioned before it
is advisable to avoid Session when possible. However, there are likely objects
which are re-used through the course of a request and HttpContext.Items is an
idea place for them. The first time I ever heard of the HttpContext.Items was in
an article "A Matter of
Context
" by the great Susan Warren.


Tip: Do not overlook Cookies and Hidden fields.


As I have mentioned a couple times by now, I generally recommend avoiding
Session. But there are quite a few times when you need to store values between
requests and Cache/Database/etc just do not make sense. Cookies are an excellent
candidate to temporary information which needs to exist across multiple pages
and hidden fields can be used as a way of quickly tucking away values on a per
page basis.


Tip: Know what is in your cookies and ViewState.


Both cookies and viewstate provide excellent ways to store data, but you must
always keep in mind that this data will travel to and from the server on every
request. Keep it small and simple.


Tip: Do not store secure/secret data in Cookies, Hidden fields, or
ViewState.


If you do not want users reading data, tampering with data, etc then do not
push it down the client and store it on their machines. This is the equivalent
of a putting something shiny and red in front of a baby and then saying do not
touch.


Tip: Consider using a Ticket for more safely obscuring data in a
cookie on the client.


As the tip above states, you should not put secure data on the client.
However, there times you may want to store data on the client via a cookie and
do not want them to be able to tamper with it. ASP.Net ships with an API/object
called FormsAuthenticationTicket which is used to safely manage your Forms
authentication cookie. You can leverage this API and store your own information
in a cookie on the client.


To do so, simply create a new FormsAuthenticationTicket
, pass it a few settings, and your "secret data". From there you call
FormsAuthenticationTicket.Encrypt which returns a string you can store in a
cookie. Here is quick example:

string secretData = "secret";
DateTime dt = DateTime.Now;
FormsAuthenticationTicket newTicket =
new FormsAuthenticationTicket(1, "ticketName", dt,

dt.AddDays(7), true, secretData);

HttpCookie newUserCookie = new HttpCookie("theCookie");
newUserCookie.Value = FormsAuthentication.Encrypt(newTicket);
newUserCookie.Expires.AddDays(7);


Response.Cookies.Add(newUserCookie);


To re-use the data, simply fetch the cookie and call the
FormsAuthentication.Decrypt method:

HttpCookie userCookie = Request.Cookies["theCookie"];
string secretData = null;
if(userCookie != null)

{
FormsAuthenticationTicket ticket =
FormsAuthentication.Decrypt(userCookie.Value);
secretData = ticket.UserData;
}


Tip: For custom ASP.Net server controls, if you need to make sure a
value is persistent, use Control State and not ViewState.


As stated previously, I generally recommend disabling ViewState. As a control
developer, this can cause problems since there maybe times when using something
like ViewState is necessary for your control to function properly. Thankfully in
ASP.Net 2.0, as a developer, you now have a new option, Control
State.


Fritz Onion has a great detailed
explanation of Control State
:



Control state is essentially another state repository whose contents is
propagated much like view state, but the purpose of the control state
repository is to cache data necessary for a control to properly function. To
put it another way, behavioral state for a control should be kept in control
state, and UI state (its contents) should be kept in view state. Thus in the
new GridView class, you can completely disable view state, and the pagination
and editing events still fire as expected.


As always, I am eager to hear your feedback, additions, and suggestions. I am
working on a separate post with tips on the most important state management
option, caching, which is why I avoided the topic here.


FYI, this is part three of a continuing series of ASP.Net Tips. If you
found this post helpful, you may want to check out the other posts in the
series: General
ASP.Net Tips

ASP.Net Quick Tips Web.config

February 28

ASP.Net Quick Tips
- Web.config




Sursa




The first round of ASP.Net
Quick Tips
was very successful. I have about 30 or so tips jotted down, but
I am always looking for more. I am leaning towards doing them by theme/topic
with state management/cache, data access, web controls, accessibility/standards,
and tips from around the web are in the queue. But as the title suggests,
today is all about the web.config.


Tip: Set debug = "false" before you go to production.


This really is not a tip, it is a must. NEVER go to production with debug
purposely set to true.


<compilation defaultLanguage="c#" debug="false" />


As
ScottGu points out
(click through for a lot information on the topic)



  1. The compilation of ASP.NET pages takes longer
    (since some batch optimizations are disabled) 
  2. Code can execute slower (since some additional debug paths are
    enabled) 
  3. Much more memory is used within the application at runtime 
  4. Scripts and images downloaded from the WebResources.axd handler are not
    cached

Tip: If you do not control your production environment, set your
trust level to medium.


<trust level = "Medium" />


More and more ISP's and server administrators are setting the ASP.Net trust
level to medium. There are quite a few things you cannot do in ASP.Net while
using Medium Trust. In most cases, you can work around this, but it is
better to know while you are writing the code than when a customer sends you an
error message that simply states their was a security exception. (In addition,
the term security exception generally freaks them out).One of the hardest tasks we ever had to complete on Community Server was to get it to
function properly under Medium trust after we had written a substantial amount
of code. Our checked in web.config now has the trust level set to medium which
makes these issues very apparent as soon as they are created.


Note: By far, the most frequent case of medium trust issues is external
HttpRequests. Under medium trust it is not possible to make an
external HttpRequest without changes to your local policy or via a
proxy
. For Community Server, we recommend you use a proxy which is supported
out of the box. Because of these extra configurations steps, out of
the box, the Community Server web.config does not force medium trust.


Tip: Disable session state when not in use.


<sessionState mode="Off" />


I will not get into the virtues/issues with session, but needless to say,
most applications can be written to not use it (we make no use of session in Community Server). If you are not using
it, turn it off. The overhead is minor, but it is something that happens on
every request.


Tip: Disable ViewState


<pages enableViewState="false" />




Read more: http://meshaje.spaces.live.com/Blog/cns!439D09C4A8EA3868!118.entry

Thursday, April 5, 2007

Hello

I will strat my first blog in technical knowledge, here i will start a series of posts for articles that will help you in improve your .NET software development skills.
my dream is to make egypt enterprise software production country like fareast countries.
feel free to contact me on my email address
Ramado80@gmail.com in case you need any help regarding this subject.
i wish to you all a career full of success.
Salam