Active Server Pages Reference Brian Lalonde
|
|
|
- Erika Foster
- 10 years ago
- Views:
Transcription
1 Active Server Pages Reference Brian Lalonde
2
3 Contents Syntax Basics... 1 Server Directives... 3 global.asa file... 5 Application object... 7 Application.Contents collection... 7 Application.Lock method... 7 Application.StaticObjects collection... 7 Application.Unlock method...8 Session object...9 Session.Abandon method... 9 Session.CodePage property... 9 Session.Contents collection... 9 Session.LCID property Session.SessionID property Session.StaticObjects collection...10 Session.Timeout property...10 Server object...13 Server.CreateObject method...13 Server.Execute method...13 Server.GetLastError method...13 Server.HTMLEncode method...14 Server.MapPath method Server.ScriptTimeout property Server.Transfer method Server.URLEncode method...15 Request object Request.BinaryRead method Request.ClientCertificates collection Request.Cookies collection...18 Request.Form collection...18 Request.QueryString collection...18 Request.ServerVariables collection...18 Request.TotalBytes property Response object Response.AddHeader method...21 Response.AppendToLog method Response.BinaryWrite method...21 Response.Buffer property...21 Response.CacheControl property Response.Clear method Response.ContentType property...22 Response.Charset property Response.Cookies collection Response.End method...23 Response.Expires property Response.ExpiresAbsolute property...23 Response.Flush method Response.IsClientConnected property...24 Response.PICS property...24 Response.Redirect method Response.Status property...24 Response.Write method...24 IStringList collection Internationalization i
4 ii
5
6
7 Syntax Basics Special ASP blocks, and some rudimentary SSI support. Active Server Pages are standard HTML files with embedded script. Two forms of the Server Side Include (SSI) directives are supported, and are processed before any ASP blocks: <!--#include virtual="/absolute_virtual_path"--> <!--#include file="relative_physical_path"--> These directives can be used anywhere a comment would be legal in the HTML. Conventionally, included files are given the.inc filename extension. Warning When using Python as an ASP scripting language, whitespace is very significant. <% Response.Write(Application('started')) %> <!-- ERROR --> <%Response.Write(Application('started'))%> <!-- OK --> ASP Block Types Server Directive Block <%@ server directives %>Sets various ASP options ( [ ] ). This block can only occur at the top of the ASP file, and only once. Tip To ensure that your pages will still work, unaltered, after moving to a new hosting provider (especially one unwilling or unable to change the IIS settings), or after a reinstall/upgrade of the server software (which could replace all of your custom IIS settings with the defaults), include a Language directive for any non-vbscript page, and an EnableSessionState directive whenever the Session object is used (session support can be very resource-intensive, and should be disabled unless needed). Write Blocks <%= expression %>Converted to Response.Write(expression). This block cannot contain line breaks. Note Adjacent write blocks will 'eat' any whitespace between them, so <%= firstname %> <%= lastname %> will result in BrianLalonde being sent to the browser. To prevent this, use the space (or nonbreaking space) character entity <%= firstname %> <%= lastname %>, or include the space character in a single write block <%= firstname+" "+lastname %>. Procedural Blocks <% procedural script %>Executes the procedural script, but doesn't directly insert anything into the resulting HTML. Translates literally into Response.WriteBlock(procedural script). 1
8 Syntax Basics 2
9 Server Directives Set the script language, code page, or locale; or enable session or transaction. Language Establishes the page's scripting language. VBScript is the default when IIS is installed, but the default language is configurable for each web application. JScript is an alternative language, available on all IIS servers. PerlScript [ www. activestate. com/ products/ activeperl/ ], Python [ www. activestate. com/ products/ activepython/ ], and various other languages can also be installed and used, but can be somewhat slower than the lightweight (and less complete) VBScript or JScript. EnableSessionState True or False. Sessions identify a user connection. True is the default when IIS is installed, but the session state can be set independantly for each web application. The IIS server uses connection info, cookies, etc. to discern one user/connection from another. This is required to use the Session object. Tip Sessions incur some overhead, and should be disabled for servers or individual web applications in the server settings unless required. CodePage See [ ]. LCID See [ ]. Transaction One of Required, Requires_New, Supported, or Not_Supported. Determines whether a transaction will be initiated. With transactions enabled, the ObjectContext object becomes available: SetAbort() method Aborts the page's transaction. SetComplete() method The page declares that its part in the transaction is finished. OnTransactionAbort event Called when the transaction fails. OnTransactionCommit event Called when the transaction completes. 3
10 Server Directives 4
11 global.asa file Create application- or session-level obejcts or values. ASA File Elements Type Library Declarations Allows the use of an object library's enumerated constants throughout the application. For example, by including the ADO typelib, you can use conn.openschema(adodb.adschematables) instead of conn.openschema(20). <!-- METADATA TYPE="TypeLib" UUID="TypeLibID", FILE="TypeLibFile" VERSION="major.minor" LCID="LocaleID" --> Although the version and locale can be requested, there will be no error if the server cannot find the variant specified. Tip You can add a descriptive name to the typelib declaration before the METADATA keyword, to make it more readable. Some Common TypeLib Declarations <!-- ADODB 2.5 METADATA TYPE="TypeLib" UUID="{ AA006D2EA4}" --> <!-- ADODB 2.6 METADATA TYPE="TypeLib" UUID="{ AA006D2EA4}" --> <!-- ADODB 2.7 METADATA TYPE="TypeLib" UUID="{EF53050B-882E-4776-B643-EDA472E8E3F2}" --> <!-- ADODB 2.8 METADATA TYPE="TypeLib" UUID="{2A75196C-D9EB-4129-B F72D5C}" --> <!-- ADOMD METADATA TYPE="TypeLib" UUID="{ BD3-11D0-B4EF-00A0C9138CA4}" --> <!-- ADOX METADATA TYPE="TypeLib" UUID="{ AA006D2EA4}" --> <!-- CDONTS METADATA TYPE="TypeLib" UUID="{0E064ADD-9D99-11D0-ABE5-00AA0064D470}" --> <!-- CDOSYS METADATA TYPE="TypeLib" UUID="{CD B95-11D1-82DB-00C04FB1625D}" --> <!-- Scripting FSO METADATA TYPE="TypeLib" UUID="{420B2830-E718-11CF-893D-00A0C }" --> <!-- MSWC.IISLog METADATA TYPE="TypeLib" UUID="{B758F2F9-A3D6-11D1-8B9C DCC2FA}" --> <!-- MSXML2 METADATA TYPE="TypeLib" UUID="{F5078F18-C551-11D3-89B9-0000F81FE221}" --> <!-- WinHttp5 METADATA TYPE="TypeLib" UUID="{C92A03CF-B92B-404F-9AC A592E4C}" --> <!-- WinHttp5.1 METADATA TYPE="TypeLib" UUID="{662901FC EB2-D9A2570F2B2E}" --> Object Declarations Creates a COM object for the application or user session.that is available to the entire application. This allows you to set up a database connection, for example, and re-use it on each Active Server Page in the applicaiton, rather than re-connecting for each individual page. <object runat="server" scope="scope" id="varname" progid="progid", classid="classid"></object> The scope for an object must be either Application (a single object for the entire application) or Session (a copy of the object for each user session). The object will be available in the global namespace throughout the application, using the name varname, and in the StaticObjects collection of the Application or Session object (depending on the object's scope). Tip Creating and initializing an object once per application or user is significantly faster than doing it repeatedly per page. For example, creating an ADODB.Connection for the application and connecting it to the database in the Application_onStart event, rather than on each page, saves the user the time of creating and connecting (and disconnecting, and releasing) the database connection on each page that uses the object. Multiple application objects: database connections, commands, XSLT templates, etc. taken together can make a site feel noticably faster. Warning Creating a single object for multiple pages also creates a single point of failure. For example, if a global database connection is unexpectedly disconnected, all the pages that use the object will be unable to access the database, unless they can detect the problem and reconnect. Also, be aware that COM objects used concurrently must be thread-safe (Able to run for multiple pages at once.) [ ]. Event Handler Script 5
12 global.asa file Application and session event handlers are defined in one or more script sections, each of which can use a different language. An event handler is a subroutine with one of the following names: Application_onStart Called the first time a page of the application is processed. Application_onEnd Called when the web service is shut down. Session_onStart Called the first time a user accesses an application that has sessions enabled. Used to initalize user-specific settings. Session_onEnd Called when the user session expires. OnTransactionAbort Called when the transaction fails, in an application that has enabled transactions. OnTransactionCommit Called when the transaction completes, in an application that has enabled transactions. <!-- ADODB 2.5 METADATA TYPE="TypeLib" UUID="{ AA006D2EA4}" --> <object runat="server" scope="application" id="conn" progid="adodb.connection"></object> <script language="vbscript" runat="server"> Sub Application_onStart conn.open "ConnectString" Application("MaxLogonTries")= 3 End Sub </script> Example 3.1 Sample global.asa 6
13 Application object Stores values and objects, fires events, and provides locking, at the application level. Application.Contents collection Associative array that can be used to store simple values, keyed by name. Application.Contents(name)= value ' set an application value Application(name)= value ' same thing, since Contents is the default member of Application Application(name) ' use the value Application.Contents.Remove name ' remove the value Application.Contents.RemoveAll ' remove all application values The Contents collection is an associative array that maps key strings to values, available to the entire application. Altering the Application.Contents collection usually occurs in the Application_onStart event in [ ], but can also be performed in an ASP page (though the application should be [ ] first). Note The Contents collection can only store certain primitive values, like dates and times, numbers, strings, and some arrays. The collection cannot store more complex objects, such as COM objects (see [ ] ), JScript associative arrays and objects, PerlScript hashes and objects, etc. Application.Contents Members Remove(name) method (ASP 3.0) Deletes the specified item from the collection. RemoveAll() method (ASP 3.0) Deletes all items from the collection. Application.Lock method Obtains exclusive write access to the Application object. Application.Lock '... modify application object... Application.Unlock Tip To avoid concurrency issues (such as a race condition [ en. wikipedia. org/ wiki/ Race_ condition ] ), always lock the application before altering the Application.Contents collection (except in the Application_onStart event handler in [ ] ). Warning All other ASP blocks in the entire application will wait while the application is locked. Application.StaticObjects collection Collection of application objects declared in the global.asa file. Application.StaticObjects(name).member ' access the named object name.member ' same thing, since static objects are imported into the global namespace 7
14 Application object Application-scope COM objects created via the object tag in the [ ] file are stored in the StaticObjects collection, in addition to being available to the global namespace. Application.Unlock method Releases exclusive write access to the Application object. Application.Lock '... modify application object... Application.Unlock See [ ]. 8
15 Session object Stores persistant information for each user session. Warning Using the Session object requires that sessions be enabled for the application. Otherwise, an error will occur. Warning User sessions require the client to support and accept cookies in order to function properly. It is a good idea to configure your server to support P3P [ in order to support newer browsers with more paranoid privacy settings. Session.Abandon method Closes the session, freeing up all associated resources. Session.Abandon Tip Always abandon the session once you know the user has finished with the application. Providing a link to a simple logoff page is one way to accomplish this. <% Session.Abandon Response.Redirect "/" ' send user to the site's home page %> Example Logoff.asp Session.CodePage property Sets the code page (Windows character set) for a session. Session.CodePage= codepage See [ ]. Session.Contents collection Collection of variables stored in the Session object. Session.Contents(name)= value ' set an session value Session(name)= value ' same thing, since Contents is the default member of Session Session(name) ' use the value Session.Contents.Remove name ' remove the value Session.Contents.RemoveAll ' remove all session values The Contents collection is an associative array that maps key strings to values, available to the entire application. This is similar to the Application.Contents collection, but do not require locking to change, since only a single client has access to a session. 9
16 Session object Note The Contents collection can only store certain primitive values, like dates and times, numbers, strings, and some arrays. The collection cannot store more complex objects, such as COM objects (see [ ] ), JScript associative arrays and objects, PerlScript hashes and objects, etc. Session.Contents Members Remove(name) method (ASP 3.0) Deletes the specified item from the collection. RemoveAll() method (ASP 3.0) Deletes all items from the collection. Session.LCID property Sets the locale ID for a session. Session.LCID= localeid See [ ]. Session.SessionID property Returns this session identifier. sid= Session.SessionID The session identifier is the cookie value used to distinguish one session from another. Note This property is really only useful for debugging, to see if a session ID changes unexpected. 10 Session.StaticObjects collection Collection of session objects declared in the global.asa file. Session.StaticObjects(name).member ' access the named object name.member ' same thing, since static objects are imported into the global namespace Session-scope COM objects created via the object tag in the [ ] file are stored in the StaticObjects collection, in addition to being available to the global namespace. Session.Timeout property Number of minutes of inactivity before this session times out. Session.Timeout= mins
17 Session.Timeout property The number of minutes before a session expires can be set in the IIS administration console; when IIS is installed, it is 20. This property allows you to set a different timeout for just the current session. Tip This can be a useful way of keeping a session open during an extremely slow process. 11
18 Session object 12
19 Server object A collection of methods provided by the webserver. Server.CreateObject method Creates an instance of a COM server component. Set obj= Server.CreateObject(progid) This method creates and returns a COM object specified by progid. Important Using Server.CreateObject rather than a language construct (like CreateObject(progid) in VBScript, new ActiveXObject(progid) in JScript, or $Win32::OLE->new(progid)in PerlScript) allows IIS to manage the object, by handling concurrency, termanation, etc. Server.Execute method Runs another ASP file as if it were a subroutine in the current file. Server.Execute aspfile This method executes the specified ASP file, as if it were part of the calling file: all application, session, server, request, and response properties and methods from the calling page are available to the called page. Tip Server-side includes are always imported into an ASP, but using Server.Execute allows you to use only the modules you need. Server.GetLastError method Returns the last error as an ASPError object, for use in custom error pages. Set err= Server.GetLastError ASPError Properties ASPCode Number Source Category File Line Column Description ASPDescription Server.HTMLEncode method 13
20 Server object Escapes special HTML characters. <%= Server.HTMLEncode(text) %> Tip Use this method any time you are writing database fields or form values, to ensure that any special characters ( < > & " ' ) are converted to HTML-safe (and XML-safe) character entities ( < > & " ' ). Server.MapPath method Returns a full physical path, given a virtual or relative path. path= Server.MapPath(virtualpath) Tip Useful for producing a full path to a database file, XML config file, etc. with a relative (or absolute) virtual path. Server.ScriptTimeout property Sets the number of seconds a script is allowed to run. Server.ScriptTimeout= seconds Note The timeout is actually the larger of this value and that in the Registry. Server.Transfer method Begins executing another ASP file, with all the variables and objects from the current file. Server.Transfer aspfile Tip Using Server.Transfer is more efficient than Response.Redirect (which requires another client request and server response). 14 Note This method is available only as of IIS 5.0 (Windows 2000).
21 Server.URLEncode method Server.URLEncode method Escapes special URL characters. <%= Server.URLEncode(text) %> Tip Use this method any time you are writing database fields or form values, to ensure that any special characters ( like? # etc. ) are URL-escaped. 15
22 Server object 16
23 Request object The client request. The Request object does not have a traditional default member. Instead, when accessing the object as a collection, it returns the first match found after searching its five member collections for the key, in this order: 1. [ ] 2. [ ] 3. [ ] 4. [ ] 5. [ ] Each of these collections contains a collection of [ ] items. Tip Using the Request collection allows a more concise and flexible access method for form variables; by using Request("id") rather than Request.Form("id"), you can pass the id variable via a POST form, or a simple link (from a search results page, for example) interchageably. Warning It is best to avoid using the Request collection to access the Request.ServerVariables collection for two reasons: first, it is the last collection searched, which means the search will take longer; and second, an item from another collection with the same name will supercede the value, allowing exploits and causing bugs. In the following example, a malicious user could easily pass a query string of?logon_user=administrator. VBScript If Request("LOGON_USER") = "" Then ' WRONG! Any Request collection could provide this value! Response.Status= "401 Unauthorized" Response.End End If Example 7.1 The Wrong Way To Check For Authentication For i= 1 To Request("field").Count ' IStringList collections begin at 1 ' use value Next Example 7.2 Collecting Multiple Values From a Field VBScript Request.BinaryRead method Returns the requested number of binary bytes from those sent by the client. data= Request.BinaryRead(bytes) This method is used when the client sends binary data to the server, for example, as a part of a file upload form input. Note The data returned by this method is pretty difficult to work with using VBScript or JScript; it needs to be broken apart, decoded, etc. Using a third-party component, like the ASPFileForm [ ], to read the fields from a file upload is advisable. Request.ClientCertificates collection 17
24 Request object Properties of the client certificate, when one is sent by the browser. value= Request.ClientCertificates(name) When a client provides a certificate for authentication purposes, its fields are provided by this collection. Request.Cookies collection Potentially two-dimensional read-only collection of persistant client values. value= Request.Cookies(name) ' get a one-dimensional persistant client value twodim= Request.Cookies(name).HasKeys ' check to see if the cookie is two-dimensional value= Request.Cookies(name)(key) ' get a two-dimensional persistant client value Any cookies passed to the client from the server are provided in this collection. This collection contains a list of [ ] items. Request.Form collection Data passed to the server via a POST form. value= Request.Form(name) All POST form values are gathered into this collection. This collection contains a list of [ ] items. For Each fld in Request.Form msg= msg & fld & ": " & Request.Form(fld) & vbcrlf Next Example Collecting Form Fields VBScript Request.QueryString collection Data passed to the server as a part of the URL, as with a GET form. value= Request.QueryString(name) All GET form values, and any query string values, are available in this collection. This collection contains a list of [ ] items. Request.ServerVariables collection A collection of standard CGI values. value= Request.ServerVariables(name) 18
25 Request.TotalBytes property The standard CGI variable are available in this collection. Some Useful Server Variables ALL_HTTP A string containing all of the request headers. Check this too see what other variables are available on your server. HTTP_VIA The name of any proxy software between the client and the server. HTTP_FORWARDED_FOR The real address of a client using a proxy server. LOGON_USER The Windows username the client is using to access a non-anonynous address. PATH_INFO Extra (fake) path info, after the filename: /page.asp/more. Note PATH_INFO works incorrectly unless the Metabase key AllowPathInfoForScriptMapping is modified. REMOTE_ADDR The address of the client system. SCRIPT_NAME The virtual path of the currently running page. URL The address of the currently running page. This collection contains a list of [ ] items. Request.TotalBytes property The size of the client request, used with BinaryRead. size= Request.TotalBytes This property specifies the size, in bytes, of the request body sent by the client. It is primarily used to provide the number of bytes Request.BinaryRead should read. 19
26 Request object 20
27 Response object The server response. Response.AddHeader method Adds a custom HTTP header. Response.AddHeader name, value Used to send a custom HTTP header to the client, such as a P3P compact policy. Note This method must precede any data sent to the client, so put it at the top of your page. (Buffered pages may be able to add it later.) Response.AppendToLog method Appends text to the server log. Response.AppendToLog text Note This method can be called multiple times. Response.BinaryWrite method Sends binary data to the client. Response.BinaryWrite data This method sends binary data, like an image, to the client. Response.Buffer property Enables a buffered response. Response.Buffer= True ' enable buffering Response.Buffer= False ' disable buffering Buffering is enabled by default, starting with IIS5 (Windows 2000). Note This method must precede any data sent to the client, so put it at the top of your page. 21
28 Response object Response.CacheControl property Specifies an HTTP cache command. Response.CacheControl= cachecmd This property allows you suggest whether a page should be cached or not. Some Cache Control Values public The page may be cached. private The page should not be kept in a shared cached. no-cache The cache should always check for a newer version. no-store Do not cache at all. Response.Clear method Clears buffered response content. Response.Clear Any buffered data is cleared, and never sent to the client. Response.ContentType property Specifies an HTTP MIME type. Response.ContentType= mimetype Some content types a page can generate: text/xml text/xsl text/javascript image/png image/jpeg image/gif application/xhtml+xml Response.Charset property Adds the character set modifier to the HTTP MIME type. Response.Charset= character-set 22
29 Response.Cookies collection See [ ]. Response.Cookies collection Potentially two-dimensional write-only collection of persistant client values. Response.Cookies(name)= value ' set a one-dimensional persistant client value Response.Cookies(name)(key)= value ' set a two-dimensional persistant client value Response.Cookies(name).Expires= value Response.Cookies(name).Domain= value Response.Cookies(name).Path= value Response.Cookies(name).Secure= value Used to store infomation at the client, such as user preferences. Response.End method Flushes buffered content and ends script. Response.End Warning When using PerlScript, this method will not end the script. Response.Expires property Specifies a relative HTTP content expiration. Response.Expires= mins Sets the HTTP expiration of the page, in minutes. Response.ExpiresAbsolute property Specifies an absolute HTTP content expiration. Response.ExpiresAbsolute= datetime Sets a specific HTTP expiration for the page. Response.Flush method Flushes buffered content. Response.Flush Sends all buffered data to the client. 23
30 Response object Response.IsClientConnected property True if the client is still waiting for a response, or false if not. ccon= Response.IsClientConnected If a user has clicked the Stop button on their toolbar, or otherwise cancelled the page, this provides a way of halting processing, rather than continuing. Response.PICS property Specifies the RSAC PICS rating for the generated page. Response.PICS= label This property is used to set the Platform for Internet Content Selection label, which can be obtained from the Internet Content Rating Association [ icra.org/]. This information is used by some content filters to block objectionable material. Response.Redirect method Instructs the browser to request the given URL. Response.Redirect url Sends a HTTP 302 redirect to the browser, causing the browser to request the given URL. Tip Using [ ] is more efficient than Response.Redirect (which requires another client request and server response). Response.Status property Sets the HTTP response status. Response.Status= status This property sets the HTTP status code [ ], which reports the success of the page to the client. If not specified, the status is 200 (500 if an error occurs). 401 Unauthorized is useful for forcing a logon when [ ] is empty. Response.Write method Sends text to the client. Response.Write text 24
31 Response.Write method This method sends text to the client. 25
32 Response object 26
33 IStringList collection A list of values associated with a Request collection variable name. id= Request("id") ' usually there is just one value For i= 1 To Request("ids").count ' sometimes there can be several lookupid Request("ids").item(i) ' access the i-th value lookupid Request("ids")(i) ' alternate access method Next Members Count property Returns the number of items in the list. Item ( index ) method Returns the string from the requested position. Request collections contain the values of variables passed to the ASP page, usually via forms. These variables can contain multiple values, using an HTML select-multiple list, or just by giving multiple fields the same name. All values in these collections are returned as an IStringList, an array of strings values. Using the default IStringList member returns the values separated by a comma and a space, or just the value if there is only a single list element. For example, for a query string of?x=5&x=7&x=11, Request("x") would return 5, 7, 11, and Request("x")(2) would return 7. 27
34 IStringList collection 28
35 Internationalization Provides fomatting and alphabets for various cultures. Locale The locale determines the formatting for dates (field order and separator), times, currency (currency symbol and default displayed precision), and numbers (decimal separator and grouping separators). The first value found in this list is used as the ASP locale: 1. [ ] 2. [ ] 3. a nonzero AspLCID metabase value for the application 4. the server locale Note The VBScript locale exists independantly of the ASP locale. Since VBScript itself frequently does the formatting in ASP, be sure to call SetLocale when changing locale. For a listing of locale identifiers, see the Locale ID Chart [ script56/html/vsmsclcid.asp ]. CodePage and Charset The character set is the method used to represent text electronically. You may notify the client which character set is in use by setting [ ], which appends ;charset=character-set to the HTTP Content-Type header. The code page, a numeric character set ID, controls how text is encoded as it is sent to the client. The first value found in this list is used as the code page: 1. [ ] 2. [ ] 3. the AspCodePage metabase value for the application 4. the server code page Some Common Character Sets Character Set Name Code Page ASCII us-ascii Western European (Windows) windows Unicode, 8-bit encoding utf Unicode, 16-bit encoding utf For a complete listing of character sets and code pages, see the Character Set chart [ asp?url=/workshop/author/dhtml/reference/charsets/charset4.asp ]. 29
36 Internationalization 30
37 Index A Active Server Pages 1 S Server Side Include 1 T thread-safety 5 R race condition 7 P Platform for Internet Content Selection 24 31
ASP Tutorial. Application Handling Part I: 3/15/02
ASP Tutorial Application Handling Part I: 3/15/02 Agenda Managing User Sessions and Applications Section I Groundwork for Web applications Topics: Asp objects, IIS, global.asa Section II Application Objects
ASP (Active Server Pages)
ASP (Active Server Pages) 1 Prerequisites Knowledge of Hyper Text Markup Language (HTML). Knowledge of life cycle of web page from request to response. Knowledge of Scripting language like vbscript, javascript,
Description of Microsoft Internet Information Services (IIS) 5.0 and
Page 1 of 10 Article ID: 318380 - Last Review: July 7, 2008 - Revision: 8.1 Description of Microsoft Internet Information Services (IIS) 5.0 and 6.0 status codes This article was previously published under
Cache Configuration Reference
Sitecore CMS 6.2 Cache Configuration Reference Rev: 2009-11-20 Sitecore CMS 6.2 Cache Configuration Reference Tips and Techniques for Administrators and Developers Table of Contents Chapter 1 Introduction...
OVERVIEW OF ASP. What is ASP. Why ASP
OVERVIEW OF ASP What is ASP Active Server Pages (ASP), Microsoft respond to the Internet/E-Commerce fever, was designed specifically to simplify the process of developing dynamic Web applications. Built
Working With Virtual Hosts on Pramati Server
Working With Virtual Hosts on Pramati Server 13 Overview Virtual hosting allows a single machine to be addressed by different names. There are two ways for configuring Virtual Hosts. They are: Domain Name
CommonSpot Content Server Version 6.2 Release Notes
CommonSpot Content Server Version 6.2 Release Notes Copyright 1998-2011 PaperThin, Inc. All rights reserved. About this Document CommonSpot version 6.2 updates the recent 6.1 release with: Enhancements
Troubleshooting guide for 80004005 errors in Active Server Pages and Microsoft Data Access Components
Page 1 of 9 Troubleshooting guide for 80004005 errors in Active Server Pages and Microsoft Data Access Components This article was previously published under Q306518 On This Page SUMMARY MORE INFORMATION
DEPLOYMENT GUIDE Version 2.1. Deploying F5 with Microsoft SharePoint 2010
DEPLOYMENT GUIDE Version 2.1 Deploying F5 with Microsoft SharePoint 2010 Table of Contents Table of Contents Introducing the F5 Deployment Guide for Microsoft SharePoint 2010 Prerequisites and configuration
An Email Newsletter Using ASP Smart Mailer and Advanced HTML Editor
An Email Newsletter Using ASP Smart Mailer and Advanced HTML Editor This tutorial is going to take you through creating a mailing list application to send out a newsletter for your site. We'll be using
ADT: Bug Tracker. Version 1.0
ADT: Bug Tracker Version 1.0 Functional Specification Author Jason Version 1.0 Printed 2001-10-2212:23 PM Document Revisions ADT: Bug Tracker Version 1.0 Functional Specification Revisions on this document
ADT: Inventory Manager. Version 1.0
ADT: Inventory Manager Version 1.0 Functional Specification Author Jason Version 1.0 Printed 2001-10-2212:58 PM Document Revisions Revisions on this document should be recorded in the table below: Date
HELP DESK MANUAL INSTALLATION GUIDE
Help Desk 6.5 Manual Installation Guide HELP DESK MANUAL INSTALLATION GUIDE Version 6.5 MS SQL (SQL Server), My SQL, and MS Access Help Desk 6.5 Page 1 Valid as of: 1/15/2008 Help Desk 6.5 Manual Installation
Secure Web Application Coding Team Introductory Meeting December 1, 2005 1:00 2:00PM Bits & Pieces Room, Sansom West Room 306 Agenda
Secure Web Application Coding Team Introductory Meeting December 1, 2005 1:00 2:00PM Bits & Pieces Room, Sansom West Room 306 Agenda 1. Introductions for new members (5 minutes) 2. Name of group 3. Current
Web Page Redirect. Application Note
Web Page Redirect Application Note Table of Contents Background... 3 Description... 3 Benefits... 3 Theory of Operation... 4 Internal Login/Splash... 4 External... 5 Configuration... 5 Web Page Redirect
Xtreeme Search Engine Studio Help. 2007 Xtreeme
Xtreeme Search Engine Studio Help 2007 Xtreeme I Search Engine Studio Help Table of Contents Part I Introduction 2 Part II Requirements 4 Part III Features 7 Part IV Quick Start Tutorials 9 1 Steps to
Form And List. SuperUsers. Configuring Moderation & Feedback Management Setti. Troubleshooting: Feedback Doesn't Send
5. At Repeat Submission Filter, select the type of filtering used to limit repeat submissions by the same user. The following options are available: No Filtering: Skip to Step 7. DotNetNuke User ID: Do
Project 2: Web Security Pitfalls
EECS 388 September 19, 2014 Intro to Computer Security Project 2: Web Security Pitfalls Project 2: Web Security Pitfalls This project is due on Thursday, October 9 at 6 p.m. and counts for 8% of your course
MS Access Lab 2. Topic: Tables
MS Access Lab 2 Topic: Tables Summary Introduction: Tables, Start to build a new database Creating Tables: Datasheet View, Design View Working with Data: Sorting, Filtering Help on Tables Introduction
Troubleshooting CallManager Problems with Windows NT and Internet Information Server (IIS)
Troubleshooting CallManager s with Windows NT and Internet Information Server (IIS) Document ID: 13973 Contents Introduction Prerequisites Requirements Components Used Conventions CallManager Administration
Server Manager. Open Text Web Solutions Management Server 10.0
Server Manager Open Text Web Solutions Management Server 10.0 Copyright 2009 Open Text Corporation. All rights reserved. Documentation 01/2009 - Management Server 10.0 This documentation contains information
SysPatrol - Server Security Monitor
SysPatrol Server Security Monitor User Manual Version 2.2 Sep 2013 www.flexense.com www.syspatrol.com 1 Product Overview SysPatrol is a server security monitoring solution allowing one to monitor one or
Qlik REST Connector Installation and User Guide
Qlik REST Connector Installation and User Guide Qlik REST Connector Version 1.0 Newton, Massachusetts, November 2015 Authored by QlikTech International AB Copyright QlikTech International AB 2015, All
PageR Enterprise Monitored Objects - AS/400-5
PageR Enterprise Monitored Objects - AS/400-5 The AS/400 server is widely used by organizations around the world. It is well known for its stability and around the clock availability. PageR can help users
McAfee One Time Password
McAfee One Time Password Integration Module Outlook Web App 2010 Module version: 1.3.1 Document revision: 1.3.1 Date: Feb 12, 2014 Table of Contents Integration Module Overview... 3 Prerequisites and System
Load testing with. WAPT Cloud. Quick Start Guide
Load testing with WAPT Cloud Quick Start Guide This document describes step by step how to create a simple typical test for a web application, execute it and interpret the results. 2007-2015 SoftLogica
How To Test Your Web Site On Wapt On A Pc Or Mac Or Mac (Or Mac) On A Mac Or Ipad Or Ipa (Or Ipa) On Pc Or Ipam (Or Pc Or Pc) On An Ip
Load testing with WAPT: Quick Start Guide This document describes step by step how to create a simple typical test for a web application, execute it and interpret the results. A brief insight is provided
External Vulnerability Assessment. -Technical Summary- ABC ORGANIZATION
External Vulnerability Assessment -Technical Summary- Prepared for: ABC ORGANIZATI On March 9, 2008 Prepared by: AOS Security Solutions 1 of 13 Table of Contents Executive Summary... 3 Discovered Security
10CS73:Web Programming
10CS73:Web Programming Question Bank Fundamentals of Web: 1.What is WWW? 2. What are domain names? Explain domain name conversion with diagram 3.What are the difference between web browser and web server
LabVIEW Internet Toolkit User Guide
LabVIEW Internet Toolkit User Guide Version 6.0 Contents The LabVIEW Internet Toolkit provides you with the ability to incorporate Internet capabilities into VIs. You can use LabVIEW to work with XML documents,
Learn how to create web enabled (browser) forms in InfoPath 2013 and publish them in SharePoint 2013. InfoPath 2013 Web Enabled (Browser) forms
Learn how to create web enabled (browser) forms in InfoPath 2013 and publish them in SharePoint 2013. InfoPath 2013 Web Enabled (Browser) forms InfoPath 2013 Web Enabled (Browser) forms Creating Web Enabled
7 Why Use Perl for CGI?
7 Why Use Perl for CGI? Perl is the de facto standard for CGI programming for a number of reasons, but perhaps the most important are: Socket Support: Perl makes it easy to create programs that interface
DEPLOYMENT GUIDE Version 1.1. Deploying the BIG-IP LTM v10 with Citrix Presentation Server 4.5
DEPLOYMENT GUIDE Version 1.1 Deploying the BIG-IP LTM v10 with Citrix Presentation Server 4.5 Table of Contents Table of Contents Deploying the BIG-IP system v10 with Citrix Presentation Server Prerequisites
FileMaker Server 14. Custom Web Publishing Guide
FileMaker Server 14 Custom Web Publishing Guide 2004 2015 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker and FileMaker Go are trademarks
Check list for web developers
Check list for web developers Requirement Yes No Remarks 1. Input Validation 1.1) Have you done input validation for all the user inputs using white listing and/or sanitization? 1.2) Does the input validation
Web Server Manual. Mike Burns ([email protected]) Greg Pettyjohn ([email protected]) Jay McCarthy ([email protected]) November 20, 2006
Web Server Manual Mike Burns ([email protected]) Greg Pettyjohn ([email protected]) Jay McCarthy ([email protected]) November 20, 2006 Copyright notice Copyright c 1996-2006 PLT Permission is
IBM Emptoris Contract Management. Release Notes. Version 10.0.1.5 GI13-3418-09
IBM Emptoris Management Release Notes Version 10.0.1.5 GI13-3418-09 Note: Before using this information and the product it supports, read the information in Notices on page 75. Copyright IBM Corporation
FileMaker Server 9. Custom Web Publishing with PHP
FileMaker Server 9 Custom Web Publishing with PHP 2007 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker is a trademark of FileMaker,
Richmond Systems. SupportDesk Web Interface User Guide
Richmond Systems SupportDesk Web Interface User Guide 1 Contents SUPPORTDESK WEB INTERFACE...3 INTRODUCTION TO THE WEB INTERFACE...3 FEATURES OF THE WEB INTERFACE...3 HELPDESK SPECIALIST LOGIN...4 SEARCHING
www.novell.com/documentation Policy Guide Access Manager 3.1 SP5 January 2013
www.novell.com/documentation Policy Guide Access Manager 3.1 SP5 January 2013 Legal Notices Novell, Inc., makes no representations or warranties with respect to the contents or use of this documentation,
DEPLOYMENT GUIDE DEPLOYING THE BIG-IP LTM SYSTEM WITH CITRIX PRESENTATION SERVER 3.0 AND 4.5
DEPLOYMENT GUIDE DEPLOYING THE BIG-IP LTM SYSTEM WITH CITRIX PRESENTATION SERVER 3.0 AND 4.5 Deploying F5 BIG-IP Local Traffic Manager with Citrix Presentation Server Welcome to the F5 BIG-IP Deployment
FileMaker Server 15. Custom Web Publishing Guide
FileMaker Server 15 Custom Web Publishing Guide 2004 2016 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker and FileMaker Go are trademarks
FileMaker Server 13. Custom Web Publishing with PHP
FileMaker Server 13 Custom Web Publishing with PHP 2007 2013 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker and Bento are trademarks
Table and field properties Tables and fields also have properties that you can set to control their characteristics or behavior.
Create a table When you create a database, you store your data in tables subject-based lists that contain rows and columns. For instance, you can create a Contacts table to store a list of names, addresses,
Java 7 Recipes. Freddy Guime. vk» (,\['«** g!p#« Carl Dea. Josh Juneau. John O'Conner
1 vk» Java 7 Recipes (,\['«** - < g!p#«josh Juneau Carl Dea Freddy Guime John O'Conner Contents J Contents at a Glance About the Authors About the Technical Reviewers Acknowledgments Introduction iv xvi
1 Introduction: Network Applications
1 Introduction: Network Applications Some Network Apps E-mail Web Instant messaging Remote login P2P file sharing Multi-user network games Streaming stored video clips Internet telephone Real-time video
WebSpy Vantage Ultimate 2.2 Web Module Administrators Guide
WebSpy Vantage Ultimate 2.2 Web Module Administrators Guide This document is intended to help you get started using WebSpy Vantage Ultimate and the Web Module. For more detailed information, please see
Table of Contents. Open-Xchange Authentication & Session Handling. 1.Introduction...3
Open-Xchange Authentication & Session Handling Table of Contents 1.Introduction...3 2.System overview/implementation...4 2.1.Overview... 4 2.1.1.Access to IMAP back end services...4 2.1.2.Basic Implementation
reference: HTTP: The Definitive Guide by David Gourley and Brian Totty (O Reilly, 2002)
1 cse879-03 2010-03-29 17:23 Kyung-Goo Doh Chapter 3. Web Application Technologies reference: HTTP: The Definitive Guide by David Gourley and Brian Totty (O Reilly, 2002) 1. The HTTP Protocol. HTTP = HyperText
WS_FTP Professional 12
WS_FTP Professional 12 Tools Guide Contents CHAPTER 1 Introduction Ways to Automate Regular File Transfers...5 Check Transfer Status and Logs...6 Building a List of Files for Transfer...6 Transfer Files
User Guide to the Content Analysis Tool
User Guide to the Content Analysis Tool User Guide To The Content Analysis Tool 1 Contents Introduction... 3 Setting Up a New Job... 3 The Dashboard... 7 Job Queue... 8 Completed Jobs List... 8 Job Details
Web Security School Final Exam
Web Security School Final Exam By Michael Cobb 1.) Which of the following services is not required to run a Windows server solely configured to run IIS and publish a Web site on the Internet? a. IIS Admin
WESTERNACHER OUTLOOK E-MAIL-MANAGER OPERATING MANUAL
TABLE OF CONTENTS 1 Summary 3 2 Software requirements 3 3 Installing the Outlook E-Mail Manager Client 3 3.1 Requirements 3 3.1.1 Installation for trial customers for cloud-based testing 3 3.1.2 Installing
FileMaker Server 11. FileMaker Server Help
FileMaker Server 11 FileMaker Server Help 2010 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker is a trademark of FileMaker, Inc. registered
Web. Services. Web Technologies. Today. Web. Technologies. Internet WWW. Protocols TCP/IP HTTP. Apache. Next Time. Lecture #3 2008 3 Apache.
JSP, and JSP, and JSP, and 1 2 Lecture #3 2008 3 JSP, and JSP, and Markup & presentation (HTML, XHTML, CSS etc) Data storage & access (JDBC, XML etc) Network & application protocols (, etc) Programming
Portals and Hosted Files
12 Portals and Hosted Files This chapter introduces Progress Rollbase Portals, portal pages, portal visitors setup and management, portal access control and login/authentication and recommended guidelines
MONETA.Assistant API Reference
MONETA.Assistant API Reference Contents 2 Contents Abstract...3 Chapter 1: MONETA.Assistant Overview...4 Payment Processing Flow...4 Chapter 2: Quick Start... 6 Sandbox Overview... 6 Registering Demo Accounts...
FileMaker Server 12. Custom Web Publishing with PHP
FileMaker Server 12 Custom Web Publishing with PHP 2007 2012 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker and Bento are trademarks
Change Management for Rational DOORS User s Guide
Change Management for Rational DOORS User s Guide Before using this information, read the general information under Appendix: Notices on page 58. This edition applies to Change Management for Rational
Top 10 Web Application Security Vulnerabilities - with focus on PHP
Top 10 Web Application Security Vulnerabilities - with focus on PHP Louise Berthilson Alberto Escudero Pascual 1 Resources The Top 10 Project by OWASP www.owasp.org/index.php/owasp_top_ten_project
FileMaker Server 12. Custom Web Publishing with XML
FileMaker Server 12 Custom Web Publishing with XML 2007 2012 FileMaker, Inc. All Rights Reserved. FileMaker, Inc. 5201 Patrick Henry Drive Santa Clara, California 95054 FileMaker and Bento are trademarks
VB.NET - WEB PROGRAMMING
VB.NET - WEB PROGRAMMING http://www.tutorialspoint.com/vb.net/vb.net_web_programming.htm Copyright tutorialspoint.com A dynamic web application consists of either or both of the following two types of
DEPLOYMENT GUIDE Version 1.2. Deploying the BIG-IP system v10 with Microsoft Exchange Outlook Web Access 2007
DEPLOYMENT GUIDE Version 1.2 Deploying the BIG-IP system v10 with Microsoft Exchange Outlook Web Access 2007 Table of Contents Table of Contents Deploying the BIG-IP system v10 with Microsoft Outlook Web
FF/EDM Intro Industry Goals/ Purpose Related GISB Standards (Common Codes, IETF) Definitions d 4 d 13 Principles p 6 p 13 p 14 Standards s 16 s 25
FF/EDM Intro Industry Goals/ Purpose GISB defined two ways in which flat files could be used to send transactions and transaction responses: interactive and batch. This section covers implementation considerations
ArchiveOne Enterprise (Compliance) Version 6.0 SR1 Release Notes
ArchiveOne Enterprise (Compliance) Version 6.0 SR1 Release Notes Introduction These release notes are for ArchiveOne Enterprise (Compliance) Version 6.0 SR1 (build 2455). They detail the changes between
Delegated Administration Quick Start
Delegated Administration Quick Start Topic 50200 Delegated Administration Quick Start Updated 22-Oct-2013 Applies to: Web Filter, Web Security, Web Security Gateway, and Web Security Gateway Anywhere,
OrgPublisher EChart Server Setup Guide
Table of Contents Table of Contents Introduction... 3 Role Requirements for Installation... 3 Prerequisites for Installation... 3 About OrgPublisher ECharts... 3 About EChart Rich Client Publishing...
SAS Drug Development Release Notes 35DRG07
SAS Drug Development Release Notes 35DRG07 SAS Drug Development (SDD) 3.5 is validated to work with/on the following technologies: MS Windows: Windows 7 and Windows XP Mac OS X: Snow Leopard (10.6) Internet
USER GUIDE MANTRA WEB EXTRACTOR. www.altiliagroup.com
USER GUIDE MANTRA WEB EXTRACTOR www.altiliagroup.com Page 1 of 57 MANTRA WEB EXTRACTOR USER GUIDE TABLE OF CONTENTS CONVENTIONS... 2 CHAPTER 2 BASICS... 6 CHAPTER 3 - WORKSPACE... 7 Menu bar 7 Toolbar
Introducing the BIG-IP and SharePoint Portal Server 2003 configuration
Deployment Guide Deploying Microsoft SharePoint Portal Server 2003 and the F5 BIG-IP System Introducing the BIG-IP and SharePoint Portal Server 2003 configuration F5 and Microsoft have collaborated on
Getting Started with Mamut Online Desktop
// Mamut Business Software Getting Started with Mamut Online Desktop Getting Started with Mamut Online Desktop Contents Welcome to Mamut Online Desktop... 3 Getting Started... 6 Status... 23 Contact...
Perceptive Integration Server
Perceptive Integration Server Getting Started Guide ImageNow Version: 6.7. x Written by: Product Documentation, R&D Date: October 2013 2013 Perceptive Software. All rights reserved CaptureNow, ImageNow,
Composite.Community.Newsletter - User Guide
Composite.Community.Newsletter - User Guide Composite 2015-11-09 Composite A/S Nygårdsvej 16 DK-2100 Copenhagen Phone +45 3915 7600 www.composite.net Contents 1 INTRODUCTION... 4 1.1 Who Should Read This
Web Application Threats and Vulnerabilities Web Server Hacking and Web Application Vulnerability
Web Application Threats and Vulnerabilities Web Server Hacking and Web Application Vulnerability WWW Based upon HTTP and HTML Runs in TCP s application layer Runs on top of the Internet Used to exchange
Deploying the BIG-IP System v10 with Oracle Application Server 10g R2
DEPLOYMENT GUIDE Deploying the BIG-IP System v10 with Oracle Application Server 10g R2 Version 1.1 Table of Contents Table of Contents Deploying the BIG-IP system v10 with Oracle s Application Server 10g
Intrusion detection for web applications
Intrusion detection for web applications Intrusion detection for web applications Łukasz Pilorz Application Security Team, Allegro.pl Reasons for using IDS solutions known weaknesses and vulnerabilities
Contents About the Contract Management Post Installation Administrator's Guide... 5 Viewing and Modifying Contract Management Settings...
Post Installation Guide for Primavera Contract Management 14.1 July 2014 Contents About the Contract Management Post Installation Administrator's Guide... 5 Viewing and Modifying Contract Management Settings...
DEPLOYMENT GUIDE Version 1.2. Deploying F5 with Oracle E-Business Suite 12
DEPLOYMENT GUIDE Version 1.2 Deploying F5 with Oracle E-Business Suite 12 Table of Contents Table of Contents Introducing the BIG-IP LTM Oracle E-Business Suite 12 configuration Prerequisites and configuration
User-password application scripting guide
Chapter 2 User-password application scripting guide You can use the generic user-password application template (described in Creating a generic user-password application profile) to add a user-password
Using SQL Server Management Studio
Using SQL Server Management Studio Microsoft SQL Server Management Studio 2005 is a graphical tool for database designer or programmer. With SQL Server Management Studio 2005 you can: Create databases
Table Of Contents. iii
PASSOLO Handbook Table Of Contents General... 1 Content Overview... 1 Typographic Conventions... 2 First Steps... 3 First steps... 3 The Welcome dialog... 3 User login... 4 PASSOLO Projects... 5 Overview...
Web Application Security
Web Application Security John Zaharopoulos ITS - Security 10/9/2012 1 Web App Security Trends Web 2.0 Dynamic Webpages Growth of Ajax / Client side Javascript Hardening of OSes Secure by default Auto-patching
www.novell.com/documentation Jobs Guide Identity Manager 4.0.1 February 10, 2012
www.novell.com/documentation Jobs Guide Identity Manager 4.0.1 February 10, 2012 Legal Notices Novell, Inc. makes no representations or warranties with respect to the contents or use of this documentation,
Bulk Image Downloader v3.0 User's Guide
Page 1 2010 Antibody Software Ltd www.antibody-software.com www.bulkimagedownloader.com Table of Contents...1 1. What is Bulk Image Downloader?...4 2. Bulk Image Downloader Applications...4 Bulk Image
2 Downloading Access Manager 3.1 SP4 IR1
Novell Access Manager 3.1 SP4 IR1 Readme May 2012 Novell This Readme describes the Novell Access Manager 3.1 SP4 IR1 release. Section 1, Documentation, on page 1 Section 2, Downloading Access Manager 3.1
Tableau Server Trusted Authentication
Tableau Server Trusted Authentication When you embed Tableau Server views into webpages, everyone who visits the page must be a licensed user on Tableau Server. When users visit the page they will be prompted
Document Creation Automation Using SharePoint Designer Workflows
In this document we are going to investigate the capabilities of SharePoint Designer workflows to automate document creation; that is, the automated creation of documents based on templates that will have
Log Analyzer Reference
IceWarp Unified Communications Log Analyzer Reference Version 10.4 Printed on 27 February, 2012 Contents Log Analyzer 1 Quick Start... 2 Required Steps... 2 Optional Steps... 3 Advanced Configuration...
Webapps Vulnerability Report
Tuesday, May 1, 2012 Webapps Vulnerability Report Introduction This report provides detailed information of every vulnerability that was found and successfully exploited by CORE Impact Professional during
Phishing by data URI
Phishing by data URI Henning Klevjer [email protected] October 22, 2012 1 Abstract Historically, phishing web pages have been hosted by web servers that are either compromised or owned by the attacker.
Paynow 3rd Party Shopping Cart or Link Integration Guide
Paynow 3rd Party Shopping Cart or Link Integration Guide Version 1.0.5 15 August 2014 A guide outlining merchant integration into Paynow for externally hosted shopping carts or applications. For details
Portal Administration. Administrator Guide
Portal Administration Administrator Guide Portal Administration Guide Documentation version: 1.0 Legal Notice Legal Notice Copyright 2013 Symantec Corporation. All rights reserved. Symantec, the Symantec
Data Tool Platform SQL Development Tools
Data Tool Platform SQL Development Tools ekapner Contents Setting SQL Development Preferences...5 Execution Plan View Options Preferences...5 General Preferences...5 Label Decorations Preferences...6
PCRecruiter Resume Inhaler
PCRecruiter Resume Inhaler The PCRecruiter Resume Inhaler is a stand-alone application that can be pointed to a folder and/or to an email inbox containing resumes, and will automatically extract contact
Web Application Security Guidelines for Hosting Dynamic Websites on NIC Servers
Web Application Security Guidelines for Hosting Dynamic Websites on NIC Servers The Website can be developed under Windows or Linux Platform. Windows Development should be use: ASP, ASP.NET 1.1/ 2.0, and
CloudOYE CDN USER MANUAL
CloudOYE CDN USER MANUAL Password - Based Access Logon to http://mycloud.cloudoye.com. Enter your Username & Password In case, you have forgotten your password, click Forgot your password to request a
MASTERTAG DEVELOPER GUIDE
MASTERTAG DEVELOPER GUIDE TABLE OF CONTENTS 1 Introduction... 4 1.1 What is the zanox MasterTag?... 4 1.2 What is the zanox page type?... 4 2 Create a MasterTag application in the zanox Application Store...
Cataloging: Export or Import Bibliographic Records
OCLC Connexion Client Guides Cataloging: Export or Import Bibliographic Records Last updated: May 2014 6565 Kilgour Place, Dublin, OH 43017-3395 www.oclc.org Revision History Date Section title Description
