Telerik.Web.UI Enumeration for the position where the uploaded files will be rendered. Render file inputs below the file input BelowFileInput=0 Render file inputs above the file input AboveFileInput=1 This class accepts description and extensions and prepares the Filter that can be directly passed to Silverlight/Flash file dialog Accepts string arraying containing the allowed extensions and produces a filter mask in the form "*.extension;*.extension..." Array containing allowed extensions Specifies whether a white space should be put after extension declaration Filter that can be directly passed to Silverlight/Flash file dialog. Gets or sets the description from or to the ViewState. The description. Gets or sets the extensions. The extensions. This class implements a strongly typed state managed collection. Strongly typed, state managed collection base Item type Add an item to the collection Item to be added to the collection Determines whether an element is in the collection The item to locate in the collection true if item is found in the collection; otherwise, false. Copies the array or portion of it to the collection One-dimensional array that serves as a destination Zero-based index Adds the items to the end of the collection Items to be added Returns the zero-based index of the first occurrence of a value in the collection or in a portion of it. Target item The zero-based index of the first occurrence of item within the entire collection Inserts an element into the collection at the specified index. The zero-based index at which item should be inserted. The object to insert. Removes the first occurrence of a specific object from the collection. The object to remove from the collection Removes the element at the specified index of the collection. The zero-based index of the element to remove. ItemType collection indexer. Item index Collection item This class converts the file filtering information. Deserializes the specified dictionary. The dictionary. The type. The serializer. When overridden in a derived class, builds a dictionary of name/value pairs. The object to serialize. The object that is responsible for the serialization. An object that contains key/value pairs that represent the object’s data. When overridden in a derived class, gets a collection of the supported types. An object that implements that represents the types supported by the converter. This Class formats the filter information and Serializes a FileFilterCollection in a form that can be directly used with the Flash and Silverlight file dialogs. An interface that provides API for a file filter object that could be passed to Silverlight/Flash file dialog. Accepts a FileFilterCollection, updates its description field, if the latter is not set, and returns string array containing the allowed extensions FileFilterCollection Array containing all allowed extensions Serializes a FileFilterCollection in a form that can be directly used with the Flash and Silverlight file dialogs. FileFilterCollection Boolean value that specifies whether the FileFilterCollection should be formatted first Serialized representation of the FileFilterCollection passed as input. This Class sets the Exception message in the AsyncUpload Handler This Class implements all the properties, constructors and methods of the Uploaded Files. Provides a way to access individual files that have been uploaded by a client via a RadUpload control. The UploadedFileCollection class provides access to all files uploaded from a client via single RadUpload instance as a file collection. UploadedFile provides properties and methods to get information on an individual file and to read and save the file. Files are uploaded in MIME multipart/form-data format and are NOT buffered in the server memory if the RadUploadModule is used. The RadUpload control must be used to select and upload files from a client. You can specify the maximum allowable upload file size in a machine.config or Web.config configuration file in the maxRequestLength attribute of the <httpRuntime> Element element. Set the maximum allowable upload file size to 1000kB <httpRuntime maxRequestLength="1000" /> <httpRuntime maxRequestLength="1000" /> Returns the name and extension of the file on the client's computer. A string consisting of the characters after the last directory character in file name on the client's computer. The separator characters used to determine the start of the file name are DirectorySeparatorChar and AltDirectorySeparatorChar. Returns the name of the file on the client's computer without the extension. A string containing the name of the file on the client's computer without the extension. A string containing the string returned by GetFileName, minus the last period (.) and all characters following it. Returns the extension of the file on the client's computer. A string containing the extension of the file including the ".". If the file name does not have extension information, GetExtension returns string.Empty. The extension of the file name is obtained by searching it for a period (.), starting with the last character and continuing toward the start. If a period is found before a DirectorySeparatorChar or AltDirectorySeparatorChar character, the returned string contains the period and the characters after it; otherwise, string.Empty is returned. Returns the value of a custom field. A string containing the value of the custom field with name fieldName The name of the field which value will be retrieved Check the general help for more information and an example. Returns the checked state of a custom field. A string containing the checked state of the custom field with name fieldName The name of the field which checked state will be retrieved Check the general help for more information and an example. Saves the contents of an uploaded file. The maximum allowed uploaded file size is 4MB by default. Maximum file size can be specified in the machine.config or Web.config configuration files in the maxRequestLength attribute of the <httpRuntime> element. The ASP.NET process must have proper rights for writing on the folder where the files are saved. The following example saves all the files uploaded by the client to a folder named "C:\TempFiles" on the Web server's local disk. Dim Loop1 As Integer Dim TempFileName As String Dim MyFileCollection As UploadedFileCollection = RadUpload1.UploadedFiles For Loop1 = 0 To MyFileCollection.Count - 1 ' Create a new file name. TempFileName = "C:\TempFiles\File_" & CStr(Loop1) ' Save the file. MyFileCollection(Loop1).SaveAs(TempFileName) Next Loop1 String TempFileName; UploadedFileCollection MyFileCollection = RadUpload1.UploadedFiles; for (int Loop1 = 0; Loop1 < MyFileCollection.Count; Loop1++) { // Create a new file name. TempFileName = "C:\\TempFiles\\File_" + Loop1.ToString(); // Save the file. MyFileCollection[Loop1].SaveAs(TempFileName); } Saves the contents of an uploaded file. The maximum allowed uploaded file size is 4MB by default. Maximum file size can be specified in the machine.config or Web.config configuration files in the maxRequestLength attribute of the <httpRuntime> element. The ASP.NET process must have proper rights for writing on the folder where the files are saved. The following example saves all the files uploaded by the client to a folder named "C:\TempFiles" on the Web server's local disk. The existing files are overwritten. Dim Loop1 As Integer Dim TempFileName As String Dim ShouldOverwrite As Boolean = True Dim MyFileCollection As UploadedFileCollection = RadUpload1.UploadedFiles For Loop1 = 0 To MyFileCollection.Count - 1 ' Create a new file name. TempFileName = "C:\TempFiles\File_" & CStr(Loop1) ' Save the file. MyFileCollection(Loop1).SaveAs(TempFileName, ShouldOverwrite) Next Loop1 String TempFileName; bool ShouldOverwrite = true; UploadedFileCollection MyFileCollection = RadUpload1.UploadedFiles; for (int Loop1 = 0; Loop1 < MyFileCollection.Count; Loop1++) { // Create a new file name. TempFileName = "C:\\TempFiles\\File_" + Loop1.ToString(); // Save the file. MyFileCollection[Loop1].SaveAs(TempFileName, ShouldOverwrite); } The name of the saved file. true to allow an existing file to be overwritten; otherwise, false. Creates a UploadedFile instance from HttpPostedFile instance. The value of the name attribute of the file input field (equals the UniqueID of the FileUpload control) The HttpPostedFile instance. Usually, you could get this from a ASP:FileUpload control's PostedFile property Creates a UploadedFile instance from HttpPostedFile instance. The HttpPostedFile instance. Usually, you could get this from a ASP:FileUpload control's PostedFile property Gets the size in bytes of an uploaded file. The length of the file. This example validates the file size of an uploaded file. bool isValid = true; if (file.ContentLength > MaxFileSize) { isValid = false; } Dim isValid As Boolean = True; If file.ContentLength > MaxFileSize Then isValid = False; End If Gets the last modified date of the uploaded file. The property is available only in RadAsyncUpload control when FileApi module is used Last modified date of the uploaded file. Gets the MIME content type of a file sent by a client. The MIME content type of the uploaded file. The following example loops through all the files in the uploaded files collection and takes action when the MIME type of a file is US-ASCII . Dim Loop1 As Integer Dim MyFileCollection As UploadedFileCollection = RadUpload1.UploadedFiles For Loop1 = 0 To MyFileCollection.Count - 1 If MyFileCollection(Loop1).ContentType = "video/mpeg" Then '... End If Next Loop1 UploadedFileCollection MyFileCollection = RadUpload1.UploadedFiles; for (int Loop1 = 0; Loop1 < MyFileCollection.Count; Loop1++) { if (MyFileCollection[Loop1].ContentType == "video/mpeg") { //... } } Gets the fully-qualified name of the file on the client's computer (for example "C:\MyFiles\Test.txt"). A string containing the fully-qualified name of the file on the client's computer. The following example assigns the name of an uploaded file (the first file in the file collection) to a string variable. UploadedFile MyUploadedFile = RadUpload1.UploadedFiles[0]; string MyFileName = MyUploadedFile.FileName; Dim MyUploadedFile As UploadedFile = RadUpload1.UploadedFiles(0) Dim MyFileName As String = MyUploadedFile.FileName Gets a Stream object which points to the uploaded file to prepare for reading the contents of the file. A Stream pointing to the file. We use this method to normalize the output of the UploadedFile properties among the different modules. The file that was uploaded Saves the contents of an uploaded file. true to allow an existing file to be overwritten; otherwise, false. The maximum allowed uploaded file size is 4MB by default. Maximum file size can be specified in the machine.config or Web.config configuration files in the maxRequestLength attribute of the <httpRuntime> element. The ASP.NET process must have proper rights for writing on the folder where the files are saved. The following example saves all the files uploaded by the client to a folder named "C:\TempFiles" on the Web server's local disk. The existing files are overwritten. Dim Loop1 As Integer Dim TempFileName As String Dim ShouldOverwrite As Boolean = True Dim MyFileCollection As UploadedFileCollection = RadUpload1.UploadedFiles For Loop1 = 0 To MyFileCollection.Count - 1 ' Create a new file name. TempFileName = "C:\TempFiles\File_" & CStr(Loop1) ' Save the file. MyFileCollection(Loop1).SaveAs(TempFileName, ShouldOverwrite) Next Loop1 String TempFileName; bool ShouldOverwrite = true; UploadedFileCollection MyFileCollection = RadUpload1.UploadedFiles; for (int Loop1 = 0; Loop1 < MyFileCollection.Count; Loop1++) { // Create a new file name. TempFileName = "C:\\TempFiles\\File_" + Loop1.ToString(); // Save the file. MyFileCollection[Loop1].SaveAs(TempFileName, ShouldOverwrite); } Gets the size in bytes of an uploaded file. This example validates the file size of an uploaded file. bool isValid = true; if (file.ContentLength > MaxFileSize) { isValid = false; } Dim isValid As Boolean = True; If file.ContentLength > MaxFileSize Then isValid = False; End If The length of the file. Gets the fully-qualified name of the file on the client's computer (for example "C:\MyFiles\Test.txt"). The following example assigns the name of an uploaded file (the first file in the file collection) to a string variable. UploadedFile MyUploadedFile = RadAsyncUpload1.UploadedFiles[0]; string MyFileName = MyUploadedFile.FileName; Dim MyUploadedFile As UploadedFile = RadUpload1.UploadedFiles(0) Dim MyFileName As String = MyUploadedFile.FileName A string containing the fully-qualified name of the file on the client's computer. Gets the MIME content type of a file sent by a client. The following example loops through all the files in the uploaded files collection and takes action when the MIME type of a file is US-ASCII . Dim Loop1 As Integer Dim MyFileCollection As UploadedFileCollection = RadAsyncUpload1.UploadedFiles For Loop1 = 0 To MyFileCollection.Count - 1 If MyFileCollection(Loop1).ContentType = "video/mpeg" Then '... End If Next Loop1 UploadedFileCollection MyFileCollection = RadAsyncUpload1.UploadedFiles; for (int Loop1 = 0; Loop1 < MyFileCollection.Count; Loop1++) { if (MyFileCollection[Loop1].ContentType == "video/mpeg") { //... } } The MIME content type of the uploaded file. Gets a Stream object which points to the uploaded file to prepare for reading the contents of the file. A Stream pointing to the file. Default implementation of IAsyncUploadConfiguration. Base class that can be used to pass custom information from the page to the handler. Inherit this class and add a relevant data. An interface that describes basic async upload configuration. Gets or sets the target folder. The target folder. Gets or sets the temp target folder. The temp target folder. Gets or sets the max file size. The max file size. Gets or sets the time to live. The time to live. Gets or sets whether to use application pool impersonation. The usage of application pool impersonation. Gets or sets the allowed file extensions send to the upload handler. The AllowedFileEntensions. This Class implements the inbuilt default AsyncUploadHandler that inherits IHttpHandler and IRequiresSessionState. Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Processes the current the HTTP Web Request and saves the file to the temp folder. This method can be overridden. The uploaded file The HttpContext for the current request. Object that implements IAsyncUploadConfiguration It can be a custom object sent from the page. The temporary name of the uploaded file. Object that implements theIAsyncUploadResultinterface. It can be a custom defined object and may contain additional information which can then be accessed on the server. Saves the uploaded file to the temporary folder. The uploaded file The async upload config The HttpContext for the current request. The temporary name of the uploaded fiel. Creates an object of type T (that implements IAsyncUploadResult) and populates all properties specified in the interface. The user is then free to populate any additional properties. Type that implements IAsyncUploadResult Contains information about the uploaded file An object of type T populated with all properties specified in IAsyncUploadResult Indicates whether the currently processed file has valid size. The size is checked against the maximum size specified in the async upload configuration. The content length of the current request. The maximum allowed size for the file. Boolean value indicating whether the file has valid size or not. Decrypts a string encrypted with LOS serializer. The decrypted string Gets or sets the configuration. The configuration. Gets the full path. The full path. Gets or sets the temporary folder. The temporary folder. Gets or sets the MaxJsonLength. The MaxJsonLength. Gets or sets the name of the temporary file. The name of the temporary file. Gets a value indicating whether another request can use the instance. true if the instance is reusable; otherwise, false. Default implementation of IAsyncUploadResult. Inherit this class and add additional fields to be returned from the upload handler. An interface that describes the basic information about an uploaded file. Gets the fully-qualified name of the file on the client's computer (for example "C:\MyFiles\Test.txt"). A string containing the fully-qualified name of the file on the client's computer. Gets the MIME content type of a file sent by a client. The MIME content type of the uploaded file. Gets the size in bytes of an uploaded file. The length of the file. This Class implements the ChunkMetaData object, its fields and constructors. Gets or sets the upload ID. The upload ID. Gets or sets the ChunkIndex. The ChunkIndex. Gets or sets the total chunks count. The total chunks count. Gets or sets the total size of the file. The total size of the file. Gets or sets the value that shows if the upload is made within a single chunk. The value that shows if the upload is made within a single chunk.. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Initializes a new instance of the class. ByteMode Cluster Initializes a new instance of the Cluster class. The Mode Property determines the type of data acceptable. Not set currently. Byte Mode. Allows Text. Allows numbers. ErrorCorrectionGenerator NumericMode PDF417Encoder Initializes a new instance of the class. TextMode TextModeDefinitionEntry Initializes a new instance of the TextModeDefinitionEntry class. Byte Mode. Allows Text. Allows numbers. Not set currently. Holds collection of settings for the QRCode mode of RadBarcode control PDF417 (stacked linear barcode symbol format) settings constructor. See PDF417 type for more information. Onwer StateBag object There are four values available for this property - Auto, Byte, Numeric, Text Essentially, this determines the sets of acceptable symbols Error Correction Level of the PDF417 Aspect Ratio of PDF417 Initializes a new instance of the class. This is the true/false values representing each module in the QR code. This is a matrix, reflecting the filled modules/positions in the QR code matrix. Specifies the rotation to apply to a barcode. The barcode is not rotated. This is the default value. Rotate the barcode clockwise by 90 degrees. Rotate the barcode clockwise by 180 degrees. Rotate the barcode clockwise by 270 degrees. Represents an object which can handle image data's storage and retrieval using HTTPCache Represents an object which can handle image data's storage and retrieval Generates an Uri at which the image's data can be accessed URL of the HTTPHandler from which image data should be served Generated Uri Saves a image's data to storage Image's binary data Retrieves image binary data from storage image's data Generates an Uri at which the image's data can be accessed URL of the HTTPHandler from which image data should be served Generated Uri Saves a image's data to storage Image's binary data Retrieves image binary data from storage image's data Gets portion of generated Uri which represents image's identification key value Gets portion of generated Uri which represents image's identification key name Gets current instance Gets or sets the name of the image file. The name of the image file. CheckableButton class provides the check functionality for the RadRadioButton and RadCheckBox RadPostBackButtonBase class provides the PostBack functionality for the RadPushButton, RadImageButton, RadToggleButton, RadRadioButton and RadCheckBox controls. RadButtonBase class provides the basic functionality for the RadImageButton, RadLinkButton, RadToggleButton, RadRadioButton and RadCheckBox controls. Describes an object that can be used to resolve references to a control by its ID Resolves a reference to a control by its ID Code moved into this method from OnPreRender to make sure it executed when the framework skips OnPreRender() for some reason Registers the control with the ScriptManager Registers the CSS references Loads the client state data Saves the client state data Use this from RenderContents of the inheritor Returns the names of all embedded skins. Used by Telerik.Web.Examples. Executed when post data is loaded from the request Executed when post data changes should invoke a changed event Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Returns true if ripple effect should be added For internal use. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets the real skin name for the control user interface. If Skin is not set, returns "Default", otherwise returns Skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto The CssClass property will now be used instead of the former Skin and will be modified in AddAttributesToRender() protected override string CssClassFormatString { get { return "RadDock RadDock_{0} rdWTitle rdWFooter"; } } This property is overridden in order to support controls which implement INamingContainer. The default value is changed to "AutoID". Adds the attributes of the RadButton control to the output stream for rendering on the client. An HtmlTextWriter that contains the output stream to render on the client. The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Gets or RenderingMode support Gets or sets the accessKey of the Button control. Gets or sets the CSS class rendered by the Button control on the client. Gets or sets the CSS class applied to the Button control when it is in a disabled state. When set to true enables support for WAI-ARIA Gets or sets an optional Value of the Button control. Gets or sets the width of the Button control. Gets or sets the height of the Button control. Gets or sets the CSS class applied to the Button control when the mouse pointer is over the control. Gets or sets the CSS class applied to the Button control when the control is pressed. Gets or sets the TabIndex of the Button control. Gets or sets the text displayed in the Button control. Gets or sets the text that will be displayed in the tooltip of the Button control when it is hovered. Gets or sets the name of the JavaScript function that will be called when the Button is loaded on the page. Gets or sets the name of the JavaScript function that will be called when the Button is clicked. The event is cancelable. Gets or sets the name of the JavaScript function that will be called when the Button is clicked, after the OnClientClicking event. Gets or sets the name of the JavaScript function that will be called when the mouse pointer hovers over the Button. Gets or sets the name of the JavaScript function that will be called when the mouse pointer leaves the Button. Gets the object that controls the Wai-Aria settings applied on the control's element. Creates a PostBackOptions object that represents the RadButton control's postback behavior, and returns the client script generated as a result of the PostBackOptions. The client script that represents the RadButton control's PostBackOptions. Creates a PostBackOptions object that represents the RadButton control's postback behavior. A PostBackOptions that represents the RadButton control's postback behavior. Gets or sets a bool value indicating whether the Button control automatically posts back to the server when clicked. Gets or sets a value indicating whether validation is performed when the Button control is clicked. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. Gets or sets the command name associated with the Button control that is passed to the Command event. Gets or sets the URL of the page to post to from the current page when the Button control is clicked. Gets or sets a bool value indicating whether the Button control will be immediately disabled after the user has clicks it. (i.e. enables/disables "Single Click" functionality) Gets or sets the text displayed in the Button control after the button is being clicked and disabled. (i.e. the text used for the 'Single Click' functionality) Gets or sets the group of controls for which the Button control causes validation when it posts back to the server. Gets or sets a value indicating whether the Button control uses the client browser's submit mechanism or the ASP.NET postback mechanism. Raises the CheckedChanged event of the button. Gets or sets a value indicating whether the button is checked. Adds or removes an event handler method from the CheckedChanged event. The event is fired when the value of the Checked property changes between posts to the server. Gets or sets the name of the JavaScript function that will be called when the button is about to be checked. Gets or sets the name of the JavaScript function that will be called after the button has been checked. RadCheckBox leverages the functionality of the standard checkbox. For internal use only. For internal use only. Gets or sets the Visible property. A boolean that specifies whether the control is visible. Gets or sets the Enabled property. A boolean that specifies whether the control is enabled. Gets or sets the SelectedIndex property. The index of the selected item. Gets or sets the ToolTip property. The string that appears in the tooltip of the control. Gets or sets the Height property. The Unit instance that specifies the height of the control. Gets or sets the Width property. The Unit instance that specifies the width of the control. Gets or sets the ValidationGroup property. A string that specifies the validation group of the control. Gets or sets the SelectedIndices property. An array that contains the indices of the selected items. RadCheckBoxList class RadButtonList class Code moved into this method from OnPreRender to make sure it executed when the framework skips OnPreRender() for some reason Registers the control with the ScriptManager Registers the CSS references Loads the client state data Saves the client state data Use this from RenderContents of the inheritor Should be used by inheritors Returns the names of all embedded skins. Used by Telerik.Web.Examples. Executed when post data is loaded from the request Executed when post data changes should invoke a changed event Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Returns true if ripple effect should be added For internal use. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the ODataDataSource used for data binding. Gets or sets ID of ClientDataSource control that is used for client side binding Gets the real skin name for the control user interface. If Skin is not set, returns "Default", otherwise returns Skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. If the set value is Auto use ResolvedRenderMode to receive the actual RenderMode with respect to the user angent of the current request. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto The CssClass property will now be used instead of the former Skin and will be modified in AddAttributesToRender() protected override string CssClassFormatString { get { return "RadDock RadDock_{0} rdWTitle rdWFooter"; } } This property is overridden in order to support controls which implement INamingContainer. The default value is changed to "AutoID". Raises the SelectedIndexChanged event of the control. An EventArgs that contains the event data. Raises the ItemDataBound event of the control. An EventArgs that contains the event data. Raises the ItemCreated event of the control. An EventArgs that contains the event data. Invokes the OnSelectedIndexChanged method, when the SelectedIndex property of the control has changed. Gets the object that controls the Wai-Aria settings applied on the control's element. Gets or sets a value that indicates whether list items are cleared before data binding. Specifies if change of the selected item should postback. Gets or sets a value indicating whether validation is performed when the selected item is changed. Defines the client events handlers. Defines the data binding configuration of the control Gets or sets a value indicating whether support for WAI-ARIA is enabled. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. This control features no skins, so this property must be set to false. Gets or sets the value, indicating whether to render links to the embedded skins or not. This control features no skins, so this property must be set to false. Used to define keyboard shortcut to focus the first list item. Gets the collection of items in the list control. An item has Text, Value, Selected and Enabled properties. A collection of list control items. Adds or removes an event handler method from the SelectedIndexChanged event. The event is fired when the selected item changes between posts to the server. Adds or removes an event handler method from the ItemDataBound event. The event is fired when an item is data bound on the server. Adds or removes an event handler method from the ItemCreated event. The event is fired when an item is created on the server. Gets or sets the layout in which the items are rendered. Possible values are Flow, OrderedList, UnorderedList. OrderedList and UnorderedList do not support Horizontal Direction and Columns. Gets or sets the number of columns to display in the control when the layout is Flow. Gets or sets the direction in which the items within the group are displayed. Gets the number of list items in the control. Gets or sets the lowest ordinal index of the selected items in the control. Gets the selected item with the lowest index in the list control. Gets the value of the selected item in the list control, or selects the item in the list control that contains the specified value. Gets or sets the group of controls for which an item from the list causes validation when it posts back to the server. Gets or sets the height of the control. Gets or sets the width of the control. Gets a collection of all selected checkboxes by indices. Gets a collection of all selected checkbox items. Gets a collection of all selected checkboxes by values. Defines the client events handlers. Gets or sets the name of the JavaScript function that will be called when different than the currently selected item is about to be checked. Gets or sets the name of the JavaScript function that will be called when different than the currently selected item is checked. Gets or sets the name of the JavaScript function that will be called when the control is loaded on the page. Gets or sets the name of the JavaScript function that will be called when an item is loaded on the page. Gets or sets the name of the JavaScript function that will be called when an item checked state is about to be changed. Gets or sets the name of the JavaScript function that will be called when an item checked state was changed. Gets or sets the name of the JavaScript function that will be called when an item is about to be clicked. Gets or sets the name of the JavaScript function that will be called when an item was clicked. Gets or sets the name of the JavaScript function that will be called when the mouse hovers over an item. Gets or sets the name of the JavaScript function that will be called when the mouse leaves an item. Defines the data binding configuration of the control. Gets or sets the field of the data source that provides the text content of the list items. Gets or sets the field of the data source that provides the value of each list item. Gets or sets the field of the data source that provides the selected state of each list item. Gets or sets the field of the data source that provides the enabled state of each list item. Gets or sets the field of the data source that provides the tooltip text of each list item. The direction in which the items within the group are displayed. Possible values are horizontal and vertical. The direction is vertical. The direction is horizontal. Represents the argument data passed to the event handler of the ItemCreated and ItemDataBound events of the list control. Gets/Sets the current list item. Gets or sets the text content of the list items. The text of the list item. The default value is empty string. Gets or sets the value of the list item. The value of the list item. Gets or sets the selected/checked state of the list item. The selected/checked state of the list item. Gets or sets the enabled state of the list item. The enabled state of the list item. Gets or sets the tooltip text of the list item. The text of the item's tooltip. Gets or sets the layout in which the items are rendered. Possible values are Flow, OrderedList, UnorderedList. The layout flows. The layout is an ordered list. The layout is an ordered list. This class represents KeyboardNavigationSettings settings serialized to the client. This property sets the key that is used to focus RadTabStrip. It is always used in combination with FocusKey. This property sets the key that is used to focus RadTabStrip. It is always used in combination with CommandKey. Serialize the value as a script, not a string. Should be used alongside with The state collection for the values The key in the JSON object The value in the JSON obejct InvalidOperationException. InvalidOperationException. Cannot perform this operation when DataSource is not assigned The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute RadRadioButton leverages the functionality of the standard radio button. This class represents Wai-Aria settings serialized to the client. Promises a check for default state when implemented. Mainly used for JavaScript Convertable objects Specifies whether the implementing object has default values. Gets or sets the ID of the html element containing the description of the control. Gets or sets the text added as aria-label attribute. Specifies the possible values for the Sizing property of the Image composite property of RadImageButton. The image keeps its original size. The image is stretched to the size of the button, in which it is used. Provides data for the ToggleStateChanged event. Initializes a new instance of the ButtonToggleStateChangedEventArgs class with the specified arguments. The name of the command. The object containing the arguments for the command. The current ToggleState index of the RadButton control. The currently selected ToggleState of the RadButton control. Initializes a new instance of the ButtonToggleStateChangedEventArgs class with another ButtonToggleStateChangedEventArgs object. A ButtonToggleStateChangedEventArgs that contains the event data. Gets or sets the currently selected index of the RadButton control firing the event. Gets or sets the currently selected RadButtonToggleState of the RadButton control firing the event. RadImageButton control provides the features, that ASP.NET: ImageButton controls has. Gets or sets the template for the Button control. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets the object that controls the Primary and Secondary Icon related properties. JavaScript converter that converts the RadButtonbuttonToggleState type to JSON object. Gets or sets the action to resolve Urls for the buttonToggleState. JavaScript converter that converts the RadButtonIcon type to JSON object. Gets or sets the action to resolve Urls for the icon. JavaScript converter that converts the RadButtonIcon type to JSON object. Gets or sets the action to resolve Urls for the icon. RadLinkButton control provides the features, that ASP.NET: HyperLink controls has. Gets/Sets the primary appearance of the button. Gets or sets the URL to link to when the RadLinkButton control is clicked. Gets or sets the target window or frame in which to display the Web page content linked to when the RadButton control is clicked. Gets or sets the template for the Button control. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets the object that controls the Primary and Secondary Icon related properties. RadButton control provides the features, that ASP.NET: Button, ImageButton, LinkButton, RadioButton and CheckBox controls have. Adds the attributes of the RadButton control to the output stream for rendering on the client. An HtmlTextWriter that contains the output stream to render on the client. The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Creates a PostBackOptions object that represents the RadButton control's postback behavior, and returns the client script generated as a result of the PostBackOptions. The client script that represents the RadButton control's PostBackOptions. Creates a PostBackOptions object that represents the RadButton control's postback behavior. A PostBackOptions that represents the RadButton control's postback behavior. Raises the Click event of the RadButton control. A ButtonClickEventArgs that contains the event data. Raises the Command event of the RadButton control. A ButtonCommandEventArgs that contains the event data. Raises the CheckedChanged event of the RadButton control. Raises the ToggleStateChaned event of the RadButton control. Raises events for the RadButton control when it posts back to the server. The argument for the event. Invokes the OnCheckedChanged and OnToggleStateChanged methods, when the Checked and SelectedToggleStateIndex properties of the RadButton control have changed. Clears out the list selection and sets the Selected property of all ToggleState objects to false. Sets the selected state by provided value. If multiple ToggleStates have equal value the first one will be selected. If ToggleState with the provided value is not registered the current ToggleState will not be changed. Value of the ToggleState to be selected Sets the selected state by provided value. If multiple ToggleStates have equal value the first one will be selected. If ToggleState with the provided value is not registered the current ToggleState will not be changed. Text of the ToggleState to be selected Find a RadButton's ToggleState by the value of its Value property Value of the ToggleState Find a RadButton's ToggleState by the value of its Text property Text of the ToggleState Gets or sets the name of the JavaScript function that will be called when the RadButton is loaded on the page. Gets or sets the name of the JavaScript function that will be called when the RadButton is clicked. The event is cancelable. Gets or sets the name of the JavaScript function that will be called when the RadButton is clicked, after the OnClientClicking event. Gets or sets the name of the JavaScript function that will be called when the mouse pointer hovers over the RadButton. Gets or sets the name of the JavaScript function that will be called when the mouse pointer leaves the RadButton. Gets or sets the name of the JavaScript function that will be called when the Checked property of the RadButton control is about to be changed. Gets or sets the name of the JavaScript function that will be called after the Checked property of the RadButton control is changed. Gets or sets the name of the JavaScript function that will be called when the SelectedToggleStateIndex property of the RadButton control is about to be changed. Gets or sets the name of the JavaScript function that will be called after the SelectedToggleStateIndex property of the RadButton control is changed. Adds or removes an event handler method from the Click event. The event is fired when the RadButton control is clicked. Adds or removes an event handler method from the Command event. The event is fired when the RadButton control is clicked. Adds or removes an event handler method from the CheckedChanged event. The event is fired when the value of the Checked property changes between posts to the server. Adds or removes an event handler method from the ToggleStateChanged event. The event is fired when the value of the SelectedToggleStateIndex property changes between posts to the server. Valid only when RadButton has ToggleType set with value, different than None Gets or sets a value indicating whether validation is performed when the RadButton control is clicked. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. Gets or sets the command name associated with the RadButton control that is passed to the Command event. Gets or sets the URL of the page to post to from the current page when the RadButton control is clicked. Gets or sets the group of controls for which the RadButton control causes validation when it posts back to the server. Gets the object that controls the Primary and Secondary Icon related properties. Gets the object that control the Image properties. A RadButton control can be rendered as an ImageButton, or it can have a BackgroundImage. Gets a collection of RadButtonToggleState objects that belong to the RadButton control. Gets or sets the template for the RadButton control. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets or sets a bool value indicating whether the RadButton control automatically posts back to the server when clicked. Gets or sets the text displayed in the RadButton control. Gets or sets an optional Value of the RadButton control. Gets or sets a bool value indicating whether the RadButton control is in a read-only mode. Gets or sets a value indicating whether the RadButton control uses the client browser's submit mechanism or the ASP.NET postback mechanism. Gets or sets a bool value indicating whether the client browser's default styling will be applied to the RadButton control. When this property is set to true, the control will look like standard HTML input of type="button" or type="submit", with the default styles applied by the client browser. Use this property when ButtonType="StandardButton". Gets or sets the target window or frame in which to display the Web page content linked to when the RadButton control is clicked. Gets or sets the URL to link to when the RadButton control is clicked. Gets or sets the CSS class applied to the RadButton control when the mouse pointer is over the control. Gets or sets the CSS class applied to the RadButton control when the control is pressed. Gets or sets the CSS class applied to the RadButton control when it is in ReadOnly mode. The property is set to true. Gets or sets the text that will be displayed in the tooltip of the RadButton control when it is hovered. Gets or sets the CSS class rendered by the RadButton control on the client. Gets or sets the CSS class applied to the RadButton control when it is in a disabled state. Gets or sets the height of the RadButton control. Gets or sets the width of the RadButton control. Gets or sets the accessKey of the RadButton control. Gets or sets a bool value indicating whether an additional button (besides the primary button) will be rendered in the RadButton control. Gets or sets the position (relative to the RadButton's text) of the split button. Gets or sets the CSS class applied to the SplitButton of the RadButton control. Gets or sets the type of the button. RadButtonType:StandardButton(default), LinkButton and ToggleButton. Gets or sets the toggle type of the RadButton control when used as a toggle button. The Default is ButtonToggleType='None'. Gets or sets a bool value indicating whether the RadButton control is checked. Gets or sets the name of the group the RadButton control, configured as a radio button (ToggleType='Radio'), belongs to. Gets the currently selected ToggleState of the RadButton control when used as a custom toggle button. Gets or sets the index of the currently selected ToggleState of the RadButton control, when used as a custom toggle button. Gets or sets a bool value indicating whether the RadButton control will be immediately disabled after the user has clicks it. (i.e. enables/disables "Single Click" functionality) Gets or sets the text displayed in the RadButton control after the button is being clicked and disabled. (i.e. the text used for the 'Single Click' functionality) When set to true enables support for WAI-ARIA Gets/Sets the primary appearance of the button. Manages the Icon of the Button control. Setting value to CssClass or Url will make the Icon visible in the Button. Gets or sets the CSS class applied to the Icon. Gets or sets the Height of the Icon. Gets or sets the CSS class applied to the Icon, when button is hovered. Gets or sets the URL to the image showed when the button is hovered. Gets or sets the left edge of the Icon, relative to the Button control's wrapper element. Gets or sets the CSS class applied to the Icon, when button is pressed. Gets or sets the URL to the image showed when the button is pressed. Gets or sets a bool value indicating whether the Button will show the Icon. Gets or sets the top edge of the Icon, relative to the Button control's wrapper element. Gets or sets the URL to the image used as Icon. Gets or sets the Width of the Icon. Manages the image shown in the RadButton control. Gets or sets the location of an image to display in the RadButton control. Gets or sets the location of an image to display when the RadButton control is disabled. Gets or sets the location of an image to display in the RadButton control, when the mouse pointer is over the control. Gets or sets the location of an image to display in the RadButton control, when the control is pressed. Gets or sets the sizing of the image. Renders a button from a given toggle state Renders an element that contains the Text of the RadButton control Renders an element that contains the Text of the RadButton control Adds attributes to the input when EnableBrowserButtonStyle=true An HtmlTextWriter that contains the output stream to render on the client. Adds font related style attributes to a given element. An HtmlTextWriter that contains the output stream to render on the client. Renders the Primary and Secondary icons of the RadButton control. Renders the Primary and Secondary icons of the RadButton control. RadPushButton control provides the features, that ASP.NET: Button controls has. Gets/Sets the primary appearance of the button. Gets or sets the template for the Button control. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets the object that controls the Primary and Secondary Icon related properties. This class represents a single ToggleState when the RadButton control is used as custom toggle button. This class represents a single RadButton ToggleState when the RadButton control is used as custom toggle button. Creates a RadButton ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. The CssClass of the ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. The CssClass of the ToggleState. The Value of the ToggleState. The RadButton control that contains the ToggleState. Gets or sets the text displayed in the RadButton control. Gets or sets optional Value. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. Gets or sets the command name associated with the Button control that is passed to the Command event. Gets or sets a bool value indicating whether the ToggleState is selected or not. Gets or sets the CSS class applied to the RadButton control. Gets or sets the CSS class applied to the RadButton control when the mouse pointer is over the control. Gets or sets the CSS class applied to the RadButton control when the control is pressed. Gets or sets the width of the RadButton control. Gets or sets the height of the RadButton control. Gets the object that controls the Primary and Secondary Icon related properties. Gets the object that controls the Primary and Secondary Icon related properties. A collection of ButtonToggleState objects in a RadButton control Creates an instance of ButtonToggleStateCollection class. The RadButton control to which the collection belongs. Creates a new ButtonToggleState and adds it to the current ToggleState collection. The Text of the ToggleState. Removes an item from the ToggleState collection. The ToggleState to remove. RadToggleButton provides toggle functionality to a button, allowing the user to configure different states toggled on each button press or by provided API. Invokes the OnToggleStateChanged methods, when the SelectedToggleStateIndex property of the control has changed. Raises the ToggleStateChaned event of the RadButton control. Clears out the list selection and sets the Selected property of all ToggleState objects to false. Sets the selected state by provided value. If multiple ToggleStates have equal value the first one will be selected. If ToggleState with the provided value is not registered the current ToggleState will not be changed. Value of the ToggleState to be selected Sets the selected state by provided value. If multiple ToggleStates have equal value the first one will be selected. If ToggleState with the provided value is not registered the current ToggleState will not be changed. Text of the ToggleState to be selected Find a RadToggleButton's ToggleState by the value of its Value property Value of the ToggleState Find a RadToggleButton's ToggleState by the value of its Text property Text of the ToggleState Gets a collection of ButtonToggleState objects that belong to the RadToggleButton control. Gets or sets the index of the currently selected ToggleState of the RadToggleButton control. Gets the currently selected ToggleState of the RadToggleButton control. Adds or removes an event handler method from the ToggleStateChanged event. The event is fired when the value of the SelectedToggleStateIndex property changes between posts to the server. Valid only when RadToggleButton has ToggleType set with value, different than None Gets or sets the name of the JavaScript function that will be called when the SelectedToggleStateIndex property of the RadToggleButton control is about to be changed. Gets or sets the name of the JavaScript function that will be called after the SelectedToggleStateIndex property of the RadToggleButton control is changed. Interface defining NoiseGenerator Returns the generated noise data as a Byte Array Defines the length of the generated noise. Defines bit rate of the generated noise. Defines the strength of the generated noise. Initialize an instance of NoiseSyntesize class with the following format values: SampleRate - 44100 BitsPerSample - 16 Channels - 2 Initialize an instance of NoiseSyntesize class using format data from the input stream. Format data source. Initialize an instance of NoiseSyntesize class using format data from the input file. Path to the source file. Sets up the output format from input stream. Format data source. Sets up the output format from input file. Path to the source file. Gets the length (in bytes) of the output. Gets the number of channels of the output. Gets the sample rate of the output. Gets the bits per sample of the output. Returns the generated noise data as a Byte Array Defines the length of the generated noise. Defines bit rate of the generated noise. Defines the strength of the generated noise. The event arguments base class used in the event of the of the The event arguments passed when fires NeedDataSource event. Gets or sets the object from which the control retrieves its list of data items Represents the client events of . Allows setting the names of client-side functions which will be called when the given events are raised on the client. Gets or sets the client-side event which will be fired when a command occurs. The command event. Gets or sets the client-side event which will be fired when a remote service or page request is started. The requeststarted event. Gets or sets the client-side event which will be fired when a request finished and success handler is called. The requestsucceeded event. Gets or sets the client-side event which will be fired when the remote request has failed. The requestfailed event. Gets or sets the client-side event which will be fired when a custom mapping of the request parameters can be perfomred. The customFilter event. Gets or sets the client-side event which will be fired when a change in the data is applied. The change event. Gets or sets the client-side event which will be fired after the data source saves all data item changes. Used in batch editing The sync event. Gets or sets the client-side event which will be fired after the data has been requested from the service The dataRequested event. Gets or sets the client-side event which will be fired after the count has been requested from the service The countRequested event. Gets or sets the client-side event which can be used to additionally parse the response before it is further processed by the control The data parse event. Provides a type converter to convert a string of comma-separated values to and from an array of strings for the . This enum specifies the web service data type of the . ClientDataSourceServiceType is set to "Default". Default = 1 ClientDataSourceServiceType is set to "OData". OData = 2 ClientDataSourceServiceType is set to "XML". XML = 3 ClientDataSourceServiceType is set to "GeoJSON". GeoJSON = 4 This partial class defines RadClientDataSource control - a flexible and extensible server-side component for retrieving and providing data on the client under various forms and from different source such web and rest service, page method, other datasource controls and other means Registers the control with the ScriptManager Gets a collection of script descriptors that represent ECMAScript (JavaScript) client components. An collection of objects. Gets a collection of objects that define script resources that the control requires. An collection of objects. Loads the client state data Executed when post data is loaded from the request Executed when post data changes should invoke a chagned event Gets a reference to class. Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Gets or sets value indicating whether server-side paging is enabled Gets or sets value indicating whether server-side filtering is enabled Gets or sets value indicating whether server-side sorting is enabled Gets or sets value indicating whether server-side grouping is enabled Gets or sets value indicating whether server-side aggregates are enabled Gets or sets the maximum number of items that would appear on a page. Default value is 10. Gets or sets a value indicating the index of the currente page The index of the current page. Gets or sets a value indicating whether the paging in is enabled The default is false. Gets or sets a value indicating whether batch operations in the are enabled The default is false. Gets or sets a value indicating whether the would automatically save any changed data items by calling the sync method. By default changes are not automatically saved. The default is false. Gets a collection of filter expressions for Gets a collection of sort expressions for Gets a collection of group expressions for Gets a collection of aggregates expressions for Contains settings about the different types of data sources used in . Contains settings about the schema and model of the data used in . A class holding the various data source settings of the . Contains web service data source settings for the . Contains data source control settings for the . A class holding the settings for the server data source of the . Gets or set the server side data source control ID to which the is bound Gets or sets an array of data key names names that will be used to populate the DataKeyNames collection of the ProxyBound control Gets or sets an array of data fields that will be serialized from server to client for use in the clientDataSource control Gets or sets a value indicating whether the ClientDataSource should perform automatic updates true, when the automatic updates are allowed; otherwise false. The default is false. Gets or sets a value indicating whether the ClientDataSource should perform automatic inserts true, when automatic insert into the database would be performed; otherwise false. The default is false. Gets or sets a value indicating whether the ClientDataSource should perform automatic deletes true, when automatic delete from the database would be performed; otherwise false. The default is false. Gets or sets the name of the list of data that the data-bound control binds to, in cases where the data source contains more than one distinct list of data items. The name of the specific list of data that the data-bound control binds to, if more than one list is supplied by a data source control. The default value is . Gets or sets the ID of the data model. The ID of the data model. Gets or sets the name of the method to call in order to update data Gets or sets the name of the method to call in order to insert data Gets or sets the name of the method to call in order to delete data Gets or sets the name of the method to call in order to retrieve data A class holding the settings for binding to static data of the . Raises the event. Raises the event. Raises the event. Raises the event. Raises the event. Gets or sets the filter type that is expected from the data service. Server side event which is fired when existing item is updated on the client and transferred to the server by using sync operation Server side event which is fired when new item is created on the client and transferred to the server by using sync operation Server side event which is fired when existing item is deleted on the client and sync operation is performed Server side event which is fired when on client side CRUD operation is performed and sync operation is triggered. Fires when the data source must be assigned on server side. A class holding the base data source web service settings of the . Gets or sets the type of the request that will be used to send the data to the service. The default is . Gets or sets the data type that is expected from the data service. Gets or sets the content type that is expected from the data service. Enables or disables client-side data caching in . Caching is disabled by default. Gets or sets the URL of the web service. A class holding the base data source web service settings of the . Gets or sets the type of the service that will provide data for the data source. The default is . Gets or sets the base URL of the web service. Contains service settings for the select method of the . Contains service settings for the insert method of the . Contains service settings for the update method of the . Contains service settings for the delete method of the . Enumeration representing the aggregate functions which can be applied to a ClientDataSourceAggregate This enum specifies the web service data type of the . ClientDataSourceDataType is set to "XML". XML = 1 ClientDataSourceDataType is set to "JSON". JSON = 2 ClientDataSourceDataType is set to "JSONP". JSONP = 3 This enum specifies if the ClientDataSourceFilterLogicOperator uses "And or "Or" functionality. ClientDataSourceFilterLogicOperator is set to "And". And = 1 ClientDataSourceFilterLogicOperator is set to "Or". Or = 2 This enum specifies the ClientDataSourceFilterOperator functionality. ClientDataSourceFilterOperator is set to "EqualTo". EqualTo = 1 ClientDataSourceFilterOperator is set to "NotEqualTo". NotEqualTo = 2 ClientDataSourceFilterOperator is set to "GreaterThan". GreaterThan = 3 ClientDataSourceFilterOperator is set to "GreaterThanOrEqualTo". GreaterThanOrEqualTo = 4 ClientDataSourceFilterOperator is set to "LessThan". LessThan = 5 ClientDataSourceFilterOperator is set to "LessThanOrEqualTo". LessThanOrEqualTo = 6 ClientDataSourceFilterOperator is set to Contains filtering mode. Contains = 7 ClientDataSourceFilterOperator is set to EndsWith filtering mode. EndsWith = 8 ClientDataSourceFilterOperator is set to StartsWith filtering mode. StartsWith = 9 Enumerates the supported HTTP methods can use with a data service. A POST request will be used A GET request will be used A Put request will be used A Delete request will be used This enum the possible types of the field in a ClientDataSourceModelFieldType is set to "String". String = 1 ClientDataSourceModelFieldType is set to "Number". Number = 2 ClientDataSourceModelFieldType is set to "Boolean". Boolean = 3 ClientDataSourceModelFieldType is set to "Date". Date = 4 This enum specifies the ClientDataSourceSortOrder . ClientDataSourceSortOrder is set to "Asc". Asc = 1 ClientDataSourceSortOrder is set to "Desc". Desc= 2 This Class defines Model of the Schema of the . Gets or sets the name of ID field of the model Gets a collection of The class repsents a field in the of the .. Gets or sets the name of the field from the . Gets or sets Ignore Case for field Gets or sets the name of the orginal field from the data. Gets or sets the name of function which will parse the field value. If not set default parsers will be used. Gets or sets field from is editable. Default is false. Gets or sets field from is nullable. Default is false. Gets or sets the default value of the field from the . Gets or sets the corresponding client-side type of the field from the model. This class defines a collection containing ModelFields. The class defined the configuration used to parse the remote service response in the . Gets or sets the model of the Schema Gets or sets the data type of the server response. Only JSON and XML are supported Gets or sets the name of the collection that holds the data items Gets or sets the name of the field from the response which contains the aggregate results Gets or sets the name of the field from the server response which contains the groups Gets or sets the name of the field from the server response which contains server-side errors Gets or sets the name of the field from the server response which contains the total number of data items a class representing the the aggregates settings of the . Gets or sets the field name of the aggregate. Gets or sets the aggregate function This class defines a collection containing ClientDataSourceAggregates. This class defines a collection containing FilterExpressions. This class gets or sets the filter operator, field name and value of the filter operation. Gets or sets the field name for the operation. Gets or sets the filtering operator Gets or sets the value for the filtering operation This class defines a collection containing FilterExpressionEntries. This class defines the FilterExpression for getting or settting the filter logic, AND or OR and getting the filter expression entries. Gets or sets the filter logic, AND or OR. Gets the group expression entries. The group expression entries. This class is responsible for getting the group expression entries from the GroupEntryCollection. Gets or sets the field name for the group operation. Gets or sets the sort order Gets a collection of aggregates for The aggregates. This class defines a collection containing SortExpressions. This class is responsible for getting the sort expression entries from the SortEntryCollection. Gets or sets the field name for the sort operation. Gets or sets the sort order This class defines a collection containing SortExpressions. RadColorPicker class Gets or sets a value indicating the server-side event handler that is called when the value of the ColorPicker has been changed. A string specifying the name of the server-side event handler that will handle the event. The default value is empty string. If specified, the OnColorChanged event handler that is called when the value of the ColorPicker has been changed. Two parameters are passed to the handler: sender, the RadColorPicker object. args. This event cannot be cancelled. Retrieves all the colors from the Default preset. A ColorPickerItemCollection collection with the colors from the Default preset. Retrieves all the colors from the Standard preset. A ColorPickerItemCollection collection with the colors from the Standard preset. Dim colors As ColorPickerItemCollection = RadColorPicker1.GetStandardColors() ColorPickerItemCollection colors = RadColorPicker1.GetStandardColors(); Retrieves all the colors from the Office preset. A ColorPickerItemCollection collection with the colors from the Office preset. Retrieves all the colors from the Apex preset. A ColorPickerItemCollection collection with the colors from the Apex preset. Retrieves all the colors from the Aspect preset. A ColorPickerItemCollection collection with the colors from the Aspect preset. Retrieves all the colors from the Civic preset. A ColorPickerItemCollection collection with the colors from the Civic preset. Retrieves all the colors from the Concourse preset. A ColorPickerItemCollection collection with the colors from the Concourse preset. Retrieves all the colors from the Equity preset. A ColorPickerItemCollection collection with the colors from the Equity preset. Retrieves all the colors from the Flow preset. A ColorPickerItemCollection collection with the colors from the Flow preset. Retrieves all the colors from the Foundry preset. A ColorPickerItemCollection collection with the colors from the Foundry preset. Retrieves all the colors from the Median preset. A ColorPickerItemCollection collection with the colors from the Median preset. Retrieves all the colors from the Metro preset. A ColorPickerItemCollection collection with the colors from the Metro preset. Retrieves all the colors from the Module preset. A ColorPickerItemCollection collection with the colors from the Module preset. Retrieves all the colors from the Opulent preset. A ColorPickerItemCollection collection with the colors from the Opulent preset. Retrieves all the colors from the Oriel preset. A ColorPickerItemCollection collection with the colors from the Oriel preset. Retrieves all the colors from the Origin preset. A ColorPickerItemCollection collection with the colors from the Origin preset. Retrieves all the colors from the Paper preset. A ColorPickerItemCollection collection with the colors from the Paper preset. Retrieves all the colors from the Solstice preset. A ColorPickerItemCollection collection with the colors from the Solstice preset. Retrieves all the colors from the Technic preset. A ColorPickerItemCollection collection with the colors from the Technic preset. Retrieves all the colors from the Trek preset. A ColorPickerItemCollection collection with the colors from the Trek preset. Retrieves all the colors from the Urban preset. A ColorPickerItemCollection collection with the colors from the Urban preset. Retrieves all the colors from the Verve preset. A ColorPickerItemCollection collection with the colors from the Verve preset. Retrieves all the colors from the Grayscale preset. A ColorPickerItemCollection collection with the colors from the Grayscale preset. Retrieves all the colors from the Grayscale preset. A ColorPickerItemCollection collection with the colors from the Grayscale preset. Retrieves all the colors from the ReallyWebSafe preset. A ColorPickerItemCollection collection with the colors from the ReallyWebSafe preset. Retrieves all the colors from the Web216 preset. A ColorPickerItemCollection collection with the colors from the Web216 preset. Retrieves all the colors from the Web216 preset, used in the Default preset. A ColorPickerItemCollection collection with the colors from the Web216 preset, used in the Default preset. Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. Collection of the color picker items. Get/Set the preset colors of the color picker. Get/Set the selected color of the ColorPicker. Get/Set the number of the columns in the palette. Determines whether the control causes a postback on value change. Determines whether to show the None color selection. Determines whether to show the color picker as an icon, which when clicked opens the palette. Determines whether to preview the color which has been selected. Gets or sets the localization strings for the RadColorPicker. Gets or sets the tooltip of the icon. Gets or sets the text in the icon. Gets or sets the text for the no color box. Gets or sets a value indicating the visible modes of the RadColorPicker's palette. Gets or sets a value indicating whether the RadColorPicker will create an overlay element. The default value is false. Gets or sets a value indicating whether the RadColorPicker popup will stay in the visible viewport of the browser window. The default value is true. Gets or sets a value indicating whether the RadColorPicker will display an array of recently used colors. The default value is false. Gets or sets a value indicating whether the RadColorPicker will display a button for choosing a custom color in the WebPalette tab. The default value is false. Gets or sets a value indicating the client-side event handler that is called when the RadColorPicker control is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadColorPicker object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientLoad property. Gets or sets a value indicating the client-side event handler that is called when a user previews a color. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadColorPicker that fired the event. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientColorPreview property. Gets or sets a value indicating the client-side event handler that is called just before the value of the color picker is changed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientColorChanging client-side event handler that is called just before the value of the color picker is changed. Two parameters are passed to the handler: sender, the RadColorPicker object. args. This event can be cancelled. The following example demonstrates how to use the OnClientColorChanging property. Gets or sets a value indicating the client-side event handler that is called while the value of the color picker has been changed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientColorChange client-side event handler that is called when the value of the color picker has been changed. Two parameters are passed to the handler: sender, the RadColorPicker object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientColorChange property. Gets or sets a value indicating the client-side event handler that is called when the popup element of the RadColorPicker (in case ShowIcon=true) shows. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientPopUpShow client-side event handler is called when the value of the color picker has been changed. Two parameters are passed to the handler: sender, the RadColorPicker object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientPopUpShow property. Fires when the value of the ColorPicker has been changed. The specified ColorChanged event handler is called when the value of the ColorPicker has been changed. Represents the Image settings needed to export SVG files with RadClientExportManager Gets or sets the name of the exported image file Gets or sets the proxy URL use to export files under Internet Explorer 9 Gets or set the width of the exported image By default it takes the width of the exported scene Gets or set the height of the exported image By default it takes the height of the exported scene Represents the PDF settings needed to export SVG files with RadClientExportManager Gets or sets the name of the exported PDF file Gets or sets the proxy URL use to export files under Internet Explorer 9 Gets or sets the paper size of the PDF document. The default "auto" means paper size is determined by content. Gets or sets the whether to reverse the document dimensions Gets or set the top margin of the document Gets or sets the bottom margin of the document Gets or sets the left margin of the document Gets or set the right margin of the document Gets or sets the title of the document Gets or sets the author of the document Gets or sets the subject of the document Gets or sets the keywords of the document Gets or sets the creator of the document Gets or sets the CSS selector used for multi paging Gets or sets when the PDF document is created. Default value is DateTime.Now Gets or sets the fonts needed to export text using custom fonts The key contains the name of the font and the value contains the URL of the font file. E.g. Fonts.Add("Verdana", "/fonts/Verdana.ttf") Represents the SVG settings needed to export SVG files with RadClientExportManager Gets or sets the name of the exported SVG file Gets or sets the proxy URL use to export files under Internet Explorer 9 Gets or sets whether to return raw SVG document without the Data URI prefix Returns the current instance of the RadClientExportManager Page object Gets or sets the PDF export settings Gets or sets the Image export settings Gets or sets the SVG export settings Gets or sets the name of the client-side function which will be executed after the control is loaded The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before the PDF file will be exported The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after the PDF file is exported The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before the image file will be exported The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after the image file is exported The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before the SVG file will be exported The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after the SVG file is exported The default value is string.Empty. Contains the information for the uploaded files. Gets the original file name of the uploaded file. Gets the key name under which the file is stored in the storage provider Gets the content type of the uploaded file. Gets the content length of the uploaded file. Contains the information of all of the uploaded files. Gets information for the uploaded file by index. Gets information for the uploaded file by its original name. This is the enum for the MultipleFileSelection. MultipleFileSelection is disabled Disabled = 0 MultipleFileSelection is automatic Automatic = 1 FileUploaded event is fired after a postback if there are uploaded files. FileUploaded event arguments Gets the information of the uploaded file. Gets or sets whether the uploaded file is valid. If is set to false the file will be deleted by a callback mechanism. Default value is true. CustomProviderSetup is fired when custom is used. CustomProviderSetup event arguments Gets or sets the custom provider type which will be used for upload. Gets or sets the name of the associated storage provider declared in the web.config Represents the settings of the file list panel in a control. Gets or sets the width of the file list panel. The width of the file list panel. The default value is 420px. Gets or sets the height of the file list panel. The height of the file list panel. The default value is Unit.Empty. Gets or sets the maximum height of the file list. The maximum height of the file list. The default value is Unit.Empty. When set to true enables rendering of button's text (remove, cancel). Gets or sets the zone, where the file list panel will be displayed. The value of the property should be a valid jQuery selectors. E.g. class name or Id of html element. Gets or sets the whether the file list panel will be displayed when no files are uploaded. The value of the property should be a valid jQuery selectors. E.g. class name or Id of html element. This class gets and sets the localization properties of RadCloudUpload. Gets or sets the SelectButtonText string. The SelectButtonText string. Gets or sets the SizeValidationFailedMessage string. The SizeValidationFailedMessage string. Gets or sets the ExtensionValidationFailedMessage string. The ExtensionValidationFailedMessage string. Gets or sets the ServerErrorMessage string. The ServerErrorMessage string. Gets or sets the Error string. The Error string. Gets or sets the Remove string. The Remove string. Gets or sets the Cancel string. The Cancel string. Gets or sets the UploadingFilesMessage string. The UploadingFilesMessage string. Gets or sets the UploadedFilesMessage string. The UploadedFilesMessage string. Gets or sets the CollapseButton string. The CollapseButton string. Gets or sets the ExpandButton string. The ExpandButton string. Gets or sets the string "DropZone" text. The string "DropZone". Enumeration for the MultipleFileSelection. MultipleFileSelection is disabled Disabled = 0 MultipleFileSelection is automatic Automatic = 1 An interface that describes file appender object. Appender object can append byte stream to already existing file and return the length of the bytes appended. Provides data for the RadComboBoxCheckAllCheckEventArgs event of the RadComboBox control. Gets a boolean variable that indicated whether the CheckAll checkbox is checked or unchecked The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Enables the combined resource for CDN scenarios. This setting will automatically disable the embedded resource of the same type (be it StyleSheet or Script) and use the combined one from the CDN instead. Disables the combined resource for CDN scenarios. Collects style definitions and renderes them on the . This class acts as a thin wrapper on top of the . Adds the next style to the colleciton The name of the style The value that is related to the CSS style name Writes the styles as an attribute to the . Data type Data type converter Converts a DataType value to string DataType value String representation of the DataType Returns true if the object can be converted to any of the supported data types Object to be tested Returns true if conversion is possible; otherwise, false. Converts an object to String Object to be converted Converted string. Convert .NET data type to XMLSS DataType Object to be converted. Converted DataType value A class wrapper for 's Style propertie to simulate 's decoration properties. This class can be used for a control's inner property in the markup. Gets or sets the background color of the control. Gets or sets the border color of the control. Gets or sets the border width of the control. Gets or sets the Cascading Style Sheet (CSS) class rendered by the control. Gets or sets the foreground color (typically the color of the text) of the control. Gets or sets the height of the control. Gets or sets the width of the control. A class wrapper for WebControl decoration properties. This class can be used for a control's inner property in the markup. Gets or sets the access key that allows you to quickly navigate to the control. Gets or sets the background color of the control. Gets or sets the border color of the control. Gets or sets the border style of the control. Gets or sets the border width of the control. Gets or sets the Cascading Style Sheet (CSS) class rendered by the control. Gets the font properties associated with the control. Gets or sets the foreground color (typically the color of the text) of the control. Gets or sets the height of the control. Gets or sets the tab index of the control. Gets or sets the text displayed when the mouse pointer hovers over the control. Gets or sets the width of the control. EI DPL Docx Renderer Default constructor for DPL Docx renderer. Accepts ExportStructure object. ExportStructure object Renders the ExportStructure object to binary Docx (byte array) Docx output byte array EI DPL Xlsx Renderer Default constructor for DPL Xlsx renderer. Accepts ExportStructure object. ExportStructure object Renders the ExportStructure object to binary Xlsx (byte array) Xlsx output byte array Overrides the default ASP.NET Button to render elastic version represented by a button tag containing two spans. Each span's CssClass can be set through a separate property Gets or sets the class for the first inner Span element Gets or sets the class for the second inner Span element Gets or sets the inner text of the first Span element Gets or sets the inner text of the second Span element Class representing a single shortcut that represents the keyboard combination required to execute a specific command. The enables the use of custom commands to enable your custom commands and actions. Class representing a single shortcut that represents the keyboard combination required to execute a specific command. Gets or sets the key that should be pressed in order for the shortcut to be executed. Note: If the Modifiers value is set to None only the Key is sufficient to trigger the shortcut execution. Gets or sets the modifiers that should be pressed in order for the shortcut to be executed. Multiple modifiers could be specified by using a commas in the page definition (Modifiers="Alt,Ctrl") or bitwise operations in the code behind Modifiers = KeyboardNavigationModifier.Alt | KeyboardNavigationModifier.Ctrl. Note: Setting the Modifiers to None will mean that no modifier is required to execute the shortcut. Gets or sets a value determining if the shortcut will be functioning. If Enabled is set to false the shortcut will not execute. The name of the custom command that will be created and executed. Note: Custom commands does not have specific behavior. Enumeration that represents all possible keys that could be used in a . Enumeration that represents all possible modifiers that could be used in a . When None is specified it means the shortcut will not have a modifier. A collection of objects that could be persisted in ViewState. The type of to be stored in the collection. A collection of of objects that are only the enabled shortcuts from the current collection. An interface that describes the basic information about the request. An interface that describes the basic information about the request. This Class gets or sets the Select, Cancel and Move strings in the LocalizationStrings. Gets or sets the string "Select". The string "Select". Gets or sets the string "Remove". The string "Remove". Gets or sets the string "Cancel". The string "Cancel". Gets or sets the string "DropZone" text. The string "DropZone". Provides data for the event of the control. Initializes a new instance of the class. The data source of the control. The text value of the control. Gets the DataSource of the control when the event is raised. The DataSource of the control when the event is raised. Gets the text value of the control when the event is raised. The text value of the control when the event is raised. Represents the method that handles the event of the control. This class gets and sets the localization properties of RadAutoCompleteBox. Gets or sets the RemoveTokenTitle string. The RemoveTokenTitle string. Gets or sets the ShowAllResults string. The ShowAllResults string. State Persister Base Abstract class. Should be implemented for each control. ReadSettings / ApplySettings methods can be generated with T4 Template State Persister Interface that should be implemented by each control's StatePerister class. ReadSettings / ApplySettings methods can be generated using T4 Template. Saves the state of the corresponding control using the assigned StateSerializer and StateStorageProvider This method should raise StateSaving event RadControl instance which state should be saved The identifier under which the state will be saved. Loads the state to the corresponding control using the assigned StateSerializer and StateStorageProvider This method should be usable only when StateSerializer and StateStorageProvider are assigned to the StatePersister. This method should raise StateLoading event Control that should receive the provided state The identifier under which the state is saved. Loads the state to the provided control This method should raise StateLoading event Control that should receive the provided state instance that will be applied to the provided control Reads the control's settings. This method will be generated using T4 Template. RadControl instance which state should be saved Applies the control's settings. This method will be generated using T4 Template. Control that should receive the provided state Initialize a new instance of the RadStatePersister class Initialize a new instance of the RadStatePersister class using specified and to be utilized for the state persistence Saves the state of the corresponding control using the assigned StateSerializer and StateStorageProvider Raises StateSave event RadControl instance which state should be saved Saves the state of the corresponding control using the assigned StateSerializer and StateStorageProvider Raises StateSave event RadControl instance which state should be saved The indentifier under which the state will be saved. Loads the state to the corresponding control using the assigned StateSerializer and StateStorageProvider This method should be usable only when StateSerializer and StateStorageProvider are assigned to the StatePersister. This method should raise StateLoading event RadControl instance which state should be loaded The indentifier under which the state is saved. Loads the state to the provided control This method should raise StateLoading event Control that should receive the provided state instance that will be applied to the provided control Reads the control's settings. Applys the control's settings. This method will be generated using T4 Template. RadCalendar class A highly configurable control for displaying and selecting date values from an interface laid out like a standard calendar. Base class based on the PropertyBag implementation, which descends from WebControl class. Implements the PropertyBag class that is the foundation for building Telerik RadCalendar and handles properties values.Used by the ViewState mechanism also. Create controls from template, fill ContentPanes and add them to Controls collection. This method supports the Telerik RadCalendar infrastructure and is not intended to be used directly from your code. Recursively searches for a control with the specified id in the passed controls collection. The id of the control to look for. The current Controls collection to search in. The found control or null if nothing was found. When using templates, their content is instantiated and "lives" inside the Controls collection of RadCalendar class. To access the controls instantiated from the templates they must be found using this method (RadCalendar implements INamingContainer interface). Reference to the found control or null if no control was found. The ID of the searched control. Restores view-state information from a previous page request that was saved by the SaveViewState method. The saved view state. Saves any server control view-state changes that have occurred since the time the page was posted back to the server. The saved view state. Gets or sets the MonthYearFastNavigationSettings object whose inner properties can be used to modify the fast Month/Year client navigation settings. MonthYearFastNavigationSettings Returns whether RadCalendar is currently in design mode. Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. Gets or sets whether popup shadows will appear. Gets or sets a value indicating whether the calendar will create an overlay element to ensure popups are over a flash element or Java applet. The default value is false. Set this property to false if like to disable the selection of weekends. The default value is true. When set to true enables support for WAI-ARIA Gets or sets the enable client side navigation with arrow keys. The enable client side navigation with arrow keys. Gets or sets the RadCalendar range selection mode. Default value is None. Member Description None Does not allow range selection. OnKeyHold Allow range selection by pressing [Shift] key and clicking on the date. None Allow range selection by clicking consecutively two dates. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is calendarWrapper_[skin name]. Gets or sets the visibility of the control. The visibility of the control. Gets or sets a collection of type CalendarDayTemplateCollection which stores the created templates to use with RadCalendar. All of the items are represented by DayTemplate instances. Gets the instance of CalendarClientEvents class which defines the JavaScript functions (client-side event handlers) that are invoked when specific client-side events are raised. Gets or sets whether the repeatable days logic should be supported on the client (effective for client calendar - with set property AutoPostBack="false"). true, if the repeatable days logic should be supported on the client; otherwise, false. The default value is true. The EnableRepeatableDaysOnClient property has effect over the logic of the recurring events to the calendar. It should be true, if you wants the repeatable days to be supported by a calendar with AutoPostBack="false". If you are not using repeatable days or/and client calendar, you can improve the calendar performance by setting it to false. SpecialDays Property Gets or sets the format string that will be applied to the dates presented in the calendar area. For additional details see Date Format Pattern topic Gets or sets the the count of rows to be displayed by a single CalendarView. If the calendar represents a multi view, this property applies to the child views inside the multi view. Gets or sets the the count of columns to be displayed by a single CalendarView. If the calendar represents a multi view, this property applies to the child views inside the multi view. Gets or sets the Width applied to a single CalendarView. If the calendar represents a multi view, this property applies to the child views inside the multi view. Gets or sets the Height applied to a single CalendarView. If the calendar represents a multi view, this property applies to the child views inside the multi view. Gets or sets the predefined pairs of rows and columns, so that the product of the two values is exactly 42, which guarantees valid calendar layout. It is applied on a single view level to every MonthView instance in the calendar. The following values are applicable and defined in the MonthLayout enumeration:

Layout_7columns_x_6rows - horizontal layout

Layout_14columns_x_3rows - horizontal layout

Layout_21columns_x_2rows - horizontal layout

Layout_7rows_x_6columns - vertical layout, required when UseDaysAsSelectors is true and Orientation is set to RenderInColumns.

Layout_14rows_x_3columns - vertical layout, required when UseDaysAsSelectors is true and Orientation is set to RenderInColumns.

Layout_21rows_x_2columns - vertical layout, required when UseDaysAsSelectors is true and Orientation is set to RenderInColumns.
Gets or sets the horizontal alignment of the date cells content inside the calendar area. The HorizontalAlign enumeration is defined in System.Web.UI.WebControls Member name Description Center The contents of a container are centered. Justify The contents of a container are uniformly spread out and aligned with both the left and right margins. Left The contents of a container are left justified. NotSet The horizontal alignment is not set. Right The contents of a container are right justified. Gets or sets the vertical alignment of the date cells content inside the calendar area. The VerticalAlign enumeration is defined in System.Web.UI.WebControls Member name Description Bottom Text or object is aligned with the bottom of the enclosing control. Middle Text or object is aligned with the center of the enclosing control. NotSet Vertical alignment is not set. Top Text or object is aligned with the top of the enclosing control. Gets or sets the the count of rows to be displayed by a multi month CalendarView. Gets or sets the the count of columns to be displayed by a multi month CalendarView. Gets or sets the maximum date valid for selection by Telerik RadCalendar. Must be interpreted as the Higher bound of the valid dates range available for selection. Telerik RadCalendar will not allow navigation or selection past this date. This property has a default value of 12/30/2099 (Gregorian calendar date). Gets or sets the minimal date valid for selection by Telerik RadCalendar. Must be interpreted as the Lower bound of the valid dates range available for selection. Telerik RadCalendar will not allow navigation or selection prior to this date. This property has a default value of 1/1/1980 (Gregorian calendar date). Specifies the day to display as the first day of the week on the RadCalendar control. The FirstDayOfWeek enumeration can be found in System.Web.UI.WebControls Namespace. The FirstDayOfWeek enumeration represents the values that specify which day to display as the first day of the week on the RadCalendar control. Member name Description Default The first day of the week is specified by the system settings. Friday The first day of the week is Friday. Monday The first day of the week is Monday. Saturday The first day of the week is Saturday. Sunday The first day of the week is Sunday. Thursday The first day of the week is Thursday. Tuesday The first day of the week is Tuesday. Wednesday The first day of the week is Wednesday. Sets or returns the currently selected date. The default value is the value of System.DateTime.MinValue. Use the SelectedDate property to determine the selected date on the RadCalendar control. The SelectedDate property and the SelectedDates collection are closely related. When the EnableMultiSelect property is set to false, a mode that allows only a single date selection, SelectedDate and SelectedDates[0] have the same value and SelectedDates.Count equals 1. When the EnableMultiSelect property is set to true, mode that allows multiple date selections, SelectedDate and SelectedDates[0] have the same value. The SelectedDate property is set using a System.DateTime object. When the user selects a date on the RadCalendar control, the SelectionChanged event is raised. The SelectedDate property is updated to the selected date. The SelectedDates collection is also updated to contain just this date.
Note Both the SelectedDate property and the SelectedDates collection are updated before the SelectionChanged event is raised. You can override the date selection by using the OnSelectionChanged event handler to manually set the SelectedDate property. The SelectionChanged event does not get raised when this property is programmatically set.
Gets or sets the start date when calendar range selection is enabled. The start date when calendar range selection is enabled. Gets or sets the end date when calendar range selection is enabled. The end date when calendar range selection is enabled. Gets or sets the value that is used by RadCalendar to determine the viewable area displayed . By default, the FocusedDate property returns the current system date when in runtime, and in design mode defaults to System.DateTime.MinValue. When the FocusedDate is set, from that point, the value returned by the FocusedDate property is the one the user sets. Gets or sets the row index where the FocusedDate (and the month view it belongs to) will be positioned inside a multi view area. Gets or sets the column index where the FocusedDate (and the month view it belongs to) will be positioned inside a multi view area. Gets a collection of RadDate objects (that encapsulate values of type System.DateTime) that represent the selected dates on the RadCalendar control. A DateTimeCollection that contains a collection of RadDate objects (that encapsulate values of type System.DateTime) representing the selected dates on the RadCalendar control. The default value is an empty DateTimeCollection. Use the SelectedDates collection to determine the currently selected dates on the RadCalendar control. The SelectedDate property and the SelectedDates collection are closely related. When the EnableMultiSelect property is set to false, a mode that allows only a single date selection, SelectedDate and SelectedDates[0] have the same value and SelectedDates.Count equals 1. When the EnableMultiSelect property is set to true, mode that allows multiple date selections, SelectedDate and SelectedDates[0] have the same value. The SelectedDates property stores a collection of RadDate objects (that encapsulate values of type System.DateTime). When the user selects a date or date range (for example with the column or rows selectors) on the RadCalendar control, the SelectionChanged event is raised. The selected dates are added to the SelectedDates collection, accumulating with previously selected dates. The range of dates are not sorted by default. The SelectedDate property is also updated to contain the first date in the SelectedDates collection. You can also use the SelectedDates collection to programmatically select dates on the Calendar control. Use the Add, Remove, Clear, and SelectRange methods to programmatically manipulate the selected dates in the SelectedDates collection.
Note Both the SelectedDate property and the SelectedDates collection are updated before the SelectionChanged event is raised.You can override the dates selection by using the OnSelectionChanged event handler to manually set the SelectedDates collection. The SelectionChanged event is not raised when this collection is programmatically set.
Gets or sets an integer value representing the number of CalendarView views that will be scrolled when the user clicks on a fast navigation link. Gets or sets a value indicating where RadCalendar will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadCalendarResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Specifies the display formats for the days of the week used as selectors by RadCalendar. Use the DayNameFormat property to specify the name format for the days of the week. This property is set with one of the DayNameFormat enumeration values. You can specify whether the days of the week are displayed as the full name, short (abbreviated) name, first letter of the day, or first two letters of the day. The DayNameFormat enumeration represents the display formats for the days of the week used as selectors by RadCalendar. Member name Description FirstLetter The days of the week displayed with just the first letter. For example, T. FirstTwoLetters The days of the week displayed with just the first two letters. For example, Tu. Full The days of the week displayed in full format. For example, Tuesday. Short The days of the week displayed in abbreviated format. For example, Tues. Gets or sets a DateTimeFormatInfo instance that defines the culturally appropriate format of displaying dates and times as specified by the default culture. A DateTimeFormatInfo can be created only for the invariant culture or for specific cultures, not for neutral cultures. The cultures are generally grouped into three sets: the invariant culture, the neutral cultures, and the specific cultures. The invariant culture is culture-insensitive. You can specify the invariant culture by name using an empty string ("") or by its culture identifier 0x007F. InvariantCulture retrieves an instance of the invariant culture. It is associated with the English language but not with any country/region. It can be used in almost any method in the Globalization namespace that requires a culture. If a security decision depends on a string comparison or a case-change operation, use the InvariantCulture to ensure that the behavior will be consistent regardless of the culture settings of the system. However, the invariant culture must be used only by processes that require culture-independent results, such as system services; otherwise, it produces results that might be linguistically incorrect or culturally inappropriate. A neutral culture is a culture that is associated with a language but not with a country/region. A specific culture is a culture that is associated with a language and a country/region. For example, "fr" is a neutral culture and "fr-FR" is a specific culture. Note that "zh-CHS" (Simplified Chinese) and "zh-CHT" (Traditional Chinese) are neutral cultures. The user might choose to override some of the values associated with the current culture of Windows through Regional and Language Options (or Regional Options or Regional Settings) in Control Panel. For example, the user might choose to display the date in a different format or to use a currency other than the default for the culture. If UseUserOverride is true and the specified culture matches the current culture of Windows, the CultureInfo uses those overrides, including user settings for the properties of the DateTimeFormatInfo instance returned by the DateTimeFormat property, the properties of the NumberFormatInfo instance returned by the NumberFormat property, and the properties of the CompareInfo instance returned by the CompareInfo property. If the user settings are incompatible with the culture associated with the CultureInfo (for example, if the selected calendar is not one of the OptionalCalendars ), the results of the methods and the values of the properties are undefined.

Note: In this version of RadCalendar the NumberFormatInfo instance returned by the NumberFormat property is not taken into account.
Gets or sets the CultureInfo instance that represents information about the culture of this RadCalendar object. A CultureInfo class describes information about the culture of this RadCalendar instance including the names of the culture, the writing system, and the calendar used, as well as access to culture-specific objects that provide methods for common operations, such as formatting dates and sorting strings. The culture names follow the RFC 1766 standard in the format "<languagecode2>-<country/regioncode2>", where <languagecode2> is a lowercase two-letter code derived from ISO 639-1 and <country/regioncode2> is an uppercase two-letter code derived from ISO 3166. For example, U.S. English is "en-US". In cases where a two-letter language code is not available, the three-letter code derived from ISO 639-2 is used; for example, the three-letter code "div" is used for cultures that use the Dhivehi language. Some culture names have suffixes that specify the script; for example, "-Cyrl" specifies the Cyrillic script, "-Latn" specifies the Latin script. The following predefined CultureInfo names and identifiers are accepted and used by this class and other classes in the System.Globalization namespace.
Culture Name Culture Identifier Language-Country/Region
"" (empty string) 0x007F invariant culture
af 0x0036 Afrikaans
af-ZA 0x0436 Afrikaans - South Africa
sq 0x001C Albanian
sq-AL 0x041C Albanian - Albania
ar 0x0001 Arabic
ar-DZ 0x1401 Arabic - Algeria
ar-BH 0x3C01 Arabic - Bahrain
ar-EG 0x0C01 Arabic - Egypt
ar-IQ 0x0801 Arabic - Iraq
ar-JO 0x2C01 Arabic - Jordan
ar-KW 0x3401 Arabic - Kuwait
ar-LB 0x3001 Arabic - Lebanon
ar-LY 0x1001 Arabic - Libya
ar-MA 0x1801 Arabic - Morocco
ar-OM 0x2001 Arabic - Oman
ar-QA 0x4001 Arabic - Qatar
ar-SA 0x0401 Arabic - Saudi Arabia
ar-SY 0x2801 Arabic - Syria
ar-TN 0x1C01 Arabic - Tunisia
ar-AE 0x3801 Arabic - United Arab Emirates
ar-YE 0x2401 Arabic - Yemen
hy 0x002B Armenian
hy-AM 0x042B Armenian - Armenia
az 0x002C Azeri
az-AZ-Cyrl 0x082C Azeri (Cyrillic) - Azerbaijan
az-AZ-Latn 0x042C Azeri (Latin) - Azerbaijan
eu 0x002D Basque
eu-ES 0x042D Basque - Basque
be 0x0023 Belarusian
be-BY 0x0423 Belarusian - Belarus
bg 0x0002 Bulgarian
bg-BG 0x0402 Bulgarian - Bulgaria
ca 0x0003 Catalan
ca-ES 0x0403 Catalan - Catalan
zh-HK 0x0C04 Chinese - Hong Kong SAR
zh-MO 0x1404 Chinese - Macau SAR
zh-CN 0x0804 Chinese - China
zh-CHS 0x0004 Chinese (Simplified)
zh-SG 0x1004 Chinese - Singapore
zh-TW 0x0404 Chinese - Taiwan
zh-CHT 0x7C04 Chinese (Traditional)
hr 0x001A Croatian
hr-HR 0x041A Croatian - Croatia
cs 0x0005 Czech
cs-CZ 0x0405 Czech - Czech Republic
da 0x0006 Danish
da-DK 0x0406 Danish - Denmark
div 0x0065 Dhivehi
div-MV 0x0465 Dhivehi - Maldives
nl 0x0013 Dutch
nl-BE 0x0813 Dutch - Belgium
nl-NL 0x0413 Dutch - The Netherlands
en 0x0009 English
en-AU 0x0C09 English - Australia
en-BZ 0x2809 English - Belize
en-CA 0x1009 English - Canada
en-CB 0x2409 English - Caribbean
en-IE 0x1809 English - Ireland
en-JM 0x2009 English - Jamaica
en-NZ 0x1409 English - New Zealand
en-PH 0x3409 English - Philippines
en-ZA 0x1C09 English - South Africa
en-TT 0x2C09 English - Trinidad and Tobago
en-GB 0x0809 English - United Kingdom
en-US 0x0409 English - United States
en-ZW 0x3009 English - Zimbabwe
et 0x0025 Estonian
et-EE 0x0425 Estonian - Estonia
fo 0x0038 Faroese
fo-FO 0x0438 Faroese - Faroe Islands
fa 0x0029 Farsi
fa-IR 0x0429 Farsi - Iran
fi 0x000B Finnish
fi-FI 0x040B Finnish - Finland
fr 0x000C French
fr-BE 0x080C French - Belgium
fr-CA 0x0C0C French - Canada
fr-FR 0x040C French - France
fr-LU 0x140C French - Luxembourg
fr-MC 0x180C French - Monaco
fr-CH 0x100C French - Switzerland
gl 0x0056 Galician
gl-ES 0x0456 Galician - Galician
ka 0x0037 Georgian
ka-GE 0x0437 Georgian - Georgia
de 0x0007 German
de-AT 0x0C07 German - Austria
de-DE 0x0407 German - Germany
de-LI 0x1407 German - Liechtenstein
de-LU 0x1007 German - Luxembourg
de-CH 0x0807 German - Switzerland
el 0x0008 Greek
el-GR 0x0408 Greek - Greece
gu 0x0047 Gujarati
gu-IN 0x0447 Gujarati - India
he 0x000D Hebrew
he-IL 0x040D Hebrew - Israel
hi 0x0039 Hindi
hi-IN 0x0439 Hindi - India
hu 0x000E Hungarian
hu-HU 0x040E Hungarian - Hungary
is 0x000F Icelandic
is-IS 0x040F Icelandic - Iceland
id 0x0021 Indonesian
id-ID 0x0421 Indonesian - Indonesia
it 0x0010 Italian
it-IT 0x0410 Italian - Italy
it-CH 0x0810 Italian - Switzerland
ja 0x0011 Japanese
ja-JP 0x0411 Japanese - Japan
kn 0x004B Kannada
kn-IN 0x044B Kannada - India
kk 0x003F Kazakh
kk-KZ 0x043F Kazakh - Kazakhstan
kok 0x0057 Konkani
kok-IN 0x0457 Konkani - India
ko 0x0012 Korean
ko-KR 0x0412 Korean - Korea
ky 0x0040 Kyrgyz
ky-KZ 0x0440 Kyrgyz - Kazakhstan
lv 0x0026 Latvian
lv-LV 0x0426 Latvian - Latvia
lt 0x0027 Lithuanian
lt-LT 0x0427 Lithuanian - Lithuania
mk 0x002F Macedonian
mk-MK 0x042F Macedonian - FYROM
ms 0x003E Malay
ms-BN 0x083E Malay - Brunei
ms-MY 0x043E Malay - Malaysia
mr 0x004E Marathi
mr-IN 0x044E Marathi - India
mn 0x0050 Mongolian
mn-MN 0x0450 Mongolian - Mongolia
no 0x0014 Norwegian
nb-NO 0x0414 Norwegian (Bokmal) - Norway
nn-NO 0x0814 Norwegian (Nynorsk) - Norway
pl 0x0015 Polish
pl-PL 0x0415 Polish - Poland
pt 0x0016 Portuguese
pt-BR 0x0416 Portuguese - Brazil
pt-PT 0x0816 Portuguese - Portugal
pa 0x0046 Punjabi
pa-IN 0x0446 Punjabi - India
ro 0x0018 Romanian
ro-RO 0x0418 Romanian - Romania
ru 0x0019 Russian
ru-RU 0x0419 Russian - Russia
sa 0x004F Sanskrit
sa-IN 0x044F Sanskrit - India
sr-SP-Cyrl 0x0C1A Serbian (Cyrillic) - Serbia
sr-SP-Latn 0x081A Serbian (Latin) - Serbia
sk 0x001B Slovak
sk-SK 0x041B Slovak - Slovakia
sl 0x0024 Slovenian
sl-SI 0x0424 Slovenian - Slovenia
es 0x000A Spanish
es-AR 0x2C0A Spanish - Argentina
es-BO 0x400A Spanish - Bolivia
es-CL 0x340A Spanish - Chile
es-CO 0x240A Spanish - Colombia
es-CR 0x140A Spanish - Costa Rica
es-DO 0x1C0A Spanish - Dominican Republic
es-EC 0x300A Spanish - Ecuador
es-SV 0x440A Spanish - El Salvador
es-GT 0x100A Spanish - Guatemala
es-HN 0x480A Spanish - Honduras
es-MX 0x080A Spanish - Mexico
es-NI 0x4C0A Spanish - Nicaragua
es-PA 0x180A Spanish - Panama
es-PY 0x3C0A Spanish - Paraguay
es-PE 0x280A Spanish - Peru
es-PR 0x500A Spanish - Puerto Rico
es-ES 0x0C0A Spanish - Spain
es-UY 0x380A Spanish - Uruguay
es-VE 0x200A Spanish - Venezuela
sw 0x0041 Swahili
sw-KE 0x0441 Swahili - Kenya
sv 0x001D Swedish
sv-FI 0x081D Swedish - Finland
sv-SE 0x041D Swedish - Sweden
syr 0x005A Syriac
syr-SY 0x045A Syriac - Syria
ta 0x0049 Tamil
ta-IN 0x0449 Tamil - India
tt 0x0044 Tatar
tt-RU 0x0444 Tatar - Russia
te 0x004A Telugu
te-IN 0x044A Telugu - India
th 0x001E Thai
th-TH 0x041E Thai - Thailand
tr 0x001F Turkish
tr-TR 0x041F Turkish - Turkey
uk 0x0022 Ukrainian
uk-UA 0x0422 Ukrainian - Ukraine
ur 0x0020 Urdu
ur-PK 0x0420 Urdu - Pakistan
uz 0x0043 Uzbek
uz-UZ-Cyrl 0x0843 Uzbek (Cyrillic) - Uzbekistan
uz-UZ-Latn 0x0443 Uzbek (Latin) - Uzbekistan
vi 0x002A Vietnamese
vi-VN 0x042A Vietnamese - Vietnam
Gets the default System.Globalization.Calendar instance as specified by the default culture. A calendar divides time into measures, such as weeks, months, and years. The number, length, and start of the divisions vary in each calendar. Any moment in time can be represented as a set of numeric values using a particular calendar. For example, the last vernal equinox occurred at (0.0, 0, 46, 8, 20, 3, 1999) in the Gregorian calendar. An implementation of Calendar can map any DateTime value to a similar set of numeric values, and DateTime can map such sets of numeric values to a textual representation using information from Calendar and DateTimeFormatInfo. The textual representation can be culture-sensitive (for example, "8:46 AM March 20th 1999 AD" for the en-US culture) or culture-insensitive (for example, "1999-03-20T08:46:00" in ISO 8601 format). A Calendar implementation can define one or more eras. The Calendar class identifies the eras as enumerated integers where the current era (CurrentEra) has the value 0. In order to make up for the difference between the calendar year and the actual time that the earth rotates around the sun or the actual time that the moon rotates around the earth, a leap year has a different number of days than a standard calendar year. Each Calendar implementation defines leap years differently. For consistency, the first unit in each interval (for example, the first month) is assigned the value 1. The System.Globalization namespace includes the following Calendar implementations: GregorianCalendar, HebrewCalendar, HijriCalendar, JapaneseCalendar, JulianCalendar, KoreanCalendar, TaiwanCalendar, and ThaiBuddhistCalendar. Gets or sets the default type used by RadCalendar to handle its layout, and how will react to user interaction. Member Description Interactive Interactive - user is allowed to select dates, navigate, etc. Preview Preview - does not allow user interaction, for presentation purposes only. Gets or sets the orientation (rendering direction) of the calendar component. Default value is RenderInRows. Member Description RenderInRows Renders the calendar data row after row. RenderInColumns RenderInColumns - Renders the calendar data column after column. None Enforces fallback to the default Orientation for Telerik RadCalendar. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make Telerik RadCalendar postback to the server on date selection or when navigating to a different month. The default value is false. Gets or sets a value indicating whether a tooltips for day cells should be rendered. Setting this property to false will force Telerik RadCalendar to not render day cell tooltips The default value is true. Gets or sets a value for DaysView summary. Setting this property to empty string will force Telerik RadCalendar to not render summary attribute for the DaysView. The default value is "Table containing all dates for the currently selected month.". Gets or sets a value for navigation controls summary. Setting this property to empty string will force Telerik RadCalendar to not render summary attribute The default value is "title and navigation". Gets or sets a value for navigation controls caption. Setting this property to empty string will force Telerik RadCalendar to not render caption tag The default value is "Title and navigation". Gets or sets a value for RadCalendar summary. Setting this property to empty string will force Telerik RadCalendar to not render summary attribute The default value is "Calendar control which enables the selection of dates.". Gets or sets a value for RadCalendar caption. Setting this property to empty string will force Telerik RadCalendar to not render caption tag The default value is "Calendar". Gets or sets the System.Web.UI.ITemplate that defines how the header section of the RadCalendar control is displayed. Header section of the RadCalendar control is displayed under the title section and above the main calendar area (the section that displays the dates information). Use this property to create a template that controls how the header section of a RadCalendar control is displayed.
CAUTION This control can be used to display user input, which might include malicious client script. Check any information that is sent from a client for executable script, SQL statements, or other code before displaying it in your application. ASP.NET provides an input request validation feature to block script and HTML in user input. Validation server controls are also provided to assess user input. For more information, see Validation Server Controls in MSDN.
The default value is a null reference (Nothing in Visual Basic).
The default value is a null reference (Nothing in Visual Basic). Gets or sets the System.Web.UI.ITemplate that defines how the footer section of the RadCalendar control is displayed. Footer section of the RadCalendar control is displayed under the main calendar area (the section that displays the dates information). Use this property to create a template that controls how the footer section of a RadCalendar control is displayed.
CAUTION This control can be used to display user input, which might include malicious client script. Check any information that is sent from a client for executable script, SQL statements, or other code before displaying it in your application. ASP.NET provides an input request validation feature to block script and HTML in user input. Validation server controls are also provided to assess user input. For more information, see Validation Server Controls in MSDN.
Gets or sets whether the navigation controls in the title section will be displayed. Gets or sets whether the navigation buttons in the title section will be displayed. Gets or sets whether the fast navigation buttons in the title section will be displayed. Gets or sets whether the month/year fast navigation controls in the title section will be enabled. Gets or sets the text displayed for the previous month navigation control. Will be applied only if there is no image set (see NavigationPrevImage). Use the NavigationPrevText property to provide custom text for the previous month navigation element in the title section of RadCalendar. Note that the NavigationPrevImage has priority and its value should be set to an empty string in order to be applied the NavigationPrevText value.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the NavigationPrevText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. However note that NavigationPrevImage property is available for this type of functionality. This property applies only if the EnableNavigation property is set to true.
The text displayed for the CalendarView previous month navigation cell. The default value is "&lt;".
Gets or sets the text displayed for the next month navigation control. Will be applied if there is no image set (see NavigationNextImage). The text displayed for the CalendarView next month navigation cell. The default value is "&gt;". Use the NavigationNextText property to provide custom text for the next month navigation element in the title section of RadCalendar. Note that the NavigationNextImage has priority and its value should be set to an empty string in order to be applied the NavigationNextText value.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the NavigationNextText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. However note that NavigationNextImage property is available for this type of functionality. This property applies only if the EnableNavigation property is set to true.
Gets or sets the text displayed for the fast navigation previous month control. Will be applied if there is no image set (see FastNavigationPrevImage). The text displayed for the CalendarView selection element in the fast navigation previous month cell. The default value is "&lt;&lt;". Use the FastNavigationPrevText property to provide custom text for the next month navigation element in the title section of RadCalendar. Note that the FastNavigationPrevImage has priority and its value should be set to an empty string in order to be applied the FastNavigationPrevText value.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the FastNavigationPrevText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. However note that FastNavigationPrevImage property is available for this type of functionality. This property applies only if the EnableNavigation property is set to true.
Gets or sets the text displayed for the fast navigation next month control. Will be applied if there is no image set (see FastNavigationNextImage). The text displayed for the CalendarView selection element in the fast navigation next month cell. The default value is "&gt;&gt;". Use the FastNavigationNextText property to provide custom text for the next month navigation element in the title section of RadCalendar. Note that the FastNavigationNextImage has priority and its value should be set to an empty string in order to be applied the FastNavigationNextText value.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the FastNavigationNextText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. However note that FastNavigationNextImage property is available for this type of functionality. This property applies only if the EnableNavigation property is set to true.
Gets or sets name of the image that is displayed for the previous month navigation control. When using this property, the whole image URL is generated using also the ImagesBaseDir (if no skin is applied) or the SkinPath (if skin is applied) properties values.
Example when skin is NOT defined:
ImagesBaseDir = "Img/"
RowSelectorImage = "nav.gif"
complete image URL : "Img/nav.gif"
Example when skin is defined:
SkinPath = "RadControls/Calendar/Skins/"
RowSelectorImage = "nav.gif"
complete image URL : "RadControls/Calendar/Skins/nav.gif"
Gets or sets the name of the image that is displayed for the next month navigation control. When using this property, the whole image URL is generated using also the ImagesBaseDir (if no skin is applied) or the SkinPath (if skin is applied) properties values.
Example when skin is NOT defined:
ImagesBaseDir = "Img/"
RowSelectorImage = "nav.gif"
complete image URL : "Img/nav.gif"
Example when skin is defined:
SkinPath = "RadControls/Calendar/Skins/"
RowSelectorImage = "nav.gif"
complete image URL : "RadControls/Calendar/Skins/nav.gif"
Gets or sets the name of the image that is displayed for the previous month fast navigation control. When using this property, the whole image URL is generated using also the ImagesBaseDir (if no skin is applied) or the SkinPath (if skin is applied) properties values.
Example when skin is NOT defined:
ImagesBaseDir = "Img/"
RowSelectorImage = "nav.gif"
complete image URL : "Img/nav.gif"
Example when skin is defined:
SkinPath = "RadControls/Calendar/Skins/"
RowSelectorImage = "nav.gif"
complete image URL : "RadControls/Calendar/Skins/nav.gif"
Gets or sets the name of the image that is displayed for the next month fast navigation control. When using this property, the whole image URL is generated using also the ImagesBaseDir (if no skin is applied) or the SkinPath (if skin is applied) properties values.
Example when skin is NOT defined:
ImagesBaseDir = "Img/"
RowSelectorImage = "nav.gif"
complete image URL : "Img/nav.gif"
Example when skin is defined:
SkinPath = "RadControls/Calendar/Skins/"
RowSelectorImage = "nav.gif"
complete image URL : "RadControls/Calendar/Skins/nav.gif"
Gets or sets the text displayed as a tooltip for the previous month navigation control. Use the NavigationPrevToolTip property to provide custom text for the tooltip of the previous month navigation element in the title section of RadCalendar. The tooltip text displayed for the CalendarView previous month navigation cell. The default value is "&lt;". Gets or sets the text displayed as a tooltip for the next month navigation control. The tooltip text displayed for the CalendarView next month navigation cell. The default value is "&gt;". Use the NavigationNextToolTip property to provide custom text for the tooltip of the next month navigation element in the title section of RadCalendar. Gets or sets the text displayed as a tooltip for the fast navigation previous month control. Use the FastNavigationPrevToolTip property to provide custom text for the tooltip of the fast navigation previous month element in the title section of RadCalendar. The tooltip text displayed for the CalendarView fast navigation previous month cell. The default value is "&lt;&lt;". Gets or sets the text displayed as a tooltip for the fast navigation next month control. Use the FastNavigationNextToolTip property to provide custom text for the tooltip of the fast navigation next month element in the title section of RadCalendar. The tooltip text displayed for the CalendarView fast navigation next month cell. The default value is "&gt;&gt;". Gets or sets the cell spacing that is applied to the title table. Gets or sets the cell padding that is applied to the title table. Gets or sets the horizontal alignment of the calendar title. The HorizontalAlign enumeration is defined in System.Web.UI.WebControls Member name Description Center The contents of a container are centered. Justify The contents of a container are uniformly spread out and aligned with both the left and right margins. Left The contents of a container are left justified. NotSet The horizontal alignment is not set. Right The contents of a container are right justified. Gets or sets the format string that is applied to the calendar title. The property should contain either a format specifier character or a custom format pattern. For more information, see the summary page for System.Globalization.DateTimeFormatInfo. By default this property uses formatting string of 'MMMM yyyy'. Valid formats are all supported by the .NET Framework. Example:
  • "d" is the standard short date pattern.
  • "%d" returns the day of the month; "%d" is a custom pattern.
  • "d " returns the day of the month followed by a white-space character; "d " is a custom pattern.
Gets or sets the format string that is applied to the days cells tooltip. The property should contain either a format specifier character or a custom format pattern. For more information, see the summary page for System.Globalization.DateTimeFormatInfo. By default this property uses formatting string of 'dddd, MMMM dd, yyyy'. Valid formats are all supported by the .NET Framework. Example:
  • "d" is the standard short date pattern.
  • "%d" returns the day of the month; "%d" is a custom pattern.
  • "d " returns the day of the month followed by a white-space character; "d " is a custom pattern.
Gets or sets the separator string that will be put between start and end months in a multi view title. Gets or sets a value indicating whether the navigation control should be visible when disabled. The default value is false. Setting this property to true will hide the navigation controls when they are disabled Gets or sets the name of the file containing the CSS definition used by RadCalendar. Use "~/" (tilde) as a substitution of the web-application root directory. Gets or sets the cell padding of the table where are rendered the calendar days. Gets or sets the cell spacing of the table where are rendered the calendar days. A collection of special days in the calendar to which may be applied specific formatting. SpecialDays online example Gets the style properties for the days in the displayed month. A TableItemStyle that contains the style properties for the days in the displayed month. Gets the style properties for the weekend dates on the Calendar control. A TableItemStyle that contains the style properties for the weekend dates on the Calendar. Gets the style properties for the Calendar table container. A TableItemStyle that contains the style properties for the Calendar table container. Gets the style properties for the days on the Calendar control that are not in the displayed month. A TableItemStyle that contains the style properties for the days on the Calendar control that are not in the displayed month. Gets the style properties for the days on the Calendar control that are out of the valid range for selection. A TableItemStyle that contains the style properties for the days on the Calendar control that are out of the valid range for selection. Gets the style properties for the disabled dates. A TableItemStyle that contains the style properties for the disabled dates. Gets the style properties for the selected dates. A TableItemStyle that contains the style properties for the selected dates. Gets the style properties applied when hovering over the Calendar days. A TableItemStyle that contains the style properties applied when hovering over the Calendar days. Gets the style properties of the title heading for the Calendar control. A TableItemStyle that contains the style properties of the title heading for the Calendar. Gets the style properties for the row and column headers. A TableItemStyle that contains the style properties for the row and column headers. Gets the style properties for the Month/Year fast navigation. A TableItemStyle that contains the style properties for the the Month/Year fast navigation. Gets the style properties for the view selector cell. A TableItemStyle that contains the style properties for the view selector cell. Exposes the top instance of CalendarView or its derived types. Every CalendarView class handles the real calculation and rendering of RadCalendar's calendric information. The CalendarView has the ChildViews collection which contains all the sub views in case of multi view setup. Gets or sets whether the column headers will appear on the calendar. Gets or sets whether the row headers will appear on the calendar. Gets or sets whether a selector for the entire CalendarView ( MonthView ) will appear on the calendar. Gets or sets whether the month matrix, when rendered will show days from other (previous or next) months or will render only blank cells. When the ShowColumnHeaders and/or ShowRowHeaders properties are set to true, the UseColumnHeadersAsSelectors property specifies whether to use the days of the week, which overrides the used text/image header if any. When the ShowColumnHeaders and/or ShowRowHeaders properties are set to true, the UseRowHeadersAsSelectors property specifies whether to use the number of the week, which overrides the used text/image selector if any. Use the RowHeaderText property to provide custom text for the CalendarView complete row header element.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the RowHeaderText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. This property applies only if the ShowRowsHeaders property is set to true.
The text displayed for the CalendarView header element. The default value is "". Gets or sets the text displayed for the row header element.
The image displayed for the CalendarView row header element. The default value is "". Gets or sets the image displayed for the row header element. This property applies only if the ShowRowHeaders property is set to true. If RowHeaderText is set too, its value is set as an alternative text to the image of the row header. When using this property, the whole image URL is generated using also the ImagesBaseDir value. Example:
ShowRowHeaders = "true"
ImagesBaseDir = "Img/"
RowHeaderImage = "selector.gif"
complete image URL : "Img/selector.gif"
Use the ColumnHeaderText property to provide custom text for the CalendarView complete column header element.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the ColumnHeaderText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. This property applies only if the ShowColumnHeaders property is set to true.
The text displayed for the CalendarView column header element. The default value is "". Gets or sets the text displayed for the column header element.
The image displayed for the CalendarView column header element in the header cells. The default value is "". Gets or sets the image displayed for the column header element. This property applies only if the ShowColumnHeaders property is set to true. If ColumnHeaderText is set too, its value is set as an alternative text to the image of the column header. When using this property, the whole image URL is generated using also the ImagesBaseDir value. Example: ShowColumnHeaders="true"
ImagesBaseDir = "Img/"
ColumnHeaderImage = "selector.gif"
complete image URL : "Img/selector.gif"
Gets or sets the text displayed for the complete CalendarView selection element in the view selector cell. The text displayed for the CalendarView selection element in the selector cell. The default value is "". Use the ViewSelectorText property to provide custom text for the CalendarView complete selection element in the selector cell.
This property does not automatically encode to HTML. You need to convert special characters to the appropriate HTML value, unless you want the characters to be treated as HTML. For example, to explicitly display the greater than symbol (>), you must use the value &gt;.
Because this property does not automatically encode to HTML, it is possible to specify an HTML tag for the ViewSelectorText property. For example, if you want to display an image for the next month navigation control, you can set this property to an expression that contains an <img> element. This property applies only if the EnableViewSelector property is set to true.
Gets or sets the image displayed for the complete CalendarView selection element in the view selector cell. The image displayed for the CalendarView selection element in the selector cell. The default value is "". When using this property, the whole image URL is generated using also the ImagesBaseDir value. Example:
ImagesBaseDir = "Img/"
ViewSelectorImage = "selector.gif"
complete image URL : "Img/selector.gif"
Allows the selection of multiple dates. If not set, only a single date is selected, and if any dates are all ready selected, they are cleared. Enables the animation shown when the calendar navigates to a different view. Gets or sets the name of the skin used. All skins reside in the location set by the SkinsPath Property. For additional information please refer to the Visual Settings topic in this manual. The ChildViewRender event is fired before the matrix for a child calendar view has been rendered/created. DayRender event is fired after the generation of every calendar cell object and just before it gets rendered to the client. It is the last place where changes to the already constructed calendar cells can be made. HeadeCellRender event is fired after the generation of every calendar header cell object and just before it gets rendered to the client. It is the preferred place where changes to the constructed calendar header cells can be made. SelectionChanged event is fired when a new date is added or removed from the SelectedDates collection. DefaultViewChanged event is fired a a navigation to a different date range occurred. Generally this is done by using the normal navigation buttons or the fast date navigation popup that allows "jumping" to a specified date. Interface defining caching provider that will be used in RadCaptcha. The caching provider will take care of storing the captcha's CachedImage Saves the CachedImage into the storage. The identifier under which the image will be stored. instance that will be stored. Retrieves the cached image from the storage The identifier under which the image has been stored. Previously stored object. Removes the cached image from the storage. The identifier under which the image has been stored. Callback method that will be assigned to the Cache dependency Defines if a cache dependency should be applied to the cached object. Instantiates a Caching provider object. Current HttpContext to be used for the Cache dependency Instantiates a Caching provider object with defined specific dependency key. Current HttpContext to be used for the Cache dependency The key under which the dependency will be stored in the Cache Saves the CachedImage into the storage. The identifier under which the image will be stored. instance that will be stored. Retrieves the cached image from the storage The identifier under which the image has been stored. Previously stored object. Removes the cached image from the storage. The identifier under which the image has been stored. Callback method that will be assigned to the Cache dependency Defines if a cache dependency should be applied to the cached object. utilizes as a storage. Instance of a that utilizes as a storage. This method should return object that implements ICloudUploadRenderer or Inherits the CloudUploadRenderer class. Specifies whether RadCloudUpload allows selecting multiple files in the File Selection dialog. The default value is Disabled Setting the MultipleFileSelection property to Automatic means that RadCloudUpload will check the client's browser capabilities and if there is support for multiple file selection he will enable it. If there is no such support, the selection type would be still single. Specifies the URL of the HTTPHandler from which the image will be served Get or sets the provider used by the RadCloudUpload. The property should be set to one of the existing providers otherwise an exception will be thrown. Gets or sets the maximum file size allowed for uploading in bytes. The default value is 0 (unlimited). Set this property to 0 in order to prevent the file size checking. AllowedFileExtensions Property Gets or sets the allowed file extensions for uploading. Set this property to empty array of strings in order to prevent the file extension checking. The default value is empty string array. In order to check for multiple file extensions you should set an array of strings containing the allowed file extensions for uploading. This example demonstrates how to set multiple allowed file extensions in a RadUpload control. Dim allowedFileExtensions As String() = New String(2) {"zip", "doc", "config"} RadCloudUpload1.AllowedFileExtensions = allowedFileExtensions string[] allowedFileExtensions = new string[3] {"zip", "doc", "config"}; RadCloudUpload1.AllowedFileExtensions = allowedFileExtensions; MaxFileSize Property Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Used to customize the appearance and position of the file list panel of the RadCloudUpload. Gets the localization. The localization. Gets or sets a value indicating where RadCloudUpload will look for its .resx localization files. The localization path. Gets or sets a value indicating if RadCloudUpload should check the Telerik.Web.UI.WebResource handler existence in the application configuration file. The check is not performed when custom handler is used. Gets or sets a value indicating if RadCloudUpload should check for the Amazon, Azure, Everlive(and Newtonsoft) assemblies. Gets or sets the drop zones for upload. The values of the property should be a valid jQuery selectors. E.g. class name or Id of html element. Gets a collection with information about the uploaded files. Occurs once for each of the uploaded files after a postback. Gets or sets the name of the client-side function which will be executed after the control is loaded The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after a file is selected The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after files are selected. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before a file is being uploaded. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after a file is being uploaded. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after files is being uploaded. It is applicable when MultipleFileSelection is available and many files are selected at once. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed when file upload failed. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed when file validation failed (by size/type). The default value is string.Empty. Gets or sets the name of the client-side function which will be executed when file is going to be removed from uloaded/invalid files collections. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed when file is removed from uloaded/invalid files collections. The default value is string.Empty. Gets or sets the max file size. The max file size. Gets or sets the allowed file extensions send to the uplaod handler. The AllowedFileEntensions. Gets or sets the name of the storage provider being used. The Providers enumerable. Upload provider type. SetKeyName event is fired before the file is going to be uploaded. SetKeyName event arguments. Constructor. Gets the original name of the uploading file. Gets the subfolder structure. Gets or sets the key name under which the file will be stored. SetMetaData event is fired before the file is going to be uploaded. SetMetaData event arguments. Gets or set the meta data associated with the current file. Gets or set the the context of the current request. Gets or sets the max file size. The max file size. Gets or sets the allowed file extensions send to the uplaod handler. The AllowedFileEntensions. Gets or sets the name of the storage provider being used. The Providers enumerable. The following method is used to set default meta data(the original name of the file). Overriding the method custom meta data could be specified. The following method is used to set unique key name of the uploading file. The name follows the structure: "SubFolderStructure + GUID + "_" + the original name of the file Overriding the method custom key name could be specified. Sets custom provider by passing the type of the custom provider to the event arguments. Name of the specified provider in the web config could be set too. The custom upload provider should inherits one of the existing ones - AzureProvider, AmazonS3Provider or EverliveProvider. AmazonS3Provider is used to upload/delete files to AmazonS3. Uploads the file with single request. It is called when the file is less than 5MB or the file is uploaded under IE9,8,7 where chunk upload is not supported. Unique name under which the file will be uploaded to the storage. This avoids file replacement. Meta data associated with the current upload. The content of the uploaded file. Uploads current chunk of the file. It is used when the file is more than 5MB. Contains the UploadID, part number and the key name. string uploadId = config["uploadId"]; string partNumber = config["partNumber"]; string keyName = config["keyName"]; The content of the uploaded chunk. After the upload is done the ETag of the response should be assigned to the UploadedPartETag property. Used by the callback mechanism to deletes the files after certain time (UncommitedFilesExpirationPeriod) if they are not processed. Name under which the file is uploaded to the storage. Assembles all of the uploaded chunks into a file in storage. Contains the UploadID, all part ETags and the key name. string uploadId = config["uploadId"]; List<PartETag< partETags = (List<PartETag<)config["partETags"]; string keyName = config["keyName"]; No applicable. Invoked after all of the chunks are uploaded. Ensures that the set bucket will be created explicitly. Initiates multi part upload. Key name of the uploading file. Meta data associated with the uploading file. The uploadId used to upload all the chunks. Invoked before first chunk is going to be uploaded. Deletes all of the uncommitted uploaded chunks. Key name of the uploading file. UploadId generated when multi part upload is initiated. Initialize all of the public properties. Name of the provider associated in the web.config Contains all of the settings declared as attributes in the web.config If the method is overridden make sure that all of the public properties are set properly. Creates AmazonS3Client used by the provider to upload files. If the method is overridden set the newly created s3Client to the AmazonS3Client property. Creates a bucket. Disposes the instance of the AmazonS3Provider. Gets or sets the Access Key of the storage. Gets or sets the Secret Key of the storage. Gets or sets the Bucket name of the storage. Gets or sets the SubFolderStructureof of the uploaded file. If it is set creates a virtual directory on the storage. Gets or sets the EnsureContainer. If it is set to true creates the bucket if does not exists. The time after the files are deleted from the storage if they are not processed. Default time is 4 hours. Gets or sets the uploaded PartETag after a chunk is uploaded. It is used to assemble the file after all chunks are uploaded. Gets or sets the AmazonS3Client. In case that EnsureWebClient method is overrided the AmazonS3Client should be set to the new instance. Uploads files at once. Use this method to upload files less than 64mb. Uploads current chunk of the file. It is used when the file is more than 2MB. Contains the part number and the key name. string partNumber = config["partNumber"]; string keyName = config["keyName"]; The content of the uploaded chunk. Used by the callback mechanism to deletes the files after certain time (UncommitedFilesExpirationPeriod) if they are not processed. Name under which the file is uploaded to the storage. Assembles all of the uploaded chunks into a file in storage. Contains the last part number and the key name. string lastPartNumber = config["lastPartNumber"]; string keyName = config["keyName"]; Meta data associated with the current upload. Invoked after all of the chunks are uploaded. By the last part number it is possible to create the block list needed to assemble the chunks. var blockList = Enumerable.Range(1, int.Parse(lastPartNumber)).ToList<int>().ConvertAll(rangeElement => Convert.ToBase64String(Encoding.UTF8.GetBytes(string.Format(CultureInfo.InvariantCulture, "{0:D4}", rangeElement)))); Ensures that the set container will be created if it does not exists. Use this method to upload files over than 64mb. This method will upload the file on chunks. Use this method to upload files less than 64mb. Creates blobs container. Creates CloudBlobContainer used by the provider to upload files. If the method is overridden set the newly created blob cloud container to the StorageContainer property. Initialize all of the public properties. Name of the provider associated in the web.config Contains all of the settings declared as attributes in the web.config If the method is overridden make sure that all of the public properties are set properly. Gets or sets the AccountKey of the storage Gets or sets the AccountName of the storage Gets or sets the BlobContainer name of the storage Gets or sets the SubFolderStructureof of the uploaded file. If it is set creates a virtual directory on the storage. Gets or sets the EnsureContainer. If it is set to true creates the blob container if does not exists. The time after the files are deleted from the storage if they are not processed. Default time is 4 hours. Gets or sets the default endpoint protocol. Gets or sets the cloud blob container. Uploads the file with single request. Unique name under which the file will be uploaded to the storage. This avoids file replacement. Meta data associated with the current upload. The content of the uploaded file. Not Implemented Deletes file by FileID. FileID of the uploaded file. Not Implemented This method has no implementation Initialize all of the public properties. Name of the provider associated in the web.config Contains all of the settings declared as attributes in the web.config If the method is overridden make sure that all of the public properties are set properly. Creates EverliveApp used by the provider to upload files. If the method is overridden set the newly created everlive app object to the EverliveAppClient property. Gets or sets the ApiKey of the application. Gets or sets the SubFolderStructureof of the uploaded file. If it is set creates a virtual directory on the storage. The time after the files are deleted from the storage if they are not processed. Default time is 4 hours. Gets the ID under which the file is stored. Gets or sets the EverliveAppClient This class represents a generic state menaged collection of web controls. Gets the index of a CollectionItem. Inserts a CollectionItem. Removes a CollectionItem by index. Adds a CollectionItem to the collection. Copies the items of ICollection to Array. The array. Index of the array. Removes the specified item. The CollectionItem item. Gets the CollectionItem at the specified index in the current collection. Gets the IsReadOnly. The IsReadOnly. The attributes are cached for performance reasons, otherwise we should traverse the assembly each time a control is rendered. Wrapper on top of the class. During serialization special markers are removed around JSON values marked as Script by the Gets the script references for a type Describes an object to a IScriptDescriptor based on its reflected properties and methods The object to be described The script descriptor to fill The object used to resolve urls The object used to resolve control references Gets the script references for a type Gets the script references for a type Gets the embedded css file references for a type Register's the Css references for this control Executes a callback capable method on a control ScriptReference objects aren't immutable. The AJAX core adds context to them, so we cant' reuse them. Therefore, we track only ReferenceEntries internally and then convert them to NEW ScriptReference objects on-demand. Gets the script references for a type and walks the type's dependencies with circular-reference checking Gets the css references for a type and walks the type's dependencies with circular-reference checking Contains information about the version of Telerik.Web.UI Provides information on which is the current version of Telerik.Web.UI Returns the current version as a string - e.g. 2013.3.1015 Clientside implementation of visual element resize functionality Clientside implementation of visual element resize functionality Clientside implementation of visual element resize functionality Script loader for polling on a certain condition on the client side. The interface implemened from all events. Override to fire the corresponding command. The source control which fires the command. Gets or sets a value, defining whether the command should be canceled. The event arguments passed when fires Command event. Override to fire the corresponding command. The source control which fires the command. Gets or sets the which was responsible for firing the event. The which was responsible for firing the event. Gets or sets the event source which represent the control which fired the event. The event source which represent the control which fired the event. Gets or sets a value, defining whether the command should be canceled. A value, defining whether the command should be canceled. For internal usage only. The event arguments passed when fires DataChange event. Gets or sets the rows affected by the change. The affected rows. Gets or sets the exception which could be thrown during the changing of the data. Otherwise the value is null. The exception which could be thrown during the changing of the data. Otherwise the value is null. Gets or sets the item which initiated the change. The item which initiated the change. Gets or sets if the thrown expcetion is handled. The value representing if the thrown exception is handeled. The event arguments passed when fires Deleted event. The event arguments passed when fires Updated event. Gets or sets if the will remain in edit mode or will be closed. Determines if the will remain in edit mode or will be closed. Gets or sets if the will remain in insert mode or will be closed. Determines if the will remain in insert mode or will be closed. The event arguments passed when fires NeedDataSource event. Gets or sets the rebind reason enumeration determining the reason for the call to Rebind. The rebind reason. The event arguments passed when fires PageChanged event during paging. Executes the corresponding command. The source control which fires the command. Gets or sets the new PageIndex value. The new PageIndex value. Cannot perform this operation when DataSource is not assigned source is null. source is null. source is null. predicate is null. Represents an individual data item in a control. Represents an individual item in a control. Use this method to simulate item command event that bubbles to and can be handled automatically or in a custom manner, handling .ItemCommand event. command to bubble, for example 'Page' command argument, for example 'Next' Gets or sets the type of the item which represents enumeration and determines for what the item is used. The type of the item which represents enumeration and determines for what the item is used. Gets or sets the owner of the item. The owner of the item. Gets a value indicating whether the item is in edit mode at the moment. Get the DataKeyValues from the owner with the corresponding item and . The should be one of the specified in the array data key name data key value Extracts values from this instance and appends them to passed collection This is dictionary to fill, this parameter should not be null newValues is null. Updates properties of the passed object instance from current 's extracted values object to be updated objectToUpdate is null. When implemented, gets an object that is used in simplified data-binding operations. An object that represents the value to use when data-binding operations are performed. Gets the index of the data item bound to a control. An Integer representing the index of the data item in the data source. Gets the position of the data item as displayed in a control. An Integer representing the position of the data item as displayed in a control. Sets the Item in edit mode. Requires to rebind. Gets the old value of the edited item Represents an editable item Creates instance of RadDataFormEditableItem instance which owns the item index at which the item is located on the current page Gets a value indicating whether the item is in edit mode at the moment. The interface implemented by the determining if the is insert item. Represents an insert item representing empty item which will be shown when no records are returned as DataSource for . Represents an item which is rendered when 's data source is empty Creates new instance of RadDataFormEmptyDataItem Specifies the function of an item in the control. is designed to give your the freedom to specify predefined or customized type of layout for the items displayed in the control and in the same time gives you integrated paging and editing. You can embed various controls of your choice in RadDataForm's templates and model their appearance in a custom manner. Thanks to its innovative architecture is extremely fast and generates very little output. RadDataForm class is designed to give your the freedom to specify predefined or customized type of layout for the items displayed in the control and in the same time gives you integrated paging and editing capabilities. You can embed various controls of your choice in RadDataForm's templates and model their appearance in a custom manner. Thanks to its innovative architecture is extremely fast and generates very little output. Use this from RenderContents of the inheritor Code moved into this method from OnPreRender to make sure it executed when the framework skips OnPreRender() for some reason Registers the control with the ScriptManager Registers the CSS references Loads the client state data Saves the client state data Returns the names of all embedded skins. Used by Telerik.Web.Examples. Executed when post data is loaded from the request Executed when post data changes should invoke a changed event Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Returns true if ripple effect should be added For internal use. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets the real skin name for the control user interface. If Skin is not set, returns "Default", otherwise returns Skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto The CssClass property will now be used instead of the former Skin and will be modified in AddAttributesToRender() protected override string CssClassFormatString { get { return "RadDock RadDock_{0} rdWTitle rdWFooter"; } } This property is overridden in order to support controls which implement INamingContainer. The default value is changed to "AutoID". Gets or sets the access key that allows you to quickly navigate to the Web server control. The access key for quick navigation to the Web server control. The default value is , which indicates that this property is not set. The specified access key is neither null, nor a single character string. Gets or sets the background color of the Web server control. A that represents the background color of the control. The default is , which indicates that this property is not set. Gets or sets the border color of the Web control. A that represents the border color of the control. The default is , which indicates that this property is not set. Gets or sets the border style of the Web server control. One of the enumeration values. The default is NotSet. Gets or sets the border width of the Web server control. A that represents the border width of a Web server control. The default value is , which indicates that this property is not set. The specified border width is a negative value. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets a value indicating whether themes apply to this control. true to use themes; otherwise, false. The default is true. The Page_PreInit event has already occurred.- or -The control has already been added to the Controls collection. Gets or sets the foreground color (typically the color of the text) of the Web server control. A that represents the foreground color of the control. The default is . Gets the font properties associated with the Web server control. A that represents the font properties of the Web server control. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets the skin to apply to the control. The name of the skin to apply to the control. The default is . The skin specified in the property does not exist in the theme. Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . Gets or sets the name of the list of data that the data-bound control binds to, in cases where the data source contains more than one distinct list of data items. The name of the specific list of data that the data-bound control binds to, if more than one list is supplied by a data source control. The default value is . Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Gets or sets the object from which the data-bound control retrieves its list of data items. An object that represents the data source from which the data-bound control retrieves its data. The default is null. Gets or sets the ID of the control from which the data-bound control retrieves its list of data items. The ID of a control that represents the data source from which the data-bound control retrieves its data. Interface that should be implemented in order to enable to page the class which implements the interface. Method for settings paging properties of the pageable container The index of the first record on the page. The maximum number of items on a single page. true to rebind the control after the properties are set; otherwise, false. Occurs when the data from the data source is made available to the control. The maximum number of items to display on a single page The index of the first record that is displayed on a page When overridden in an abstract class, creates the control hierarchy that is used to render the composite data-bound control based on the values from the specified data source. The number of items created by the . An that contains the values to bind to the control. true to indicate that the is called during data binding; otherwise, false. The control does not have an item placeholder specified. Creates a default object used by the data-bound control if no arguments are specified. A initialized to . Binds the data from the data source to the composite data-bound control. An that contains the values to bind to the composite data-bound control. InvalidOperationException. The RadDataForm control does not have an InsertItemTemplate template specified. There was a problem extracting DataKeyValues from the DataSource. Please ensure that DataKeyNames are specified correctly and all fields specified exist in the DataSource. InvalidOperationException. The RadDataForm control does not have an item placeholder specified. InvalidOperationException. Creates and instantiate layout template instance Created controls count Saves any control state changes that have occurred since the time the page was posted back to the server. Returns the 's current state. If there is no state associated with the control, this method returns null. Restores control-state information from a previous page request that was saved by the method. An that represents the control state to be restored. maximumRows is out of range. startRowIndex is out of range. Raises event Raises event Raises event Raises the event. Raises the event. Raises the event. Raises the event. Raises event Removes all edit items that belong to the instance. Handles the event. An object that contains the event data. Handles the event. An object that contains event data. Renders the to the specified HTML writer. The object that receives the control content. You should not call DataBind in event handler. DataBind would take place automatically right after handler finishes execution. Rebinds this instance and updates the . The passed object (like for example) will be filled with the names/values of the corresponding 's bound values and data-key values if included. dataItem is null. newValues is null. Perform asynchronous update operation, using the control API and the Rebind method. Please, make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. Perform asynchronous update operation, using the control API. Please make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. The boolean property defines if will after the update. editedItem is null. Perform asynchronous delete operation Perform delete operation, using the API. Please make sure you have specified the correct for the . Places the RadDataForm in insert mode, allowing user to insert a new data-item values. Places the RadDataForm in insert mode, allowing user to insert a new data-item values. Places the RadDataForm in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to values found in defaultValues dictionary; values with which InsertItem will be populated Places the RadDataForm in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to values found in defaultValues dictionary; position at which the insertItem will be shown values with which InsertItem will be populated Places the RadDataForm in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to the provided object; object to which InsertItem will be bound Places the RadDataForm in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to the provided object; position at which the insertItem will be shown object to which InsertItem will be bound Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. Insert item is available only when RadDataForm is in insert mode. Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. insertItem is null. container is null. -or- propName is null or an empty string (""). The object in container does not have the property specified by propName. InvalidOperationException. Gets or sets the custom content for the root container in a control. Gets or sets the custom content for the data item in a control. Gets or sets the custom content for the item in edit mode. An object that contains the custom content for the item in edit mode. The default is null, which indicates that this property is not set. Gets or sets the custom content for an insert item in the control. Gets or sets the ID for the item placeholder in a control. The ID for the item placeholder in a control. The default is "itemPlaceholder". Gets a collection of objects that represent the data items of the current page of data in a control. Gets or sets the Template that will be displayed if there are no records in the DataSource assigned. Gets or sets an array of data-field names that will be used to populate the collection, when the control is databinding. Gets collection of data key values. The collection of data key values. Gets or sets a value indicating the index of the currently active page in case paging is enabled ( is true). The index of the currently active page in case paging is enabled. AllowPaging Property value is out of range. Gets or sets a value indicating if the RadDataForm is currently in insert mode. true, if the RadDataForm is currently in insert mode; otherwise, false. The ItemInserted property indicates if the RadDataForm is currently in insert mode. After setting it you should call the method. Specify the maximum number of items that would appear in a page, when paging is enabled by property. Default value is 10. value is out of range. Gets the number of pages required to display the records of the data source in a control. value is out of range. Raised when is created Raised when is created Raised when is data bound Raised when a button in a control is clicked. Fires when a paging action has been performed. Occurs when an insert operation is requested, but before the control performs the insert. Occurs when an insert operation is requested, after the control has inserted the item in the data source. Occurs when an edit operation is requested, but before the item is put in edit mode Occurs when a delete operation is requested, but before the control deletes the item. Occurs when a delete operation is requested, after the control deletes the item. Occurs when the Update command is fired from any Occurs when the Update command is fired from any Occurs when the Cancel command is fired from any Raised when the is about to be bound and the data source must be assigned. Gets or sets a value indicating whether the automatic paging feature is enabled. Gets or sets if the custom paging feature is enabled. Gets a reference to the object that allows you to set the properties of the validate operation in a control. Gets the edit indexes which represent the indexes of the items that are currenly in edit mode. The edit indexes which represent the indexes of the items that are currenly in edit mode. Gets or sets a value that indicates whether empty string values ("") are automatically converted to null values when the data field is updated in the data source. Gets or sets the location of the template when it is rendered as part of the control. Gets the insert item of a control. Gets or sets ID of RadClientDataSource control that to be used for client side binding Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik control. RenderWrapper property determines if the LayoutTemplate should be wrapped inside Div element with ID of the DataForm Collection holding items of type used in Items collection. A collection holding items of type . It is used in to hold different item collections. Class representing a collection of data key values. Copies all the elements of the current one-dimensional Array to the specified one-dimensional Array. The array to be coppied. The index where it will be copied. Gets the number of elements contained in the . The number of elements contained in the . Gets an object that can be used to synchronize access to the . An object that can be used to synchronize access to the . Gets a value indicating whether access to the is synchronized (thread safe). true if access to the is synchronized (thread safe); otherwise, false. Collection containing integer values representing the ItemIndex property. Adds the specified item index. The item index. Specifies the location of the InsertItemTemplate template when it is rendered as part of the control. Provides data for the ItemCreated and ItemDataBound events. Initializes a new instance of the RadDataFormItemEventArgs class. The item being created or data-bound. Enumeration determining the reason for the call to Rebind. Provides a type converter to convert a string of comma-separated values to and from an array of strings for the . Represents a various validation setting of control Gets or sets a value that specifies whether validation is performed when the editor is set to validate when a postback occurs. A value that specifies whether validation is performed when the editor is set to validate when a postback occurs. Gets or sets a value that indicates whether a validator control will handle exceptions that occur during insert or update operations. A value that indicates whether a validator control will handle exceptions that occur during insert or update operations. Gets or sets the group of controls for which the control causes validation when it posts back to the server. The group of controls for which the control causes validation when it posts back to the server.. Gets or sets the commands to validate representing comma delimited list of command names. The commands to validate representing comma delimited list of command names. Class which holds properties for setting the client-side events. This client-side event is fired after the is created. This client-side event is fired before the is created. This client-side event is fired when object is destroyed, i.e. on each window.onunload This client-side event is fired when a RadDataForm command occurs. Class holding all settings associated with client-side functionlity for the . Gets a reference to class. Defines the content configuration. The color of the connection content text. The font family of the connection content text. The font size of the connection content text. The font style of the connection content text. The font weight of the connection content text. The template which renders the labels.The fields which can be used in the template are: The static text displayed on the connection. A function returning a visual element to render for the content of a connection. Serialization JS converter class for ConnectionContent Defines the defaults of the connections. Whenever a connection is created, the specified connectionDefaults will be used and merged with the (optional) configuration passed through the connection creation method. Defines the label displayed on the connection path. Enable editing for connections by default. Defines the editable configuration by default. The end cap (arrow, head or decoration) of the connection. The connection end cap configuration or type name. Specifies the name of the source shape connector that should be used by default. Defines the hover configuration. Specifies if the connection can be selected. Defines the connection selection configuration. The start cap (arrow, head or decoration) of the connection. The connection start cap configuration or type name. Defines the stroke configuration. Specifies the name of the target shape connector that should be used by default. The type of the connection that defines the way it routes. Serialization JS converter class for ConnectionDefaults The end cap (arrow, head or decoration) of the connection. no cap a filled arrow a filled circle Defines the settings for the source shape. Id of the shape object. Defines a specific connector from the shape to connect to. Serialization JS converter class for ConnectionEndPoint Defines the hover configuration. Defines the hovered stroke configuration. Serialization JS converter class for ConnectionHover The start cap (arrow, head or decoration) of the connection. no cap a filled arrow a filled circle Defines the stroke configuration. Defines the highlight color when the pointer is hovering over the connection. Defines the thickness or width of the connection's stroke. The dash type of the connection. Serialization JS converter class for ConnectionStroke The type of the connection that defines the way it routes. Connects the defined intermediate points of the connection. If no intermediate points are defined, just connects the endpoints. Discards given intermediate points and defines a cascading path between the endpoints of the connection. Defines default options for the shape connectors. Defines the width of the shape connectors. Defines the height of the shape connectors. Defines the hover configuration of the shape connectors. Defines the fill options of the shape connectors. Defines the fill options of the shape connectors. Defines the stroke options of the shape connectors. Defines the stroke options of the shape connectors. Serialization JS converter class for ConnectorDefaults Defines a specific connector from the shape to connect to. Connector positioned in the center of the shape. Connector positioned in the middle of the topside of the shape. Connector positioned an the top-left corner of the shape. Connector positioned an the top-right corner of the shape. Connector positioned in the middle of the left side of the shape. Connector positioned in the middle of the right side of the shape. Connector positioned in the middle of the bottom side of the shape. Connector positioned an the bottom-left corner of the shape. Connector positioned an the bottom-left corner of the shape. Defines the label displayed on the connection path. The alignment of the text inside the shape. The color of the shape content text. The font family of the shape content text. The font size of the shape content text. The font style of the shape content text. The font weight of the shape content text. The template which renders the labels.The fields which can be used in the template are: The text displayed in the shape. Define rich-text content using Html syntax Serialization JS converter class for Content Defines the client events handlers. Defines the client events handlers. Fired when the diagram control is loaded on the page Fired when the user adds new shape or connection.The event handler function context (available via the this keyword) will be set to the widget instance. Fired when the user clicks the "cancel" button in the popup window in case the item was added via a toolbar. Fired when an item is added or removed to/from the diagram. Fired when the user clicks on a shape or a connection. Fired when the widget is bound to data from dataDource and connectionsDataSource.The event handler function context (available via the this keyword) will be set to the widget instance. Fired when dragging shapes or connection. Fired after finishing dragging shapes or connection. Fired before starting dragging shapes or connection. Fired when the user edits a shape or connection. Fired when the location or size of a shape are changed. Fired when a shape is rotated. Fired when the mouse enters a shape or a connection.Will not fire for disabled items. Fired when the mouse leaves a shape or a connection.Will not fire for disabled items. Fired when the user pans the diagram. Fired when the user removes a shape or connection. Fired when the user saved a shape or a connection. Fired when the user selects one or more items. Fired when the user clicks an item in the toolbar. Fired when the user changes the diagram zoom level. Fired when the user starts changing the diagram zoom level. Defines RadDiagram binding settings Defines the DataFields binding to the DiagramShape's properties Defines the DataFields binding to the DiagramConnection's properties Gets or sets the DataField for Telerik.Web.UI.DiagramConnection.StartCap Gets or sets the DataField for Telerik.Web.UI.DiagramConnection.EndCap Gets or sets the DataField for Telerik.Web.UI.DiagramConnection.FromSettings.Connector Gets or sets the FataField for Telerik.Web.UI.DiagramConnection.ToSettings.Connector Gets or sets the FataField for Telerik.Web.UI.DiagramConnection.FromSettings.ShapeId Gets or sets the FataField for Telerik.Web.UI.DiagramConnection.ToSettings.ShapeId Gets or sets the FataField for Telerik.Web.UI.DiagramConnection.StrokeSettings.Color Gets or sets the DataField for Telerik.Web.UI.DiagramConnection.HoverSettings.StrokeSettings.Color Encapsulates data for RadDiagram's ItemDataBound event. Gets the DataItem holding the information for the current item. Gets the Item being data bound. Gets the type of the current item. Returns Shape when the item is of type or Connection when the item is of type Defines the DataFields binding to the DiagramShape's properties Gets or sets the DataField for Telerik.Web.UI.DiagramShape.X Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Y Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Width Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Height Gets or sets the DataField for Telerik.Web.UI.DiagramShape.MinWidth Gets or sets the DataField for Telerik.Web.UI.DiagramShape.MinHeight Gets or sets the DataField for Telerik.Web.UI.DiagramShape.FillSettings.Color Gets or sets the DataField for Telerik.Web.UI.Diagram.ShapeContent.Text Gets or sets the DataField for Telerik.Web.UI.Diagram.ShapeContent.Align Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Id Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Path Gets or sets the DataField for Telerik.Web.UI.DiagramShape.Type Gets or sets the DataField for Telerik.Web.UI.DiagramShape.HoverSettings.FillSettings.Color Gets or sets the DataField for Telerik.Web.UI.DiagramShape.RotationSettings.Angle Gets or sets the DataField for Telerik.Web.UI.DiagramShape.StrokeSettings.Color Gets or sets the DataField for Telerik.Web.UI.DiagramShape.StrokeSettings.DashType Gets or sets the DataField for Telerik.Web.UI.DiagramShape.StrokeSettings.Width Defines the connections configuration. The unique identifier for a Connection. Defines the content configuration. Enable connection editing Specifies editable properties for connections Specifies the name of the source shape connector that should be used by default. The absolute point (X-coordinate), if any, that the connection is originating from. The absolute point (Y-coordinate), if any, that the connection is originating from. Defines the stroke configuration. Defines the hover configuration. The start cap (arrow, head or decoration) of the connection. The connection start cap configuration or type name. The end cap (arrow, head or decoration) of the connection. The connection end cap configuration or type name. Sets the intermediate points (in global coordinates) of the connection. Specifies if the connection can be selected. Specifies the name of the target shape connector that should be used by default. The absolute point (X-coordinate), if any, that the connection is pointing to. The absolute point (Y-coordinate), if any, that the connection is pointing to. The type of the connection that defines the way it routes. Defines the settings for the source shape. Defines the settings for the target shape. Serialization JS converter class for DiagramConnection Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: The name of the tool. The built-in tools are "edit" and "delete". Serialization JS converter class for DiagramConnectionEditableTool Sets the intermediate points (in global coordinates) of the connection. It's important to note that currently these points cannot be manipulated in the interface. Sets the X coordinate of the point. Sets the Y coordinate of the point. Serialization JS converter class for DiagramConnectionPoint Defines the editable configuration. Specifies the connection editor template which shows up when editing the connection via a pop-up editor much like 'editable.template' configuration of the Kendo UI Grid widget. Specifies if the shapes and connections can be dragged. Specifies if the shapes and connections can be dragged. Specifies if the shapes and connections can be removed. Defines the look-and-feel of the resizing handles. Defines the look-and-feel of the resizing handles. Specifies whether the shapes can be rotated. Note that changing this setting after creating the diagram will have no effect. Specifies whether the shapes can be rotated. Note that changing this setting after creating the diagram will have no effect. Specifies the shape editor template. See the 'editable.connectionTemplate' for an example. Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: Serialization JS converter class for DiagramEditable Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: The name of the tool. The built-in tools are "edit", "createShape", "createConnection", "undo", "redo", "rotateClockwise" and "rotateAnticlockwise". The step of the rotateClockwise and rotateAnticlockwise tools. Serialization JS converter class for DiagramEditableTool The array of gradient color stops. The stop offset from the start of the element. Ranges from 0 (start of gradient) to 1 (end of gradient). The color in any of the following formats.| Format | Description | --- | --- | --- | red | Basic or Extended CSS Color name | #ff0000 | Hex RGB value | rgb(255, 0, 0) | RGB valueSpecifying 'none', 'transparent' or '' (empty string) will clear the fill. The fill opacity. Ranges from 0 (completely transparent) to 1 (completely opaque). Serialization JS converter class for DiagramGradientStop Define the grid layout of the Diagram. The content is divided into components that are arranged in a grid layout according to the provided settings. Defines the horizontal spacing between each component. The default is 50. Defines the vertical spacing between each component. The default is 50. Defines the left offset of the grid layout. The default is 50. Defines the top offset of the grid layout. The default is 50. Defines the width of the grid. The bigger this parameter the more components will be organized in an horizontal row. How many components really depends on your diagram and they type of layout applied to each component. The default is set to 800. Serialization JS converter class for DiagramGrid Defines the diagram's Layout settings Defines where the circle/arc ends. The positive direction is clockwise and the angle is in degrees. This setting is specific to the radial tree layout. Define the grid layout of the Diagram. The content is divided into components that are arranged in a grid layout according to the provided settings. Either the distance between the siblings if the tree is up/down or between levels if the tree is left/right. In tipOver tree layout this setting is used only for the direct children of the root The number of times that all the forces in the diagram are being calculated and balanced. The default is set at 300, which should be enough for diagrams up to a hundred nodes. By increasing this parameter you increase the correctness of the simulation but it does not always lead to a more stable topology. In some situations a diagram simply does not have a stable minimum energy state and oscillates (globally or locally) between the minima. In such a situation increasing the iterations will not result in a better topology.In situations where there is enough symmetry in the diagram the increased number of iterations does lead to a better layout. In the example below the 100 iterations was not enough to bring the grid to a stable state while 300 iterations did bring all the nodes in such a position that the (virtual) energy of the diagram is a minimum.This setting is specific to the force-directed layout The height (in a vertical layout) or width (in a horizontal layout) between the layers. In the force-directed layout this setting defines the optimal length between 2 nodes, which directly correlates to the state of the link between them. If a link is longer than there will be a force pulling the nodes together, if the link is shorter the force will push the nodes apart. The optimal length is more and indication in the algorithm than a guarantee that all nodes will be at this distance. The result of the layout is really a combination of the incidence structure of the diagram, the initial topology (positions of the nodes) and the number of iterations.In the layered layout it defines the minimum distance between nodes on the same level. Due to the nature of the algorithm this distance will only be respected if the the whole crossing of links and optimimzation does not induce a shift of the siblings.This setting is specific to the force-directed layout and layered layout Controls the distance between the root and the immediate children of the root. This setting is specific to the radial tree layout. Defines the radial separation between the levels (except the first one which is defined by the aforementioned radialFirstLevelSeparation). This setting is specific to the radial tree layout. Defines where the circle/arc starts. The positive direction is clockwise and the angle is in degrees. This setting is specific to the radial tree layout. The subtype further defines the layout type by specifying in greater detail the behaviour expected by the layout algorithm. Specifies the start level when the subtype is tipOver. The type of the layout algorythm to use. Defines the horizontal offset from a child with respect to its parent. This setting is specific to the tipOver tree layout. Defines the vertical separation between siblings and sub-branches. This setting is specific to the tipOver tree layout. Defines the vertical separation between a parent and its first child. This offsets the whole set of children with respect to its parent. This setting is specific to the tipOver tree layout. Either the distance between levels if the tree is up/down or between siblings if the tree is left/right. This property is not used in tipOver tree layout but rather replaced with three additional ones - underneathVerticalTopOffset, underneathVerticalSeparation and underneathHorizontalOffset Gets or Sets whether the Layout should be applied to the diagram. Serialization JS converter class for DiagramLayout Defines the settings for the client-side Pdf export. The author of the PDF document. The creator of the PDF document. The date when the PDF document is created. Defaults to new Date(). Specifies the file name of the exported PDF file. If set to true, the content will be forwarded to proxyURL even if the browser supports saving files locally. Specifies the keywords of the exported PDF file. Set to true to reverse the paper dimensions if needed such that width is the larger edge. Specifies the margins of the page (numbers or strings with units). Supported units are "mm", "cm", "in" and "pt" (default). Specifies the paper size of the PDF document. The default "auto" means paper size is determined by content.Supported values: The URL of the server side proxy which will stream the file to the end user.A proxy will be used when the browser isn't capable of saving files locally. Such browsers are IE version 9 and lower and Safari.The developer is responsible for implementing the server-side proxy.The proxy will receive a POST request with the following parameters in the request body:The proxy should return the decoded file with set "Content-Disposition" header. Sets the subject of the PDF file. Sets the title of the PDF file. Serialization JS converter class for DiagramPdf Defines the shape options. The unique identifier for a Shape. Specifies editable properties for shapes Specifies editable properties for shapes The path option of a Shape is a description of a custom geometry. The format follows the standard SVG format (http://www.w3.org/TR/SVG/paths.html#PathData "SVG Path data."). Defines the stroke configuration. Specifies the type of the Shape using any of the built-in shape type. Defines the x-coordinate of the shape when added to the diagram. Defines the y-coordinate of the shape when added to the diagram. Defines the minimum width the shape should have, i.e. it cannot be resized to a value smaller than the given one. Defines the minimum height the shape should have, i.e. it cannot be resized to a value smaller than the given one. Defines the width of the shape when added to the diagram. Defines the height of the shape when added to the diagram. Defines the fill options of the shape. Defines the fill options of the shape. Defines the hover configuration. Defines the connectors the shape owns. Defines the rotation applied to the shape. Defines the shapes content settings. Specifies if the shape can be selected. A function returning a visual element to render for this shape. Defines default options for the shape connectors. Defines the connectors the shape owns.You can easily define your own custom connectors or mix-match with the above defined custom connectors.Example - custom shape with custom connectorsThe following defines a custom shape with connectors adapted to the shape's outline. Note in particular the various helpful methods (right(), left(), top()) to define positions relative to the shape. The connector name. Predefined names include: The connector description. The function that positions the connector. Serialization JS converter class for DiagramShapeConnector Serialization JS converter class for DiagramShape Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: The name of the tool. The built-in tools are "edit", "delete", "rotateClockwise" and "rotateAnticlockwise". Serialization JS converter class for DiagramShapeEditableTool Defines the editable configuration by default. Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: Specifies if the shapes and connections can be dragged. Specifies the shapes drag snap options. Specifies the shapes drag snap options. Serialization JS converter class for Drag Serialization JS converter class for ConnectionEditable The connection end cap configuration or type name. The connection end cap fill options or color. The connection end cap fill options or color. The connection end cap stroke options or color. The connection end cap stroke options or color. The type of end cap (arrow, head or decoration) of the connection. Serialization JS converter class for EndCap Defines the fill options. Defines the fill color of the shape connectors. Defines the fill opacity of the shape connectors. Serialization JS converter class for Fill Defines the gradient fill of the shape. The center of the radial gradient.Coordinates are relative to the shape bounding box. For example [0, 0] is top left and [1, 1] is bottom right. The radius of the radial gradient relative to the shape bounding box. The start point of the linear gradient.Coordinates are relative to the shape bounding box. For example [0, 0] is top left and [1, 1] is bottom right. The end point of the linear gradient.Coordinates are relative to the shape bounding box. For example [0, 0] is top left and [1, 1] is bottom right. The array of gradient color stops. Define the type of the gradient. Serialization JS converter class for Gradient Define the type of the gradient. linear gradient type radial gradient type Defines the connection selection handles configuration. Specifies the fill settings of the resizing handles. See the editable.resize configuration for an example. Specifies the fill settings of the resizing handles. See the editable.resize configuration for an example. Specifies the height of the resizing handles. See the editable.resize configuration for an example. Specifies the settings of the resizing handles on hovering over them. See the editable.resize configuration for an example. Specifies the stroke of the resizing handles. See the editable.resize configuration for an example. Specifies the width of the resizing handles. See the editable.resize configuration for an example. Serialization JS converter class for Handles Specifies the settings of the resizing handles on hovering over them. See the editable.resize configuration for an example. Defines the hover fill options of the shape connectors. Defines the hover fill options of the shape connectors. Defines the hover stroke options of the shape connectors. Defines the hover stroke options of the shape connectors. Serialization JS converter class for Hover The subtype further defines the layout type by specifying in greater detail the behaviour expected by the layout algorithm. tree layout specific subtype. The tree is arranged with the root at the top and its children downwards. tree layout specific subtype. The tree is arranged with the root at the bottom and its children upwards. tree layout specific subtype. The tree is arranged with the root at the left and its children sideways to the right. tree layout specific subtype. The tree is arranged with the root at the right and its children sideways to the left. tree layout specific subtype. The root sits at the center and its children are spread equally to the left and right. tree layout specific subtype. The root sits at the center and its children are spread equally above and below. tree layout specific subtype. The root sits at the center and its children are spread radially around. tree layout specific subtype. A special version of the tree-down layout where the grand-children (and iteratively) are arranged vertically while the direct children are arranged horizontally. This arrangement has the advantage that it doesn't spread as much as the classic tree-down layout. See below for a concrete example. layered layout specific subtype. The preferred direction of the links is horizontal. layered layout specific subtype. The preferred direction of the links is vertical. The type of the layout algorythm to use. organizes a diagram in a hierarchical way and is typically used in organizational representations. The force-directed layout algorithm (also known as the spring-embedder algorithm) is based on a physical simulation of forces acting on the nodes whereby the links define whether two nodes act upon each other. Each link effectively is like a spring embedded in the diagram. The simulation attempts to find a minimum energy state in such a way that the springs are in their base-state and thus do not pull or push any (linked) node. Layered graph layout is a type of graph layout in which the nodes of a (directed) graph are drawn in horizontal or vertical layers with the links directed in the complementary direction. It is also known as Sugiyama or hierarchical graph layout. When the graph is a tree the layout reduces to a standard tree layout and thus can be considered as an extension to the classic tree layout. Specifies the margins of the page (numbers or strings with units). Supported units are "mm", "cm", "in" and "pt" (default). The bottom margin. Numbers are considered as "pt" units. The left margin. Numbers are considered as "pt" units. The right margin. Numbers are considered as "pt" units. The top margin. Numbers are considered as "pt" units. Serialization JS converter class for Margin Defines the pannable modifier key. No activation key The activation key will be "ctrl" The activation key will be "shift" The activation key will be "alt" Defines the pannable options. Defines the pannable modifier key. Serialization JS converter class for Pannable Defines the defaults of the connections. Whenever a connection is created, the specified connectionDefaults will be used and merged with the (optional) configuration passed through the connection creation method. Defines the connections configuration. Enable editing of the diagram. Defines the editable configuration. Defines the diagram's Layout settings Defines the pannable options. Defines the pannable options. Defines the settings for the client-side Pdf export. Defines the selectable options. Defines the selectable options. Defines the shape options. Defines the shape options. The template which renders the content of the shape when bound to a dataSource. The names you can use in the template correspond to the properties used in the dataSource. See the dataSource topic below for a concrete example. The zoom level in percentages. The zoom max level in percentages. The zoom min level in percentages. The zoom step when using the mouse-wheel to zoom in or out. Defines the client events handlers. Defines Data Binding Settings for RadDiagram Gets or sets the object from which RadDiagram retrieves its ConnectionsCollection. The data source object should be of a type that implements Gets or sets the ID of the control from which the diagram control retrieves its list of connection data items. The ID of a control that represents the data source from which the data bound control retrieves its data. The RadClientDataSource ID that fetches the connections for the Diagram Occurs when item is created during data binding. You can use the ItemDataBound event to set additional properties of the data bound items. The event occurs when an item is created during data binding. A reference to the current instance. An instance of providing information for the current item. Defines the default fill options of the shape. Defines the fill color of the shape. Defines the fill opacity of the shape. Defines the gradient fill of the shape. Serialization JS converter class for ShapeFill Specifies the shapes drag snap options. Specifies the shapes drag snap size. Serialization JS converter class for Snap The connection start cap configuration or type name. The connection start cap fill options or color. The connection start cap fill options or color. The connection start cap stroke options or color. The connection start cap stroke options or color. The type of start cap (arrow, head or decoration) of the connection. Serialization JS converter class for StartCap Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. This control has no skin! This property will prevent the SkinRegistrar from registering the missing CSS references. Gets or sets a string containing the localization language for the RadEditor UI Gets or sets a value indicating where the editor will look for its dialogs. A relative path to the dialogs location. For example: "~/controls/RadEditorDialogs/". If specified, the ExternalDialogsPath property will allow you to customize and load the editor dialogs from normal ASCX files. Gets or sets a value indicating where the control will look for its .resx localization files. By default these files should be in the App_GlobalResources folder. However, if you cannot put the resource files in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource files. A relative path to the dialogs location. For example: "~/controls/RadEditorResources/". If specified, the LocalizationPath property will allow you to load the control localization files from any location in the web application. Enables or disables multiple item selection in the file browser dialogs. A Bool, specifying whether multiple item selection should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, will allow multiple files / folders to be selected and deleted / copied / moved. Also, if Insert button is clicked all the selected file items will be inserted in the editor's content area Text of the title in the Mobile Dialogs' TitleBar Client event for clicking the cancel button in the TitleBar Client event for clicking the cancel button in the TitleBar The prefix for each CssClass used by this control. For example if we are to use this in the RadEditor control, prefix shoudl be "re". The CssClass for the Button DOM element. The CssClass for the Icon DOM element. Text for the Ok Button. this text will appear as a title attribute. Text for the Cancel Button. This text will appear as a title attribute. This Class defined the DropDownTreeEntries event argument. Gets or sets the entries. The entries. Specifies the animation settings of the toolbar. Specifies the toolbar animation of the Editor. Gets or sets the type of animation that will be used for the current animation. Gets/Sets the duration of the animation in milliseconds. Sanitizer targeting specificly the Css expression property in IE browsers Perform the sanitizing of the input content The input presumably containing Css expression that would be stripped The sanitized content Represents a EditorContextMenuTool tool that is used to create nested context menus Represents a single RadEditor tool. Gets or sets a value indicating whether this is visible. true if visible; otherwise, false. Gets the custom attributes which will be serialized on the client. Initializes a new instance of the class. Initializes a new instance of the class. The name of the tool. Initializes a new instance of the class. The name of the tool. The shortcut for the tool. Throws an exception if the EditorTool has no name. Gets or sets a value indicating whether this is enabled. true if enabled; otherwise, false. Gets or sets the name. It will be used by RadEditor to find the command which should be executed when the user clicks this tool. The tool name. Gets or sets the title of the . The default ToolAdapter will render the value of this property as a tooltip or static text near the tool icon. The text. Gets or sets the keyboard shortcut which will invoke the associated RadEditor command. This property sets the tool's small icon for RibbonBar mode. This property sets the tool's large icon for RibbonBar mode. Gets or sets a value indicating whether the tool icon should be displayed. true if the tool icon should be displayed; otherwise, false. Gets or sets a value indicating whether the tool text should be displayed. true if the tool text should be displayed; otherwise, false. Gets or sets the type of the tool - by default it is a button The type of the tool on the client. Gets the collection of EditorTool objects, placed in this context menu instance. Gets or sets the CSS class that defines the icon of the tool Gets or sets the HeaderTool positon. Default value is Left. The position of the tool on the client. Adds the specified item. The item. Determines whether the collection contains the specified item. The item. true if the collection contains the specified item; otherwise, false. Copies the collection items to the specified array. Adds the specified items to the collection. Gets the index of the specified item. Inserts the specified item at the specified index. Removes the specified item. Removes the item at the specified index. The zero-based index of the item to remove. index is not a valid index in the . The is read-only.-or- The has a fixed size. Gets or sets the tool at the specified index. This property sets the tool name in the client script. This property instructs the tool to attach its own click handlers and not to rely on a tool adapter Find and Replace web control to handle the UI for the find and replace functionality in the adaptive Editor Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. Gets the collection containing the tabs. Specifies the EditorHeaderTool position. Position the EditorHeaderTool at the Left side of the HeaderToolbar. This is the default value. Position the EditorHeaderTool at Right side of the HeaderToolbar. Provides enumerated values to be used to indicate what element will be inserted when the [Enter] key is pressed. Insert a BR element. Insert a P (paragraph) element. Insert a DIV element. Provides enumerated values to be used to set the active content filters This enumeration has a FlagsAttribute attribute that allows a bitwise combination of its member values. Provides enumerated values to be used as paremeter in the GetHtml method. Doesn't strip anything. Strips all comments elments. As if track changes are accepted As if track changes are rejected Provides enumerated values to be used to set format cleaning options on paste. This enumeration has a FlagsAttribute attribute that allows a bitwise combination of its member values. Doesn't strip anything on paste, asks a question when MS Word formatting detected. Doesn't strip anything on paste and does not ask a question. Strips only MSWord related attributes and tags on paste. Strips the MSWord related attributes and tags and font tags on paste. Strips MSWord related attributes and tags, font tags and font size attributes on paste. Removes style attributes on paste. Removes Font tags on paste. Clears Span tags on paste. Clears all tags except "br" and new lines (\n) on paste. Converts Word ordered/unordered lists to HTML tags. Remove all HTML formatting on paste. Strips MSWord related attributes and tags, margin attributes on paste. Provides enumerated values to be used to set edit mode in RadEditor This enumeration has a FlagsAttribute attribute that allows a bitwise combination of its member values. Design mode. The default edit mode in RadEditor, where you could edit HTML in WYSIWYG fashion. HTML mode. Advanced edit mode where you could directly modify the HTML. Preview mode. In this mode RadEditor will display its content the same way as it should be displayed when placed outside of the control. Specifies the edit type of the Editor. Specifies the default edit type of the Editor. Specifies an edit mode that uses some features of the Editor only and is useful for inline editing of content. The enumerator that holds the possible values for the Animation property. No animation. Numeric value: 1 Shows the toolbar with a change of the opacity. This is the default value. Numeric value: 2 Summary description for ImportDocxSettings Gets or sets the document export level. The document export level. Gets or sets the styles export mode. The default value is . The styles export mode. Gets or sets the path to the file that will contain the external styles. Gets or sets the value that will be set as 'href' attribute of the 'link' element pointing to the file containing the external styles. Gets or sets the images export mode. The images export mode. Gets or sets the path to the folder that will contain the external image files. Gets or sets the base path that will be set as value to the 'src' attribute of the 'image' elements. Contains RadFlowDocument which will be exported in HTML Contains HtmlFormatProvider which will be used to export the RadFlowDocument in HTML Container of misc. import settings of RadEditor control Container of misc. settings for docx load/export This method is used to export the editor's content. This method is used to generate the output string, wich is generated based on the editor's content. Initializes the XmlContent property as the first step of the template. The XmlContent property can be used later in the GenerateOutput method. Generate xml string, which is loaded in the GetXmlDocument method. Make some validation modifications to the editor's content before loading it in the GetXmlDocument method. Fires OnExportEvent of the editor. Writes the string output to the editor's Page.Response property. Confugures the editor's Page.Response for writing. The editor object, set in the constructor. XmlDocument where the editor's content is loaded in the InitializeXmlContent method. The content type of the editor's Page.Response object. The extension of the exported file. The ExportType object passed as an argument in the EditorExportingArgs argumet, when editor's OnExport is fired. The Encoding used in WritePageResponse method. The default xml template string used in the GenerateXmlStirng method. {0} is the dtd, {1} is the title, {2} is the content. Represents document export level. Represents Html document export level. Represents Html fragment export level. Defines the look-and-feel of the resizing handles. Specifies the settings of the resizing handles. See the editable.resize configuration for an example. Serialization JS converter class for Resize Specifies whether the shapes can be rotated. Note that changing this setting after creating the diagram will have no effect. Specifies the fill settings of the rotation thumb. Specifies the stroke settings of the rotation thumb. Serialization JS converter class for Rotate Defines the selectable options. Specifies if the multiple selection should be enabled. Defines the selection stroke configuration. Defines the selectable modifier key. Serialization JS converter class for Selectable Defines the connection selection configuration. Defines the connection selection handles configuration. Serialization JS converter class for Selection Specifies editable properties for shapes Specifies whether the connectors should appear on hover. Specifies the the toolbar tools. Supports all options supported for the toolbar.items. Predefined tools are: Serialization JS converter class for ShapeEditable The connection end cap stroke options or color. Defines the stroke color. The stroke dash type. Defines the thickness or width of the shape connectors stroke. Serialization JS converter class for Stroke The exception that is thrown when RadEditor export to Rtf/Docx functionality fails. Initializes a new instance of the class with a specified error message and the inner exception that caused the current exception. The error message that explains the reason for the exception. The that caused the current exception to be thrown. The exception that is thrown when RadEditor import Rtf/Docx functionality fails. Initializes a new instance of the class with a specified error message and the inner exception that caused the current exception. The error message that explains the reason for the exception. The that caused the current exception to be thrown. Summary description for ImportRtfSettings Gets or sets the document export level. The document export level. Gets or sets the styles export mode. The default value is . The styles export mode. Gets or sets the path to the file that will contain the external styles. Gets or sets the value that will be set as 'href' attribute of the 'link' element pointing to the file containing the external styles. Gets or sets the images export mode. The images export mode. Gets or sets the path to the folder that will contain the external image files. Gets or sets the base path that will be set as value to the 'src' attribute of the 'image' elements. Describes images export mode. Images are exported embedded in the main file as Base64-encoded strings. Images are exported in separate files. Describes styles export mode.   Styles are exported to an external file.      Styles are exported in 'style' element in the main file.      Styles are exported in 'style' attribute of the HTML elements.      Styles are not exported.    A strongly typed collection of TabChooserTab objects When overridden in a derived class, instructs an object contained by the collection to record its entire state to view state, rather than recording only change information. The that should serialize itself completely. Gets or sets the Name of the tab. Arguments for the PathChange event in the FileExplorerConfiguration Persistence Manager load state event arguments Persistence Framework settings collection Persistence Manager save state event arguments Persistence Framework settings collection Retrieves a object that the data-bound control uses to perform data operations. The that the data-bound control uses to perform data operations. If the property is set, a specific, named is returned; otherwise, the default is returned. Binds the assignments. The data item. The bindings. Retrieves a object that the data-bound control uses to perform data operations. The that the data-bound control uses to perform data operations. If the property is set, a specific, named is returned; otherwise, the default is returned. Binds the resource. The data item. The bindings. This class represents collection of Gets or sets the at the specified index. The zero-based index of the item to get or set. The item at the specified index. This class represents collection of . This class represents collection of . This class defines the Gantt provider collection that implements ProviderCollection. Adds a provider to the collection. The provider to be added. The collection is read-only. is null. The of is null.- or -The length of the of is less than 1. This class represents collection of Gets or sets Specifies the data field in the underlying datasource that this column represents. Gets or sets the string that specifies the display format for items in the column. Gets or sets (see the Remarks) the type of the data from the DataField as it was set in the DataSource. The DataType property supports the following base .NET Framework data types: String Number DateTime Boolean Other Gets or sets the title text that will be displayed in the column's header. Gets or sets a value indicating whether sorting is enabled for this column. Gets or sets a value indicating whether editing is enabled for this column. The width of the column in pixels. Gets or sets a value indicating if the column and would be rendered. This property returns a value, indicating wheth the column would be visible on the client. Gets the validation settings for the column The unique name of the column within RadGantt columns. By default this is the name of the respective field in the data source. Gets a value that determines whether the column is required for rendering. Gets the data field in the underlying datasource that this column represents. Gets the string that specifies the display format for items in the column. Gets or sets a value indicating whether sorting is enabled for this column. This class defines the Configuration Section of RadGantt. Gets the tasks providers. The tasks providers. Gets the default task provider. The default task provider. Specifies the client type of the custom field. Gets or sets a value indicating whether the event is canceled. Gets the Assignments to be manipulated. Gets or sets a value indicating whether the event is canceled. Gets the Dependencies to be manipulated. For internal use only. Gets or sets the scroll top. The scroll top. Gets or sets the scroll left. The scroll top. Gets or sets the selected view. The scroll top. Gets or sets the server name of the custom property. Gets or sets the client name of the custom property. Gets or sets the default value of the custom property. Gets or sets the client type ot the custom property. This property sets the key that is used to focus RadGantt. It is always used in combination with FocusKey. This property sets the key that is used to focus RadGantt. It is always used in combination with CommandKey. Returns Depth First Search flattened list of tasks. Depth First Search flattened list of tasks. Populates the control from the specified MSProject XML file. The name of the MSProject XML file. Occurs before a column is created. You can handle the event to replace or modify the instance of the column that should be created and added into the collection of column in the corresponding Occurs after a column was created. You can handle the event to grab an instance of the newly created column. Occurs when a task's collection is about to be inserted in the database through the provider. Occurs when a task's collection is about to be updated through the provider. Occurs when a task's collection is about to be deleted from the database through the provider. Occurs when a dependency's collection is about to be inserted in the database through the provider. Occurs when a dependency's collection is about to be deleted from the database through the provider. Occurs when an assignment's collection is about to be inserted in the database through the provider. Occurs when an assignment's collection is about to be updated through the provider. Occurs when an assignment's collection is about to be deleted from the database through the provider. Occurs when the RadGantt executes a navigation command. Gets or sets the OnClientTaskResizeStart. The OnClientTaskResizeStart. Gets or sets the OnClientTaskResizeEnd. The OnClientTaskResizeEnd. Gets or sets the OnClientColumnResized. The OnClientColumnResized. Gets or sets the OnClientTaskResizing. The OnClientTaskResizing. Gets or sets a value indicating the client-side event handler that is called when an task is about to be moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientTaskMoveStartHandler(sender, eventArgs)
{
var task = eventArgs.get_task();
}
</script>
<telerik:RadGantt ID="RadGantt1"
runat="server"
OnClientTaskMoveStart="onClientTaskMoveStartHandler">
....
</telerik:RadGantt>
If specified, the OnClientTaskMoveStart client-side event handler is called when an task is about to be moved. Two parameters are passed to the handler: sender, the gantt client object; eventArgs with two properties: get_task(), the instance of the task. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an task is being moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function OnClientTaskMoving(sender, eventArgs)
{
var task = eventArgs.get_task();
var start = eventArgs.get_start();
}
</script>
<telerik:RadGantt ID="RadGantt1"
runat="server"
OnClientTaskMoving="onClientTaskMovingHandler">
....
</telerik:RadGantt>
If specified, the OnClientTaskMoving client-side event handler is called when an task is being moved. Two parameters are passed to the handler: sender, the gantt client object; eventArgs with three properties: get_task(), the instance of the task. get_start(), the start date and time of the task. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an task has been moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientTaskMoveEndHandler(sender, eventArgs)
{
var task = eventArgs.get_task();
var newStartTime = eventArgs.get_start();
}
</script>
<telerik:RadGantt ID="RadGantt1"
runat="server"
OnClientTaskMoveEnd="onClientTaskMoveEndHandler">
....
</telerik:RadGantt>
If specified, the OnClientTaskMoveEnd client-side event handler is called when an task has been moved. Two parameters are passed to the handler: sender, the gantt client object; eventArgs with three properties: get_task(), the instance of the task. get_start(), the new start time of the task. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the gantt is about to execute a navigation command such as view change. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientNavigationCommand client-side event handler is called when the gantt is about to execute a navigation command. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_view(), the view name that is about to be selected. set_cancel(), used to cancel the event. This event can be cancelled. Gets or sets the OnClientPdfExporting. The OnClientPdfExporting. Gets or sets the OnClientDataBound. The OnClientDataBound. Gets or sets a value indicating the client-side event handler that is called when the gantt is about to make a request to the WebService. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating whether sorting is enabled for the tree list part. Gets or sets the date to which the timeline of the currently selected view is scrolled. Gets or sets the start range of the currently selected view. Gets or sets the end range of the currently selected view. Gets or sets a value indicating whether the user is able to insert a task. Gets or sets a value indicating whether the user is able to update a task. Gets or sets a value indicating whether the user is able to delete a task. Gets or sets a value indicating whether the user is able to move a task. Gets or sets a value indicating whether the user is able to resize a task. Gets or sets a value indicating whether the user is able to reorder a task. Gets or sets a value indicating whether the user is able to drag PercetComplete of a task. Gets or sets a value indicating whether the user is able to insert a dependency. Gets or sets a value indicating whether the user is able to delete a dependency. Gets or sets a value indicating whether the resources functionality is enabled. Gets or sets a value indicating whether the columns can be resized. Gets or sets the HTML template of the RadGantt tasks. Gets or sets a value indicating whether the export to PDF functionality is enabled. Gets or sets the RadGantt width in pixels or percents. Gets or sets the RadGantt list width in pixels or percents. Gets or sets the height of RadGantt rows. The height of a RadGantt row Gets or sets the name of the current tasks provider used by Gantt. The provider must be defined in the Gantt section of web.config. The name of the current tasks provider used by Gantt as defined in web.config. Gets or sets the provider instance to be used by Gantt. Use this property with providers that are created at runtime. For ASP.NET providers defined in web.config use the ProviderName property. The provider instance to be used by Gantt. One of the GanttViewType values. The default is DayView. Gets or sets the current view type. Gets or sets the DataSource used to bind dependencies Gets or sets data source for dependencies. Gets or sets the DataSource used to bind resources Gets or sets data source for resources. Gets or sets the DataSource used to bind resource assignments Gets or sets data source for resource assignments. Gets the available columns. Gets the additional task fields. Gets the Day view settings. The day view. Gets the WeekView settings. The WeekView. Gets the Month view settings. The month view. Gets the Year view settings. The year view. Gets the Export settings. Gets or sets the first day of the work week. Gets or sets the last day of the work week. Gets or sets a value indicating whether to display the complete day or the range between 8:00 AM and 5:00 PM. true if showing the complete day; otherwise, false. Gets or sets a value indicating whether to display all days of the week or the range between WorkWeekStart and WorkWeekEnd. true if showing all week days; otherwise, false. Gets or sets a value indicating whether to display a tooltip with summary of the task upon hovering. Gets or sets a value indicating whether the current time marker is visible. Gets or sets a value indicating the number of milliseconds after which the current time marker is updated. Gets or sets a value indicating whether a delete confirmation dialog should be displayed when the user deletes a task or a dependency. true if the confirmation dialog should be displayed; false otherwise. The default value is true. Gets or sets a value indicating whether RadGantt is in read-only mode. true if RadGantt should be read-only; false otherwise. The default value is false. By default the user is able to select, insert, edit and delete tasks. Use the ReadOnly to disable the editing and selection capabilities of RadGantt. Gets or sets a value indicating whether bound columns are automatically created for each field in the data source. RadGantt will auto generate columns for the following fields: ID, Title, Start, End and PercentageComplete Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating where RadGantt will look for its .resx localization files. The localization path. Gets the web service settings to be used for binding this instance of RadGantt. The web service settings. Gets or sets a value that determines whether the tasks will snap to the nearest grid cell in the timeline. Used to customize the Gantt keyboard navigation functionality Gets the resolved render mode. The resolved render mode. Indicates that RadGantt is about to switch to Day View as a result of user interaction. Indicates that RadGantt is about to switch to Week View as a result of user interaction. Indicates that RadGantt is about to switch to Month View as a result of user interaction. Indicates that RadGantt is about to switch to Year View as a result of user interaction. Gets the column to be created. The type of the column to be created. Possible types are: String, Number, DateTime, Bool and Other. Gets the column that was created. The type of the column to be created. Possible types are: String, Number, DateTime, Bool and Other. Gets or sets a value indicating whether the event is canceled. Gets the Tasks to be manipulated. Container of misc. export settings of RadGantt control Gets the PDF. The PDF. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Returns the type of the view - Day, Week, Month or Year. Width in pixels. Gets or sets the date to which the timeline of the currently selected view is scrolled. Gets or sets the start range of the currently selected view. Gets or sets the end range of the currently selected view. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Gets or sets the year header date format string in YearView. Gets or sets the month header date format string in YearView. Instantiates a new by using the specified provider name. The name of the provider configured in web.config Instantiates a new based on the supplied The provider which will be used XmlGanttProvider provider = new XmlGanttProvider(Server.MapPath("~/App_models/models.xml"), true); WebServiceController controller = new WebServiceController(provider); Dim provider As New XmlGanttProvider(Server.MapPath("~/App_models/models.xml"), True) Dim controller As New WebServiceController(provider) This Class gets and sets the GanttWebService Settings. Represents the settings to be used for load on demand through web service. Gets or sets the name of the web service to be used to populate items with ExpandMode set to WebService. Gets or sets the method name to be called to populate items with ExpandMode set to WebService. The method must be part of the web service specified through the Path property. Gets or sets a boolean value Gets or sets the method name to be called to populate the tasks. It is the same as the GetTasksMethod property. Gets or sets the method name to be called to populate the gantt tasks. The method must be part of the web service specified through the GetTasksMethod property. Gets or sets the method name to be called to delete gantt tasks. The method must be part of the web service specified through the DeleteTasksMethod property. Gets or sets the method name to be called to insert gantt task. The method must be part of the web service specified through the InsertTasksMethod property. Gets or sets the method name to be called to update gantt tasks. The method must be part of the web service specified through the UpdateTasksMethod property. Gets or sets the method name to be called to populate the gantt dependencies. The method must be part of the web service specified through the GetDependenciesMethod property. Gets or sets the method name to be called to delete gantt dependencies. The method must be part of the web service specified through the DeleteDependenciesMethod property. Gets or sets the method name to be called to insert gantt dependency. The method must be part of the web service specified through the InsertDependenciesMethod property. Gets or sets the method name to be called to populate the gantt resources. The method must be part of the web service specified through the GetResourcesMethod property. Gets or sets the method name to be called to populate the gantt resource assignments. The method must be part of the web service specified through the GetAssignmentsMethod property. Gets or sets the method name to be called to delete gantt resource assignments. The method must be part of the web service specified through the DeleteAssignmentsMethod property. Gets or sets the method name to be called to insert gantt resource assignments. The method must be part of the web service specified through the InsertAssignmentsMethod property. Gets or sets the method name to be called to update gantt resource assignments. The method must be part of the web service specified through the UpdateAssignmentsMethod property. The localization strings to be used in RadGantt. Gets or sets the save string. The save string. Gets or sets the cancel string. The cancel string. Gets or sets the cancel string. The cancel string. Gets or sets the dependency delete confirmation text string. The dependency delete confirmation text string. Gets or sets the dependency delete confirmation title string. The dependency delete confirmation title string. Gets or sets the task delete confirmation text string. The task delete confirmation text string. Gets or sets the task delete confirmation title string. The task delete confirmation title string. Gets or sets the header day. The header day. Gets or sets the header week. The header week. Gets or sets the header month. The header month. Gets or sets the header year. The header year. Gets or sets the tooltip start string. The tooltip start string. Gets or sets the tooltip end string. The tooltip end string. Gets or sets the append task action. The append task action. Gets or sets the add child action. The add child action. Gets or sets the insert before action. The insert before action. Gets or sets the insert after action. The insert after action. Gets or sets the export to Pdf action. The export to Pdf action. Gets or sets the editor title string. The editor title string. Gets or sets the resources editor title string. The resources editor title string. Gets or sets the title string. The title string. Gets or sets the start string. The start string. Gets or sets the end string. The end string. Gets or sets the Percent Complete string. The Percent Complete string. Gets or sets the resources string. The resources string. Gets or sets the assign resources string. The assign resources string. Gets or sets the resources header string. The resources header string. Gets or sets the units header string. The units header string. Gets or setsthe hour span for each cell in DayView Width in pixels. Gets or sets the month header date format string in MonthView. Gets or sets the week header date format string in MonthView. Gets or sets the week header date format string in WeekView. Gets or sets the day header date format string in WeekView. Gets or sets the hour span for each cell in DayView Gets or sets the day header date format string in DayView. Gets or sets the time header date format string in DayView. Base class that introduces the editor of GridBoundColumn. This can be an editor that creates a simple TextBox control, or Rich Text editors, that has a single string property Text. The base class for all column editors. Interface that describes the baseic column editor functionality, needed for a class that should be responsible for editing of a content of a cell in a Implement column editor to provide extended editing functionality in RadGrid. The column-editor inheritors should provide the methods for creating the column editor control inside the container (generally a grid TableCell). For example the default column editor for GridBoundColumn creates a TextBox control and adds it to the corresponding GridTableCell when the InstantiateInControl method is called. To inherit the base implementation of a column editor control in RadGrid you may consider deriving from instead implementing the IColumnEditor interface. Implement this member to add control in the given container. After the call to this method the ContainerControl property should return the instance of containerControl parameter passed to this function. The editor should recreate its state and input controls from the Container. control (generally a TableCell) that contains the input controls, previously instantiated within the InitializeInControl method call Gets the instance of the Container control (generally a TableCell), after the last call of InstantiateInControl method Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Get a value indicating whether the current row/column editor is in edit mode. Copy setting from given column editor Create the input/edit controls belonging to the editor and prepare for AddControlsToContainer call. Implement this member to create the edit controls in the grid cell. This method is called from each column's InitializeCell method, when a initializes its cells. This method should recrteate the state of the column editor (edit controls, etc) from the container. This method is called when method is called, or when GridEditableItem.EditManager.GetColumnEditor is called. This method is should prepare the column editor to extract values from the edit controls residign in a TableCell of the grid. Gets the instance of the Container control (generally a TableCell), after the last call of InstantiateInControl method Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Get a value indicating whether the current row/column editor is in edit mode. Gets or sets the cell text. The cell text. The ToolTip that will be applied to the control. Gets or sets the cell text. The cell text. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets the instance for the current column editor. The the instance for the current column editor.. Gets the instace of the Style that would be applied to the TextBox control, when initializing in a TableCell. The editor for the column when grid's RenderMode is set to Mobile. The editor for the column when grid's RenderMode is set to Mobile. The editor for column when grid's RenderMode is set to Mobile. The editor for the when grid's RenderMode is set to Mobile. Gets the current value of the TextBox control Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets the instance for the current column editor. The the instance for the current column editor.. Gets the instace of the Style that would be applied to the TextBox control, when initializing in a TableCell. The editor for the when grid's RenderMode is set to Mobile. Enumeration determining the way the popup will be displayed if it can not be accommodated inside the visible viewport. Will position the popup in the center of the screen Will position the popup in the bottom right corner of the screen Will position the popup in the bottom left corner of the screen Will position the popup in the upper right corner of the screen Will position the popup in the bottom left corner of the screen RadGrid Infrastructure Export event arguments object Infrastructure Export event arguments ExportStructure object Export format type Export format ExportStructure object Enumeration determining in what format the Word data will be exported. Class holding settings associated with the exporting to Word functionality. Gets or sets in which format the Word data will be exported. The Word format type. Class that represents the rows of each GridTableView with RadGrid. All Items in RadGrid inherit from this class. RadGrid creates the items runtime, when it binds to data. A class extending used for a base class for all rows in control. Gets the server control identifier generated by ASP.NET. The server control identifier generated by ASP.NET. Initializes the base properties of an item. Use this method to simulate item command event that bubbles to RadGrid and can be handeled automatically or in a custom manner, handling RadGrid.ItemCommand event. command to bubble, for example 'Page' command argument, for example 'Next' This method is not intended to be used directly from your code. This method is not intended to be used directly from your code This method is not intended to be used directly from your code Override this method to change the default logic for rendering the item Override this method to change the default logic for item visibility Used after postback before ViewState becomes available - for example in ItemCreated and ItemDataBound events //get MasterTableView's second (index 1) nested view item GridNestedViewItem firstLevelNestedViewItem = (GridNestedViewItem)RadGrid1.MasterTableView.GetItems(GridItemType.NestedView)[1]; //get second nested view item at level 2 of the hierarchy GridNestedViewItem secondLevelNestedViewItem = (GridNestedViewItem)firstLevelNestedViewItem.NestedTableViews[0].GetItems(GridItemType.NestedView)[1]; //get the first item to be expanded GridItem itemToExpand = secondLevelNestedViewItem.NestedTableViews[0].GetItems(GridItemType.Item)[0]; itemToExpand.ExpandHierarchyToTop(); 'get MasterTableView's second (index 1) nested view item Dim firstLevelNestedViewItem As GridNestedViewItem = CType(RadGrid1.MasterTableView.GetItems(GridItemType.NestedView)(1), GridNestedViewItem) 'get second nested view item at level 2 of the hierarchy Dim secondLevelNestedViewItem As GridNestedViewItem = CType(firstLevelNestedViewItem.NestedTableViews(0).GetItems(GridItemType.NestedView)(1), GridNestedViewItem) 'get the first item to be expanded Dim itemToExpand As GridItem = secondLevelNestedViewItem.NestedTableViews(0).GetItems(GridItemType.Item)(0) itemToExpand.ExpandHierarchyToTop() Expands the hierarchy starting from the last level to the top Calculate column-span value for a cell using column list, when the cell indicated with FromCellIndex should be spanned to ToCellIndex columns - visible property is taken in count cell inbdex of spanned cell cell index of next not-spanned cell or -1 for the last cell index ColSpan number Gets a reference to the GridTableView that owns this GridItem. You can use the OwnerTableView property to get an instance of the GridTableView that holds the item modified. For example in the SelectedIndexChanged event handler you can get the GridTableView object like this: protected void RadGrid1_SelectedIndexChanged(object sender, EventArgs e) { GridTableView tableview = RadGrid1.SelectedItems[0].OwnerTableView; } Protected Sub RadGrid1_SelectedIndexChanged(sender As Object, e As EventArgs) Dim tableview As GridTableView = RadGrid1.SelectedItems(0).OwnerTableView End Sub Gets the ClientID of the GridTableView that owns this instance. The OwnerID property will get the ClientID of the GridTableView that owns the referenced instance. For example the code below will return RadGrid1_ctl01 which is the ClientID of the MasterTableView for basic RadGrid: protected void RadGrid1_SelectedIndexChanged(object sender, EventArgs e) { Label1.Text = RadGrid1.SelectedItems[0].OwnerID; } Protected Sub RadGrid1_SelectedIndexChanged(sender As Object, e As EventArgs) Label1.Text = RadGrid1.SelectedItems(0).OwnerID End Sub Gets the ClientID of the RadGrid instance that owns the item. The OwnerGridID property will get the ClientID of the Grid instance that owns the referenced item. For example the code below will return RadGrid1 which is the ClientID of the owner Grid instance. protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridEditableItem && e.Item.IsInEditMode) { Response.Write(e.Item.OwnerGridID); } } Protected Sub RadGrid1_ItemCreated(sender As Object, e As GridItemEventArgs) If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then Response.Write(e.Item.OwnerGridID) End If End Sub This would be useful if several controls use the same eventhandler and you need to diferentiate the Grid instances in the handler. Gets a value indicating whether this item has child items - or items somehow related to this. For example the GridDataItem has child NestedViewItem that holds the hierarchy tables when grid is rendering hierarchy.
GroupHeaderItems has the items with a group for children, and so on. protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).HasChildItems == true) { Label1.Text = "has items"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).HasChildItems = True) Then Label1.Text = "has items" End If End Sub
Gets a value indicating whether the item can be "expanded" to show its child items Shows whether an item can be "expanded" to show its child items protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).CanExpand == true) { Label1.Text = "Item was expanded"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).CanExpand = True) Label1.Text = "Item was expanded" End If End Sub The original DataItem from the DataSource. See examples section below. For example if you bind the grid to a DataView object the DataItem will represent the DataRowView object extracted from the DataView for this GridItem. Note that the DataItem object is available only when grid binds to data (inside the ItemDataBound server event handler). Gets the index of the GridDataItem in the underlying DataTable/specified table from a DataSet. Integer This property has a meaning only when the Telerik RadGrid source is DataTable. Gets the index of the grid item among the collection. This index also can be used to get the DataKeyValues corresponding to this item from a GridTableView. Gets a value representing the index of this item among the collection. This index also can be used to get the DataKeyValues corresponding to this item from a GridTableView. Gets the index of the row as in the html table object rendered on the client Gets the index of the item in the rows collection of the underlying Table server control Get the unique item index among all the item in the hierarchy. This index is used when setting item to selected, edited, etc If we have three level hierarchy with two items each and select the first item in the third level then the ItemIndexHierarchical will be 1:0_1:0_0 protected void RadGrid1_SelectedIndexChanged(object sender, EventArgs e) { Response.Write(RadGrid1.SelectedItems[0].ItemIndexHierarchical); } Protected Sub RadGrid1_SelectedIndexChanged(sender As Object, e As EventArgs) Response.Write(RadGrid1.SelectedItems(0).ItemIndexHierarchical) End Sub 'RadGrid1_SelectedIndexChanged Gets the respective GridItemType of the grid item. Gets the respective GridItemType of the grid item. foreach (GridDataItem dataItem in rgdStateRules.MasterTableView.Items) { if (dataItem.ItemType == GridItemType.Item || dataItem.ItemType == GridItemType.AlternatingItem) { string reqName = dataItem["SomeColumnUniqueName"]. Text; .... } } Dim dataItem As GridDataItem For Each dataItem In rgdStateRules.MasterTableView.Items If dataItem.ItemType = GridItemType.Item Or dataItem.ItemType = GridItemType.AlternatingItem Then Dim reqName As String = dataItem("SomeColumnUniqueName").Text End If Next dataItem Gets or sets a value indicating whether the grid item is expanded or collapsed. The example below sets all expanded items to collapsed for(int i = 0; i < RadGrid.Items.Count - 1;i++) if(RadGrid.Items[i].Expanded) { RadGrid.Items[i].Expanded = false; } Dim i As Integer For i = 0 To (RadGrid.Items.Count - 1) Step -1 If RadGrid.Items(i).Expanded Then RadGrid.Items(i).Expanded = False End If Next i Used in HierarchyLoadMode="Conditional" The example below will hide the GridCommandItem. if (e.Item is GridCommandItem) { e.Item.Display = false; } If Typeof e.Item Is GridCommandItem Then e.Item.Display = False End If Sets whether the GridItem will be visible or with style="display:none;" Gets or set a value indicating whether the grid item is selected You can check whether a certain item is selected using the Selected property: protected void RadGrid1_PreRender(object sender, EventArgs e) { foreach (GridDataItem dataitem in RadGrid1.MasterTableView.Items) { if (dataitem.Selected == true) { //do your thing } } } Protected Sub RadGrid1_PreRender(sender As Object, e As EventArgs) Dim dataitem As GridDataItem For Each dataitem In RadGrid1.MasterTableView.Items If dataitem.Selected = True Then 'do your thing End If Next dataitem End Sub 'RadGrid1_PreRender Gets or sets a value determining if the chould be selected either on the client or on the server. A value determining if the chould be selected either on the client or on the server. Sets the Item in edit mode. Requires Telerik RadGrid to rebind. If is set to InPlace, the grid column editors will be displayed inline of this item. If is set to EditForms, a new GridItem will be created, which will be child of this item (GridEditFormItem). The new item will hold the edit form. We suggest using IsInEditMode instead of Edit to check whether an Item is in edit more or not. Gets the index of the Item in the group. This works only when grouping. This example expands all items that meet the condition: if (e.Item.GroupIndex == EditItemGroupIndex | EditItemGroupIndex.StartsWith(e.Item.GroupIndex + "_")) { e.Item.Expanded = true; } If e.Item.GroupIndex = EditItemGroupIndex Or EditItemGroupIndex.StartsWith(e.Item.GroupIndex & "_") Then e.Item.Expanded = True End If Returns a string formed: X_Y_Z, where:
- X is a zero-based value representing the group index (the first group of results will have index = 0)
- Y is a zero-based value representing the group level. If you group the grid using 2 criteria, the inner groups will have index = 1. - Z is a zero-based value representing the GridItem index in the group (the first item will have index = 0) Note that if you use more criteria, you will have more indexes returned: X_Y_Z_W, where the last one is always the item index in the group.
Gets a value indicating whether the grid item is bound to a data source. Default value is true when the grid is databound. Gets a value indicating whether the grid item is in edit mode at the moment. Will locate the TextBox for Item in Edit mode: if (e.Item is GridEditableItem && e.Item.IsInEditMode) { TextBox txt = (e.Item as GridEditableItem)["SomeColumnName"].Controls[0] as TextBox; } If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then ... End If Gets or sets the text displayed in the group panel item indicating that you can view groups by clicking on it RadGrid control class. Set properties of RadGrid as default for the corresponding properties of grid's table views . The best approach to bind RadGrid is to handle its event and set the DataSource property there. This way RadGrid will handle automatically operations like paging, sorting, grouping, etc. The main table-view can be accessed through property. The group panel and its items can be accessed using GroupPanel property. Note that the group items can be modified only through the properties of each GridTableView. Hierarchical grid structure can be implemented adding GridTableView objects to and handling event, where you should set the DataSource of each bound detail table filtered according to the property key values. The of RadGrid property is a reference to the columns of the MasterTableView and is present in RadGrid for compatibility with the DataGrid server control. Serves as the abstract base class for data tables. This class provides the methods and properties common to all tables in Telerik RadGrid. Occurs when a different item is selected in a table between posts to the server. Occurs when a different cell/cells is/are selected in a table between posts to the server. Gets or sets the tab index of the Web server control. Gets or sets the amount of space between the contents of a cell and the cell's border. Gets or sets the amount of space between cells. Gets or sets a value that specifies whether the border between the cells of a data table is displayed. Gets or sets the horizontal alignment of a data table within its container. Represents the Cancel command name. This field is read-only. Use the CancelCommandName field to represent the "Cancel" command name. This command cancels the edit operation and RadGrid returns to normal mode. The example below demonstrates how to use the Cancel command within an EditItemTemplate.
            <radG:GridTemplateColumn UniqueName="TemplateColumn">
            
                <EditItemTemplate>
            
                    <asp:LinkButton runat="server" ID="Cancel" Text="Cancel Edit" CommandName="Cancel">
            
                    </asp:LinkButton>
            
                </EditItemTemplate>
            
            </radG:GridTemplateColumn>
            
Represents the "Delete" command name. This field is read-only. Use the DeleteCommandName field to represent the "Delete" command name. The example below demonstrates how to use the Delete command within an ItemTemplate.
            <radG:GridTemplateColumn UniqueName="TemplateColumn">
            
                <ItemTemplate>
            
                    <asp:LinkButton runat="server" ID="Delete" Text="Delete" CommandName="Delete">
            
                    </asp:LinkButton>
            
                </ItemTemplate>
            
            </radG:GridTemplateColumn>
            
Represents the "Edit" command name. This field is read-only. Use the EditCommandName field to represent the "Edit" command name. This command enters RadGrid in edit mode. The example below demonstrates how to use the "Edit" command within an ItemTemplate.
            <radG:GridTemplateColumn UniqueName="TemplateColumn">
            
                <ItemTemplate>
            
                    <asp:LinkButton runat="server" ID="Edit" Text="Edit" CommandName="Edit">
                
                    </asp:LinkButton>
            
                </ItemTemplate>
            
            </radG:GridTemplateColumn>
            
Represents the "InitInsert" command name. This field is read-only. The example below demonstrates how to use the InitInsert command within an CommandItemTemplate.
                <CommandItemTemplate>
            
                    <asp:LinkButton runat="server" ID="AddNew" Text="Add new record" CommandName="InitInsert">
            
                    </asp:LinkButton>
            
                </CommandItemTemplate>
            
Use the InitInsertCommandName field to represent the "InitInsert" command name. This command enters RadGrid in edit mode and lets the user enter the data for a new record.
Represents the "PerformInsert" command name. This field is read-only. Use the PerformInsertCommandName field to represent the "PerformInsert" command name. This command enters the new record into the database. Represents the "RebindGrid" command name. This field is read-only. Forces RadGrid.Rebind Use the RebindGridCommandName field to force rebinding the grid. The example below demonstrates how to use the Update command within an EditItemTemplate.
            <radG:GridTemplateColumn UniqueName="TemplateColumn">
                
                <EditItemTemplate>
                
                    <asp:LinkButton runat="server" ID="Update" Text="Update" CommandName="Update">
                
                    </asp:LinkButton>
                
                </EditItemTemplate>
                
            </radG:GridTemplateColumn>
            
Represents the "Update" command name. This field is read-only. Use the UpdateCommandName field to represent the "Update" command name.
Represents the "UpdateEdited" command name. Updates all items that are in edit mode. This field is read-only. The example below demonstrates how to use the UpdateEdited command within an CommandItemTemplate.
                <CommandItemTemplate>
            
                    <asp:LinkButton runat="server" ID="UpdateEdited" Text="Update Edited" CommandName="UpdateEdited">
            
                    </asp:LinkButton>
            
                </CommandItemTemplate>
            
Use the UpdateCommandName field to represent the "Update" command name.
Represents the "DeleteSelected" command name. This field is read-only. Use the DeleteSelectedCommandName field to represent the "DeleteSelected" command name. The example below demonstrates how to use the DeleteSelected command within an CommandItemTemplate.
                <CommandItemTemplate>
            
                    <asp:LinkButton runat="server" ID="DeleteSelected" Text="Delete Selected" CommandName="DeleteSelected">
                
                    </asp:LinkButton>
            
                </CommandItemTemplate>
            
Represents the "DownloadAttachment" command name. This field is read-only. Use the DownloadAttachment field to represent the "DownloadAttachment" command name. Represents the name of the filter command fired through RadGrid's header context menu. Constructs a new instance of RadGrid Data-bind %MasterTableView% and its detail %GridTableView%s. Prior to calling DataBind, the %DataSource% property should be assigned. Simple Data-binding You should have in mind, that in case you are using simple data binding (i.e. when you are not using NeedDataSource event) the correct approach is to call the DataBind() method on the first page load when !Page.IsPostBack and after handling some event (sort event for example). You will need to assign DataSource and rebind the grid after each operation (paging, sorting, editing, etc.) - this copies exactly MS DataGrid behavior. We recommend using the method instead and handling the event. Sets property of the GridDateTimeColumn, GridNumericColumn or GridRatingColumn indicating whether the current filter function is Between ot NotBetween. Used in case of custom FilterTemplates Exports RadGrid to Excel format Exports RadGrid to the given Excel format Excel format Exports RadGrid to Word format Exports RadGrid to the given Word format Word format Exports RadGrid to Pdf format Exports RadGrid to Csv format This method is used by RadGrid internally. Please do not use. When there is a hierarchy and when AllowMultiRowEdit is false this method should close all edit items (put them out of edit mode) except the last one. We need to do this later in the page lifecycle to prevent viewstate-related issues when the edit mode is inplace and when there are databound controls in the editors. Original problem affected GridDropDownColumn (in both Combo and DropDown mode) and GridAutoComplete columns. Forces RadGrid to fire NeedDataSource event then calls DataBind Gets a object that could be used when binding a control to a service. The GetBindingData method have many overrides and their main purpose is to return a object to be used and returned from a service so a control could handle complex operations like sorting, filtering, paging. In the general case the parameters are automatically passed when the makes a request to the service. However, you could use it for custom scenarios by providing your manually generated parameters. The contextTypeName parameter for the . The tableName parameter for the . The index from where to start retrieving records. The parameter is used for pagging support. The maximum rows to be loaded. The parameter is used for pagging support. The sort expression. The filter expression. Returns a object which could be used to return the data to the control. Gets a object that could be used when binding a control to a service. The GetBindingData method have many overrides and their main purpose is to return a object to be used and returned from a service so a control could handle complex operations like sorting, filtering, paging. In the general case the parameters are automatically passed when the makes a request to the service. However, you could use it for custom scenarios by providing your manually generated parameters. The contextTypeName parameter for the . The tableName parameter for the . The select for the . The index from where to start retrieving records. The parameter is used for pagging support. The maximum rows to be loaded. The parameter is used for pagging support. The sort expression. The filter expression. Returns a object which could be used to return the data to the control. Gets a object that could be used when binding a control to a service. The RadGrid.GetBindingData method have many overrides and their main purpose is to return a object to be used and returned from a service so a control could handle complex operations like sorting, filtering, paging. In the general case the parameters are automatically passed when the makes a request to the service. However, you could use it for custom scenarios by providing your manually generated parameters. Generic collection to be paged, filtered and sorted. The index from where to start retrieving records. The parameter is used for pagging support. The maximum rows to be loaded. The parameter is used for pagging support. The sort expression. The filter expression. Returns a object which could be used to return the data to the control. Gets a object that could be used when binding a control to a service. The GetBindingData method have many overrides and their main purpose is to return a object to be used and returned from a service so a control could handle complex operations like sorting, filtering, paging. In the general case the parameters are automatically passed when the makes a request to the service. However, you could use it for custom scenarios by providing your manually generated parameters. collection to be paged, filtered and sorted. The index from where to start retrieving records. The parameter is used for pagging support. The maximum rows to be loaded. The parameter is used for pagging support. The sort expression. The filter expression. Returns a object which could be used to return the data to the control. Used by the SPRadGrid control The event which is fired when a batch edit operation is made. Occurs when the Cancel button is clicked for an item in the Telerik RadGrid control. The CancelCommand event is raised when the Cancel button is clicked for an item in the Telerik RadGrid control.
The following code example demonstrates how to specify and code a handler for the CancelCommand event to cancel edits made to an item in the Telerik RadGrid control. <%@ Page Language="VB" > @ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_CancelCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Response.Write("Cancel") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnCancelCommand="RadGrid1_CancelCommand" > <MasterTableView> <Columns> <radG:GridEditCommandColumn> </radG:GridEditCommandColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$ ConnectionStrings: NorthwindConnectionString %>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html>
Fires when each editable column creates its column editor, prior to initializing its controls in the cells of the grid Fires when the grid is about to be bound and the data source must be assigned (is null/Nothing). Using this event eliminates the need for calling when the grid content should be refreshed, due to a structural change.
For example if Edit command bubbles, grid will automatically rebind and display the item in edit mode, with no additional code.
Note that when you use NeedDataSource you need to assign manually the DataSource property only once in the event handler! Important: You should never call Rebind() method in NeedDataSource event handler or DataBind() for the grid at any stage of the page lifecycle! For more information related to Advanced Data Binding (i.e. with NeedDataSource) see the following Data binding article.
Fires when the ListBox inside the filter item require DataSource. In this event you can add items to the ListBox using its Items collection. Or you can assign DataSource and call DataBind() for the ListBox. Fires when various item events occur - for example, before Pager item is initialized, before EditForm is initialized, etc. Fires when a detail-table in the hierarchy is about to be bound. You should only assign the DataSource property of the detail table to a data-source properly filtered to display ony child records related to the parent item. You can find the instance of the detail table in the event argument (e). You can find the parent item using e.DetailTable.ParentItem property. For more information see Hierarchical Binding Occurs when the Delete button is clicked for an item in the Telerik RadGrid control. The DeleteCommand event is raised when the Delete button is clicked for an item in the Telerik RadGrid control. A typical handler for the DeleteCommand event removes the selected item from the data source. The following code example demonstrates how to specify and code a handler for the CancelCommand event to cancel a Telerik RadGrid control. <%@ Page Language="VB" /> @ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_DeleteCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Response.Write("Delete") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnDeleteCommand="RadGrid1_DeleteCommand" > <MasterTableView> <Columns> <radG:GridButtonColumn Text="Delete" CommandName="Delete" UniqueName="Delete"></radG:GridButtonColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$ ConnectionStrings: NorthwindConnectionString %>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Occurs when the Edit button is clicked for an item in the Telerik RadGrid control. The EditCommand event is raised when the Edit button is clicked for an item in the Telerik RadGrid control. A typical handler for the EditCommand event edites the selected item from the data source. The following code example demonstrates how to specify and code a handler for the EditCommand event to edit a Telerik RadGrid control. <%@ Page Language="VB" /> @ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_EditCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Response.Write("Edit") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnEditCommand="RadGrid1_EditCommand" > <MasterTableView> <Columns> <radG:GridEditCommandColumn> </radG:GridEditCommandColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Occurs when a button is clicked in a Telerik RadGrid control. The ItemCommand event is raised when a button is clicked in the Telerik RadGrid control. This allows you to provide an event-handling method that performs a custom routine whenever this event occurs. Buttons within a Telerik RadGrid control can also invoke some of the built-in functionality of the control. Fires if any control inside Telerik RadGrid rises a bubble event. This can be a command button (like Edit, Update button, Expand/Collapse of an items) The command arguemtn carries a reference to the item which rised the event, the command name and argument object. A GridCommandEventArgs object is passed to the event-handling method, which allows you to determine the command name and command argument of the button clicked. The following code example demonstrates how to use the ItemCommand event to add the name of a customer from a Telerik RadGrid control to a ListBox control when a item's Add button is clicked. <%@ Page Language="VB" <see cref="> <"/>@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.GridItemEventArgs) If e.Item.ItemType = GridItemType.AlternatingItem Or e.Item.ItemType = GridItemType.Item Then Dim item As Telerik.Web.UI.GridDataItem item = e.Item Dim LinkButton1 As LinkButton LinkButton1 = item("LinkColumn").FindControl("LinkButton1") LinkButton1.CommandArgument = e.Item.ItemIndex.ToString() End If End Sub Protected Sub RadGrid1_ItemCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) ' If multiple buttons are used in a Telerik RadGrid control, use the ' CommandName property to determine which button was clicked. If e.CommandName = "Add" Then ' Convert the row index stored in the CommandArgument ' property to an Integer. Dim index As Integer = Convert.ToInt32(e.CommandArgument) ' Retrieve the item that contains the button clicked ' by the user from the Items collection. Dim item As Telerik.Web.UI.GridDataItem = RadGrid1.Items(index) ' Create a new ListItem object for the customer in the item. Dim nitem As New ListItem() nitem.Text = Server.HtmlDecode(item("CustomerID").Text) ' If the customer is not already in the ListBox, add the ListItem ' object to the Items collection of the ListBox control. If Not CustomersListBox.Items.Contains(nitem) Then CustomersListBox.Items.Add(nitem) End If End If End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnItemCreated="RadGrid1_ItemCreated" OnItemCommand="RadGrid1_ItemCommand"> <MasterTableView> <Columns> <radG:GridTemplateColumn UniqueName="LinkColumn" HeaderText="LinkColumn"> <ItemTemplate> <asp:LinkButton CommandName="Add" Text="click" ID="LinkButton1" runat="server">LinkButton</asp:LinkButton> </ItemTemplate> </radG:GridTemplateColumn> </Columns> </MasterTableView> </radG:RadGrid> <asp:listbox id="CustomersListBox" runat="server"/> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Occurs when an item is created in a Telerik RadGrid control. Before the Telerik RadGrid control can be rendered, a GridItem object must be created for each row in the control. The ItemCreated event is raised when each row in the Telerik RadGrid control is created. This allows you to provide an event-handling method that performs a custom routine, such as adding custom content to a item, whenever this event occurs. A GridItemEventArgs object is passed to the event-handling method, which allows you to access the properties of the row being created. You can determine which item type (header item, data pager item, and so on) is being bound by using the Item.ItemType property. Note that the changes made to the item control and its children at this stage does not persist into the ViewState. The following code example demonstrates how to use the ItemCreated event to store the index of the item being created in the CommandArgument property of a LinkButton control contained in the item. This allows you to determine the index of the item that contains the LinkButton control when the user clicked the button. <%@ Page Language="VB" > <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.GridItemEventArgs) If e.Item.ItemType = GridItemType.AlternatingItem Or e.Item.ItemType = GridItemType.Item Then Dim item As Telerik.Web.UI.GridDataItem item = e.Item Dim LinkButton1 As LinkButton LinkButton1 = item("LinkColumn").FindControl("LinkButton1") LinkButton1.CommandArgument = e.Item.ItemIndex.ToString() End If End Sub Protected Sub RadGrid1_ItemCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) ' If multiple buttons are used in a Telerik RadGrid control, use the ' CommandName property to determine which button was clicked. If e.CommandName = "Add" Then ' Convert the row index stored in the CommandArgument ' property to an Integer. Dim index As Integer = Convert.ToInt32(e.CommandArgument) ' Retrieve the item that contains the button clicked ' by the user from the Items collection. Dim item As Telerik.Web.UI.GridDataItem = RadGrid1.Items(index) ' Create a new ListItem object for the customer in the item. Dim nitem As New ListItem() nitem.Text = Server.HtmlDecode(item("CustomerID").Text) ' If the customer is not already in the ListBox, add the ListItem ' object to the Items collection of the ListBox control. If Not CustomersListBox.Items.Contains(nitem) Then CustomersListBox.Items.Add(nitem) End If End If End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnItemCreated="RadGrid1_ItemCreated" OnItemCommand="RadGrid1_ItemCommand"> <MasterTableView> <Columns> <radG:GridTemplateColumn UniqueName="LinkColumn" HeaderText="LinkColumn"> <ItemTemplate> <asp:LinkButton CommandName="Add" Text="click" ID="LinkButton1" runat="server">LinkButton</asp:LinkButton> </ItemTemplate> </radG:GridTemplateColumn> </Columns> </MasterTableView> </radG:RadGrid> <asp:listbox id="CustomersListBox" runat="server"/> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString">" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Fires before a custom column is created. You can handle the event to replace or modify the instance of the column that should be created and added into the collection of column in the corresponding GridTableView. The ColumnCreating event of Telerik RadGrid is fired only for custom grid columns. It is not designed to be used to cancel the creation of auto-generated columns. Its purpose is to have place where to define your custom columns (extending the default grid columns) programmatically and add them to the grid Columns collection. See the manual part of Telerik RadGrid documentation for details about Telerik RadGrid inheritance. The ColumnCreated event of Telerik RadGrid is designated to customize auto-generated columns at runtime (for example DataFormatString, ReadOnly or other properties of these auto-generated columns). This event is fired after the creation of auto-generated columns. Occurs when a data item is bound to data in a Telerik RadGrid control. Before the Telerik RadGrid control can be rendered, each item in the control must be bound to a record in the data source. The ItemDataBound event is raised when a data item (represented by a GridItem object) is bound to data in the Telerik RadGrid control. This allows you to provide an event-handling method that performs a custom routine, such as modifying the values of the data bound to the item, whenever this event occurs. A GridItemEventArgs object is passed to the event-handling method, which allows you to access the properties of the item being bound. You can determine which item type (header item, data pager item, and so on) is being bound by using the Item.ItemType property. Note that the changes made to the item control and its children does persist into the ViewState. This event is fired as a result of a data-binding of Telerik RadGrid contorl. This event is fired for items of type: GridDataItem GridEditFormItem GridHeaderItem GridPagerItem GridFooterItem The following code example demonstrates how to use the ItemDataBound event to modify the value of a field in the data source before it is displayed in a Telerik RadGrid control. <%@ Page Language="VB"> <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_ItemDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.GridItemEventArgs) If e.Item.ItemType = GridItemType.AlternatingItem Or e.Item.ItemType = GridItemType.Item Then Dim item As Telerik.Web.UI.GridDataItem item = e.Item item("CustomerID").Text = "Telerik" End If End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnItemDataBound="RadGrid1_ItemDataBound"> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </form> </body> </html> Fires when a paging action has been performed. Fires when PageSize property value has been changed. The PageSizeChanged event is rised when the value of the property PageSize is changed. You can cancel the event if the new PageSize value is invalid and it will not be saved. For example:
            protected void RadGrid1_PageSizeChanged(object source, GridPageSizeChangedEventArgs e)
{
if(e.NewPageSize < 1)
e.Canceled = true;
}
Occurs when a column is sorted. The SortCommand event is raised when a column is sorted. A typical handler for the SortCommand event sorts the list. The following code example demonstrates how to specify and code a handler for the SortCommand event to sort a Telerik RadGrid control. <%@ Page Language="VB" > <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_SortCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridSortCommandEventArgs) Response.Write("Sort") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" AllowSorting="true" runat="server" OnSortCommand="RadGrid1_SortCommand" > </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Occurs when the Update button is clicked for an item in the Telerik RadGrid control. The UpdateCommand event is raised when the Update button is clicked for an item in the Telerik RadGrid control. A typical handler for the UpdateCommand event updates the selected item from the data source. The following code example demonstrates how to specify and code a handler for the UpdateCommand event to update a Telerik RadGrid control. <%@ Page Language="VB" > <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_UpdateCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Response.Write("Update") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnUpdateCommand="RadGrid1_UpdateCommand" > <MasterTableView> <Columns> <radG:GridEditCommandColumn> </radG:GridEditCommandColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Occurs when the Insert button is clicked for an item in the Telerik RadGrid control. The InsertCommand event is raised when the Insert button is clicked for an item in the Telerik RadGrid control. A typical handler for the InsertCommand event insert the item into the data source. The following code example demonstrates how to specify and code a handler for the InsertCommand event to insert a Telerik RadGrid control. <%@ Page Language="VB" > <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_InsertCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Response.Write("Insert") End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" OnInsertCommand="RadGrid1_InsertCommand" > <MasterTableView CommandItemDisplay="TopAndBottom"> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Fires when a grouping action has been performed. For example when a column header was dragged in the GroupPanel. You can use this event to set your own GridGroupByExpression when the user tries to group the grid. protected void RadGrid1_GroupsChanging(object source, Telerik.Web.UI.GridGroupsChangingEventArgs e) { //Expression is added (by drag/grop on group panel) if (e.Action == GridGroupsChangingAction.Group) { if (e.Expression.GroupByFields[0].FieldName != "CustomerID") { GridGroupByField countryGroupField = new GridGroupByField(); countryGroupField.FieldName = "Country"; GridGroupByField cityGroupField = new GridGroupByField(); cityGroupField.FieldName = "City"; e.Expression.SelectFields.Clear(); e.Expression.SelectFields.Add(countryGroupField); e.Expression.SelectFields.Add(cityGroupField); e.Expression.GroupByFields.Clear(); e.Expression.GroupByFields.Add(countryGroupField); e.Expression.GroupByFields.Add(cityGroupField); } } } Protected Sub RadGrid1_GroupsChanging(ByVal source As Object, ByVal e As Telerik.Web.UI.GridGroupsChangingEventArgs) 'Expression is added (by drag/grop on group panel) If (e.Action = GridGroupsChangingAction.Group) Then If (e.Expression.GroupByFields(0).FieldName <> "CustomerID") Then Dim countryGroupField As GridGroupByField = New GridGroupByField countryGroupField.FieldName = "Country" Dim cityGroupField As GridGroupByField = New GridGroupByField cityGroupField.FieldName = "City" e.Expression.SelectFields.Clear e.Expression.SelectFields.Add(countryGroupField) e.Expression.SelectFields.Add(cityGroupField) e.Expression.GroupByFields.Clear e.Expression.GroupByFields.Add(countryGroupField) e.Expression.GroupByFields.Add(cityGroupField) End If End If End Sub Fires when an automatic update operation is executed. Fires when an automatic insert operation is executed. Fires when an automatic delete operation is executed. Fires when a grid is exported to ExcelML and styles collections is created. Fires when a grid is exported to ExcelML and row is created. Fires when a grid is exported to ExcelML and WorkBook is created. Fires when a grid is exporting. Fires when a grid is exporting to XLS BIFF, DOCX, or XLSX formats Fires when a grid is exporting to BIFF format Fires when a grid is exporting. Fires when a grid is exporting to Word or HTML Excel. Fires when a grid is exporting. Fires when a columns reorder action has been performed. Gets or sets the object from which the Telerik RadGrid control retrieves its list of data items. You should have in mind, that in case you are using simple data binding (i.e. when you are not using NeedDataSource event) the correct approach is to call the DataBind() method on the first page load when !Page.IsPostBack and after handling some event (sort event for example). You will need to assign DataSource and rebind the grid after each operation (paging, sorting, editing, etc.) - this copies exactly MS DataGrid behavior. An object that represents the data source from which the Telerik RadGrid control retrieves its data. The default is a null reference (Nothing in Visual Basic). The following code example demonstrates how the DataSource property of a Telerik RadGrid control is used. In this example, the Telerik RadGrid control is bound to a DataSet object. After the DataSource property is set, the DataBind method is called explicitly. Gets or sets the name of the list of data that the Telerik RadGrid control binds to, in cases where the data source contains more than one distinct list of data items. The name of the specific list of data that the Telerik RadGrid control binds to, if more than one list is supplied by a data source control. The default value is String.Empty. Use the DataMember property to specify a member from a multimember data source to bind to the list control. For example, if you have a data source with more than one table specified in the DataSource property, use the DataMember property to specify which table to bind to a data listing control. The value of the DataMember property is stored in view state. This property cannot be set by themes or style sheet themes. For more information, see ThemeableAttribute and Themes and Skins Overview in MSDN. Gets a reference to the object that allows you to set the properties of the grouping operation in a Telerik RadGrid control. The following code example demonstrates how to set the GroupingSettings property declaratively. It sets the tooltips of the group expand control of the Telerik RadGrid. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server"> <GroupingSettings ExpandTooltip="ExpandTooltip" /> <MasterTableView> <GroupByExpressions> <radG:GridGroupByExpression> <SelectFields> <radG:GridGroupByField FieldAlias="CompanyName" FieldName="CompanyName" ></radG:GridGroupByField> </SelectFields> <GroupByFields> <radG:GridGroupByField FieldName="CompanyName" SortOrder="Descending"></radG:GridGroupByField> </GroupByFields> </radG:GridGroupByExpression> </GroupByExpressions> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> A reference to the that allows you to set the properties of the grouping operation in a Telerik RadGrid control. Use the GroupingSettings property to control the settings of the grouping operations in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridGroupingSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridGroupingSettings object (for example, GroupingSettings-ExpandTooltip). Nest a <GroupingSettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, GroupingSettings.ExpandTooltip). Common settings usually include the tool tips for the sorting controls. Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets a reference to the object that allows you to set the properties of the sorting operation in a Telerik RadGrid control. A reference to the that allows you to set the properties of the sorting operation in a Telerik RadGrid control. Use the SortingSettings property to control the settings of the sorting operations in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridSortingSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridSortingSettings object (for example, SortingSettings-SortedAscToolTip). Nest a <SortingSettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, SortingSettings.SortedAscToolTip). Common settings usually include the tool tips for the sorting controls. The following code example demonstrates how to set the SortingSettings property declaratively. It sets the tooltips of the sorting control of the Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" AllowSorting="true"> <SortingSettings SortToolTip="SortToolTip" SortedAscToolTip="SortedAscToolTip" SortedDescToolTip="SortedDescToolTip" /> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Gets a reference to the object that allows you to set the properties of the hierarchical Telerik RadGrid control. A reference to the GridHierarchySettings that allows you to set the properties of the hierarchical Telerik RadGrid control. Use the HierarchySettings property to control the settings of the hierarchical Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridHierarchySettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridHierarchySettings object (for example, HierarchySettings-CollapseTooltip). Nest a <HierarchySettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, HierarchySettings.CollapseTooltip). Common settings usually include the tool tips for the hierarchical Telerik RadGrid control. Gets a reference to the object that allows you to set the properties of the grouping operation in a Telerik RadGrid control. A reference to the GridExportSettings that allows you to set the properties of the grouping operation in a Telerik RadGrid control. Use the ExportSettings property to control the settings of the grouping operations in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridGroupingSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridExportSettings object (for example, GroupingSettings-ExpandTooltip). Nest a <GroupingSettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, GroupingSettings.ExpandTooltip). Common settings usually include the tool tips for the sorting controls. Gets a reference to the object that allows you to set the properties of the validate operation in a Telerik RadGrid control. A reference to the that allows you to set the properties of the validate operation in a Telerik RadGrid control. The following code example demonstrates how to set the ValidationSettings property declaratively. It sets the validation for the PerformInsert command event of the TextBox1 control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" AutoGenerateColumns="false" runat="server"> <ValidationSettings EnableValidation="true" CommandsToValidate="PefrormInsert" /> <MasterTableView CommandItemDisplay="TopAndBottom"> <Columns> <radG:GridEditCommandColumn> </radG:GridEditCommandColumn> <radG:GridTemplateColumn HeaderText="ContactName" UniqueName="ContactName" DataField="ContactName"> <ItemTemplate> <%# Eval("ContactName") <see cref="TextBox Text='<">> </ItemTemplate> <EditItemTemplate> <asp</see># Bind("ContactName") %>' ID="TextBox1" runat="server"></asp:TextBox> <asp:RequiredFieldValidator ControlToValidate="TextBox1" ID="RequiredFieldValidator1" runat="server" ErrorMessage="RequiredFieldValidator"></asp:RequiredFieldValidator> </EditItemTemplate> </radG:GridTemplateColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT TOP 3 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Use the ValidationSettings property to control the settings of the validate operations in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridValidationSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridValidationSettings object (for example, ValidationSettings-EnableValidation). Nest a <ValidationSettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, ValidationSettings.EnableValidation). Common settings usually include the propeties for the validation logic in Telerik RadGrid control. Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Caches the BindGridInvisibleColumns configuration key Gets or sets a value determining if will automatically generate a . A value determining if will automatically generate a . Gets or sets a value determining if will automatically generate a with CommandName set to 'Delete'. A value determining if will automatically generate a with CommandName set to 'Delete'. Gets or sets a value indicating whether custom paging should be performed instead of the integrated automatic paging. This online example demonstrates an approach to implementing custom paging with Telerik RadGrid. The simulated "DataLayer" wraps the logic of extracting records for only the specified page and deleting records. Telerik RadGrid maintains the pager buttons, changing of pager and other presentation specific features. Another available option for custom paging support is represented in the how-to section. Note: There is no universal mechanism for grouping when custom paging is allowed. The reason for this is that with the custom paging mechanism you fetch only part of the whole information from the grid datasource. Thus, when you trigger the grouping event the grid is restricted from operating with the whole available source data and is not able to group the items accurately. Furthermore, the aggregate functions as Count, Sum, etc. (covering operations with the whole set of grid items) will return incorrect results. A workaround solution for you could be to use hierarchy in the grid instead of grouping to single out the grid items logically and visually according to custom criteria. Thus you will be able to use custom paging without further limitations. Another approach is to build your own complex SQL statements which to get the whole available data from the grid datasource and then group the items in the grid with custom code logic.

Finally, you can use standard paging instead of custom paging to ensure the consistency of the data on grouping.
true, if custom paging is allowed; otherwise false. The default is false.
Gets or sets a value indicating whether the automatic paging feature is enabled. true if the paging feature is enabled; otherwise, false. The default is false Instead of displaying all the records in the data source at the same time, the Telerik RadGrid control can automatically break the records up into pages. If the data source supports the paging capability, the Telerik RadGrid control can take advantage of that and provide built-in paging functionality. The paging feature can be used with any data source object that supports the System.Collections.ICollection interface or a data source that supports paging capability. To enable the paging feature, set the AllowPaging property to true. By default, the Telerik RadGrid control displays 10 records on a page at a time. You can change the number of records displayed on a page by setting the PageSize property. To determine the total number of pages required to display the data source contents, use the PageCount property. You can determine the index of the currently displayed page by using the CurrentPageIndex property. When paging is enabled, an additional item called the pager item is automatically displayed in the Telerik RadGrid control. The pager item contains controls that allow the user to navigate to the other pages. You can control the settings of the pager item by using the PagerItemStyle property. The pager item can be displayed at the top, bottom, or both the top and bottom of the control by setting the Position property. You can also select from one of four built-in pager display modes by setting the Mode property. The Telerik RadGrid control also allows you to define a custom template for the pager item. The following code example demonstrates how to use the AllowPaging property to declaratively enable the paging feature in the Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" AllowPaging="true" > </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework AllowCustomPaging Property Basic Paging Pager Item Gets or sets a value indicating whether the sorting feature is enabled. true if the sorting feature is enabled; otherwise, false. The default is false. When a data source control that supports sorting is bound to the Telerik RadGrid control, the Telerik RadGrid control can take advantage of the data source control's capabilities and provide automatic sorting functionality. To enable sorting, set the AllowSorting property to true. When sorting is enabled, the heading text for each column field with its SortExpression property set is displayed as a link button. Clicking the link button for a column causes the items in the Telerik RadGrid control to be sorted based on the sort expression. Typically, the sort expression is simply the name of the field displayed in the column, which causes the Telerik RadGrid control to sort with respect to that column. To sort by multiple fields, use a sort expression that contains a comma-separated list of field names. You can determine the sort expression that the Telerik RadGrid control is applying by using the SortExpression property. Clicking a column's link button repeatedly toggles the sort direction between ascending and descending order. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework The following code example demonstrates how to use the AllowSorting property to enable sorting in a Telerik RadGrid control when automatically generated columns are used. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" AllowSorting="true"> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Sorting Expressions Gets or sets a value indicating whether native LINQ expressions will be enabled. true if the sorting LINQ expressions are enabled; otherwise, false. The default is true. Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik RadGrid control. A reference to the that allows you to set the properties of the the client-side behavior and appearance in a Telerik RadGrid control. Use the ClientSettings property to control the settings of the client-side behavior and appearance in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridClientSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridClientSettings object (for example, ClientSettings-AllowDragToGroup). Nest a <ClientSettings> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, SortingSettings.AllowDragToGroup). Common settings usually include the behavior and appearance on the client-side. Gets a reference to the GridTableItemStyle object that allows you to set the appearance of alternating data items in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of alternating data items in a Telerik RadGrid control. Use the AlternatingItemStyle property to control the appearance of alternating data items in a Telerik RadGrid control. When this property is set, the data items are displayed alternating between the ItemStyle settings and the AlternatingItemStyle settings. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, AlternatingItemStyle-ForeColor). Nest an <AlternatingItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, AlternatingItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the AlternatingItemStyle property to declaratively define the style for alternating data items in a Telerik RadGrid control. <%@ Page language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html > <head id="Head1" runat="server"> <title>GridView ItemStyle and AlternatingItemStyle Example</title> </head> <body> <form id="form1" runat="server"> <h3>GridView ItemStyle and AlternatingItemStyle Example</h3> <radG:RadGrid id="CustomersGridView" datasourceid="CustomersSource" autogeneratecolumns="true" Skin="" runat="server"> <itemstyle backcolor="LightCyan" forecolor="DarkBlue" font-italic="true"/> <alternatingitemstyle backcolor="PaleTurquoise" forecolor="DarkBlue" font-italic="true"/> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:sqldatasource id="CustomersSource" selectcommand="Select [CustomerID], [CompanyName], [Address], [City], [PostalCode], [Country] From [Customers]" connectionstring="<<see cref="NorthWindConnectionString">$ ConnectionStrings</see>>" runat="server"/> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the group-header item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the group-header item in a Telerik RadGrid control. Use the GroupHeaderItemStyle property to control the appearance of the group-header item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, GroupHeaderItemStyle-ForeColor). Nest a <GroupHeaderItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, GroupHeaderItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the group-header item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin="None" > <GroupHeaderItemStyle BackColor="red" /> <MasterTableView> <GroupByExpressions> <radG:GridGroupByExpression> <SelectFields> <radG:GridGroupByField FieldAlias="CompanyName" FieldName="CompanyName" ></radG:GridGroupByField> </SelectFields> <GroupByFields> <radG:GridGroupByField FieldName="CompanyName" SortOrder="Descending"></radG:GridGroupByField> </GroupByFields> </radG:GridGroupByExpression> </GroupByExpressions> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets or sets a value indicating whether bound fields are automatically created for each field in the data source. When the AutoGenerateColumns property is set to true, an GridBoundColumn object is automatically created for each field in the data source. Each field is then displayed as a column in the Telerik RadGrid control in the order that the fields appear in the data source. This option provides a convenient way to display every field in the data source; however, you have limited control of how an automatically generated column field is displayed or behaves. This set of columns can be accessed using the AutoGeneratedColumns collection.
Runtime auto-generated columns will always appear after the user-specified columns, unless the columns are ordered programmatically.
Instead of letting the Telerik RadGrid control automatically generate the column fields, you can manually define the column fields by setting the AutoGenerateColumns property to false and then creating a custom Columns collection. In addition to bound column fields, you can also display a button column, a check box column, a button column, a hyperlink column, an image column, or a column based on your own custom-defined template etc.
true to automatically create bound fields for each field in the data source; otherwise, false. The default is true. The following code example demonstrates how to use the AutoGenerateColumns property to automatically create bound columns in a Telerik RadGrid control for each field in the data source. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" AutoGenerateColumns="true" AllowSorting="true"> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework
Gets or sets a value indicating whether detail tables will be automatically created from the dataset object to which the grid is bound. Gets or sets a value indicating if the property of both hierarchy and group items will be retained after a call to or method. Gets or sets the URL to an image to display in the background of a Telerik RadGrid control. The URL of an image to display in the background of the Telerik RadGrid control. The default is an empty string (""), which indicates that this property is not set. Use the BackImageUrl property to specify the URL to an image to display in the background of a Telerik RadGrid control. If the specified image is smaller than the Telerik RadGrid control, the image is tiled to fill in the background. If the image is larger than the control, the image is cropped. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets group panel control instance - visible only if grouping is enabled in grid (). Each 's Group-By-Expression is visualized in this panel. If grouping is enabled grid allows grouping by column(s) by drag-and-drop of columns from it's detail tables in this panel For this purpose set AllowDragToGroup property to true. You can modify panel's appearance using and . Gets or sets a value indicating whether the would be shown in Telerik RadGrid. true, when Telerik RadGrid will display the panel; otherwise false. The default is false. Specify the position of the of GroupPanel GroupPanel Gets or sets a value indicating whether the grouping is enabled. Most often this property is used in conjunction with property set to true. The easiest way to turn the grouping on is by using the grid's SmartTag option for enabling the grouping. Basic Grouping true, when the automatic grouping is enabled; otherwise false. The default is false. Gets or sets a value indicating whether Telerik RadGrid will perform automatic updates to the data source. true, when the automatic updates are allowed; otherwise false. The default is false. See Automatic Data Source Operations for details. Gets or sets a value indicating whether Telerik RadGrid will perform automatic insert of records to the data source. See Automatic Data Source Operations for details. true, when automatic insert into the database would be performed; otherwise false. The default is false. Gets or sets a value indicating whether Telerik RadGrid will automatically delete records from the specified data source. See Automatic Data Source Operations for details. true, when automatic delete from the database would be performed; otherwise false. The default is false. The instance of that represents the main grid-table view in RadGrid. Telerik RadGrid introduces a new approach to hierarchical data structures. The innovative in Telerik RadGrid is having a so called MasterTableView. This is the topmost table of the hierarchical structure. It is a with . The collection holds the so called DetailTables - tables related to the fields of the MasterTable. Each DetailTable can have its own GridTableViewCollection with other Detail Tables, thus forming the hierarchical structure.
Note: There is only one Master Table for a single Telerik RadGrid. This is the topmost table. All inner tables are referred as a Detail Tables regardless of whether they have related (inner) tables or not.
A reference to the topmost , i.e the MasterTableView. RadGrid and MasterTableView difference
            <radg:radgrid id="RadGrid1" runat="server"
CssClass= "RadGrid" Width="100%" AutoGenerateColumns="False" PageSize="3" AllowSorting="True"
AllowMultiRowSelection= "False" AllowPaging="True" GridLines="None" AllowFilteringByColumn="true">
<PagerStyle Mode="NumericPages" CssClass="Pager"></PagerStyle>
<HeaderStyle CssClass="Header"></HeaderStyle>
<ItemStyle CssClass="Row"></ItemStyle>
<AlternatingItemStyle CssClass="AltRow"></AlternatingItemStyle>
<MasterTableView DataKeyNames="CustomerID" AllowMultiColumnSorting="True">
<DetailTables>
<radG:GridTableView DataKeyNames="OrderID" DataMember="Orders">
<ParentTableRelation>
<radG:GridRelationFields DetailKeyField="CustomerID" MasterKeyField="CustomerID" />
</ParentTableRelation>
<DetailTables>
<radG:GridTableView DataKeyNames="OrderID" DataMember="OrderDetails">
<ParentTableRelation>
<radG:GridRelationFields DetailKeyField="OrderID" MasterKeyField="OrderID" />
</ParentTableRelation>
<Columns>
<radG:GridBoundColumn SortExpression="UnitPrice" HeaderText="Unit Price" HeaderButtonType="TextButton"
DataField= "UnitPrice">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="Quantity" HeaderText="Quantity" HeaderButtonType="TextButton"
DataField= "Quantity">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="Discount" HeaderText="Discount" HeaderButtonType="TextButton"
DataField= "Discount">
</radG:GridBoundColumn>
</Columns>
<SortExpressions>
<radG:GridSortExpression FieldName="Quantity" SortOrder="Descending"></radG:GridSortExpression>
</SortExpressions>
<ItemStyle BackColor="#A7B986"></ItemStyle>
<HeaderStyle CssClass="Header1"></HeaderStyle>
<AlternatingItemStyle BackColor="#D9E8C4"></AlternatingItemStyle>
</radG:GridTableView>
</DetailTables>
<Columns>
<radG:GridBoundColumn SortExpression="OrderID" HeaderText="OrderID" HeaderButtonType="TextButton"
DataField= "OrderID">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="OrderDate" HeaderText="Date Ordered" HeaderButtonType="TextButton"
DataField= "OrderDate">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="EmployeeID" HeaderText="EmployeeID" HeaderButtonType="TextButton"
DataField= "EmployeeID">
</radG:GridBoundColumn>
</Columns>
<SortExpressions>
<radG:GridSortExpression FieldName="OrderDate"></radG:GridSortExpression>
</SortExpressions>
<ItemStyle Height="19px" BackColor="#FCEDB0"></ItemStyle>
<HeaderStyle CssClass="Header2" ForeColor="#ffffff"></HeaderStyle>
<AlternatingItemStyle Height="19px" BackColor="#D5B96A"></AlternatingItemStyle>
</radG:GridTableView>
</DetailTables>
<Columns>
<radG:GridBoundColumn SortExpression="CustomerID" HeaderText="CustomerID" HeaderButtonType="TextButton"
DataField= "CustomerID">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="ContactName" HeaderText="Contact Name" HeaderButtonType="TextButton"
DataField= "ContactName">
</radG:GridBoundColumn>
<radG:GridBoundColumn SortExpression="CompanyName" HeaderText="Company" HeaderButtonType="TextButton"
DataField= "CompanyName">
</radG:GridBoundColumn>
</Columns>
<SortExpressions>
<radG:GridSortExpression FieldName="CompanyName"></radG:GridSortExpression>
</SortExpressions>
</MasterTableView>
<SelectedItemStyle ForeColor="White" BackColor="DarkBlue" CssClass=""></SelectedItemStyle>
</radg:radgrid>
Gets or sets an integer value representing the current page index. Note that the Paging must be enabled ( must be true) in order to use this property. zero-based int representing the index of the current page. Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the item selected for editing in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the item being edited in a Telerik RadGrid control. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Use the EditItemStyle property to control the appearance of the item being edited in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, EditItemStyle-ForeColor). Nest a <EditItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, EditItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the EditItemStyle property to define a custom style for the item being edited in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin="" > <EditItemStyle BackColor="red" /> <MasterTableView> <Columns> <radG:GridEditCommandColumn> </radG:GridEditCommandColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the footer item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the footer item in a Telerik RadGrid control. Use the FooterItemStyle property to control the appearance of the footer item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, FooterItemStyle-ForeColor). Nest a <FooterItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, FooterItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the footer item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin="" ShowFooter="true" > <FooterStyle BackColor="red" /> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets the style properties of the heading section in the RadGrid control. A reference to the that represents the style of the header item in a Telerik RadGrid control. Use the HeaderItemStyle property to control the appearance of the header item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, HeaderItemStyle-ForeColor). Nest a <HeaderItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, HeaderItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The ShowHeader property must be set to true for this property to be visible. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the header item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin="" > <HeaderStyle BackColor="red" /> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the filter item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the filter item in a Telerik RadGrid control. Use the FilterItemStyle property to control the appearance of the filter item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, FilterItemStyle-ForeColor). Nest a <FilterItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, FilterItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the filter item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin="" AllowFilteringByColumn="true"> <FilterItemStyle BackColor="red" /> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the command item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the command item in a Telerik RadGrid control. Use the CommandItemStyle property to control the appearance of the command item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, CommandItemStyle-ForeColor). Nest a <CommandItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, CommandItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the command item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin=""> <CommandItemStyle BackColor="red" /> <MasterTableView CommandItemDisplay="TopAndBottom"> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the active item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the actibe item in a Telerik RadGrid control. Use the ActiveItemStyle property to control the appearance of the active item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, ActiveItemStyle-ForeColor). Nest a <ActiveItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, ActiveItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the active item in a Telerik RadGrid control. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the MultiHeader item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the multi header item in a Telerik RadGrid control. Gets a collection of all GridDataItems. The RadGrid control automatically populates the Items collection by creating a GridDataItem object for each record in the data source and then adding each object to the collection. This property is commonly used to access a specific item in the control or to iterate though the entire collection of items. You cannot use this collection to get special Items like Header, Pager, Footer, etc. Handle event and use the event arguments to get a reference to such items. all grid data items as Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the data items in a RadGrid control. A reference to the GridTableItemStyle that represents the style of the data items in a Telerik RadGrid control. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework <%@ Page language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html > <head id="Head1" runat="server"> <title>GridView ItemStyle And AlternatingItemStyle Example</title> </head> <body> <form id="form1" runat="server"> <h3>GridView ItemStyle And AlternatingItemStyle Example</h3> <radG:RadGrid id="CustomersGridView" datasourceid="CustomersSource" autogeneratecolumns="true" Skin="" runat="server"> <itemstyle backcolor="LightCyan" forecolor="DarkBlue" font-italic="true"/> <alternatingitemstyle backcolor="PaleTurquoise" forecolor="DarkBlue" font-italic="true"/> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:sqldatasource id="CustomersSource" selectcommand="Select [CustomerID], [CompanyName], [Address], [City], [PostalCode], [Country] From [Customers]" connectionstring="<<see cref="NorthWindConnectionString">$ ConnectionStrings</see>>" runat="server"/> </form> </body> </html> Use the ItemStyle property to control the appearance of the data items in a Telerik RadGrid control. When the AlternatingItemStyle property is also set, the data items are displayed alternating between the ItemStyle settings and the AlternatingItemStyle settings. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. Gets the number of pages required to display the records of the data source in a Telerik RadGrid control. When the paging feature is enabled (by setting the AllowPaging property to true), use the PageCount property to determine the total number of pages required to display the records in the data source. This value is calculated by dividing the total number of records in the data source by the number of records displayed in a page (as specified by the PageSize property) and rounding up. The number of pages in a Telerik RadGrid control. The following code example demonstrates how to use the PageCount property to determine the total number of pages displayed in the Telerik RadGrid control. <%@ Page Language="C#" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> protected void RadGrid1_PreRender(object sender, EventArgs e) { Label1.Text = RadGrid1.PageCount.ToString(); } </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" AllowPaging="true" runat="server" OnPreRender="RadGrid1_PreRender"> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> <asp:Label ID="Label1" runat="server" Text="Label"></asp:Label></div> </form> </body> </html> <%@ Page Language="VB" > <@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Protected Sub RadGrid1_PreRender(ByVal sender As Object, ByVal e As System.EventArgs) Label1.Text = RadGrid1.PageCount.ToString() End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" AllowPaging="true" runat="server" OnPreRender="RadGrid1_PreRender" > </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> <asp:Label ID="Label1" runat="server" Text="Label"></asp:Label></div> </form> </body> </html> Gets a reference to the GridPagerStyle object that allows you to set the appearance of the page item in a Telerik RadGrid control. A GridPagerStyle object that contains the style properties of the paging section of the RadGrid control. The default value is an empty GridPagerStyle object. Use this property to provide a custom style for the paging section of the RadGrid control. Common style attributes that can be adjusted include forecolor, backcolor, font, and content alignment within the cell. Providing a different style enhances the appearance of the RadGrid control. To specify a custom style for the paging section, place the <PagerStyle> tags between the opening and closing tags of the RadGrid control. You can then list the style attributes within the opening <PagerStyle> tag. The following code example demonstrates how to use the PagerStyle property to specify a custom style for the page selection elements of the RadGrid control. <%@ Page Language="VB" %> <%@ Import Namespace="System.Data" <see cref="> <"/>@ Register TagPrefix="telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <script runat="server"> Function CreateDataSource() As ICollection Dim dt As New DataTable() Dim dr As DataRow dt.Columns.Add(New DataColumn("IntegerValue", GetType(Int32))) dt.Columns.Add(New DataColumn("StringValue", GetType(String))) dt.Columns.Add(New DataColumn("DateTimeValue", GetType(String))) dt.Columns.Add(New DataColumn("BoolValue", GetType(Boolean))) Dim i As Integer For i = 0 To 99 dr = dt.NewRow() dr(0) = i dr(1) = "Item " & i.ToString() dr(2) = DateTime.Now.ToShortDateString() If i Mod 2 <> 0 Then dr(3) = True Else dr(3) = False End If dt.Rows.Add(dr) Next i Dim dv As New DataView(dt) Return dv End Function 'CreateDataSource Sub ShowStats() lblEnabled.Text = "AllowPaging is " & RadGrid1.AllowPaging lblCurrentIndex.Text = "CurrentPageIndex is " & RadGrid1.CurrentPageIndex lblPageCount.Text = "PageCount is " & RadGrid1.PageCount lblPageSize.Text = "PageSize is " & RadGrid1.PageSize End Sub 'ShowStats Protected Sub RadGrid1_NeedDataSource(ByVal source As Object, ByVal e As Telerik.Web.UI.GridNeedDataSourceEventArgs) Handles RadGrid1.NeedDataSource RadGrid1.DataSource = CreateDataSource() ShowStats() End Sub Protected Sub CheckBox1_CheckedChanged(ByVal sender As Object, ByVal e As System.EventArgs) Handles CheckBox1.CheckedChanged If CheckBox1.Checked Then RadGrid1.PagerStyle.Mode = GridPagerMode.NumericPages Else RadGrid1.PagerStyle.Mode = GridPagerMode.NextPrev End If RadGrid1.Rebind() End Sub </script> <head id="Head1" runat="server"> <title>RadGrid Paging Example</title> </head> <body> <h3> RadGrid Paging Example</h3> <form id="form1" runat="server"> <radG:RadGrid ID="RadGrid1" runat="server" AllowPaging="True"> <PagerStyle Mode="NumericPages" HorizontalAlign="Right"></PagerStyle> <HeaderStyle BackColor="#aaaadd"></HeaderStyle> <AlternatingItemStyle BackColor="#eeeeee"></AlternatingItemStyle> </radG:RadGrid> <br /> <asp:CheckBox ID="CheckBox1" runat="server" Text="Show numeric page navigation buttons" AutoPostBack="true" /> <br /> <table style="background-color: #eeeeee; padding: 6"> <tr> <td style="display: inline"> <asp:Label ID="lblEnabled" runat="server" /><br /> <asp:Label ID="lblCurrentIndex" runat="server" /><br /> <asp:Label ID="lblPageCount" runat="server" /><br /> <asp:Label ID="lblPageSize" runat="server" /><br /> </td> </tr> </table> </form> </body> </html> <%@ Page Language="C#" %> <%@ Import Namespace="System.Data" <see cref="> <"/>@ Register TagPrefix="telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <script runat="server"> ICollection CreateDataSource() { DataTable dt = new DataTable(); DataRow dr; dt.Columns.Add(new DataColumn("IntegerValue", typeof(Int32))); dt.Columns.Add(new DataColumn("StringValue", typeof(string))); dt.Columns.Add(new DataColumn("DateTimeValue", typeof(string))); dt.Columns.Add(new DataColumn("BoolValue", typeof(bool))); int i; for (i = 0; (i <= 99); i++) { dr = dt.NewRow(); dr[0] = i; dr[1] = ("Item " + i.ToString()); dr[2] = DateTime.Now.ToShortDateString(); if (((i % 2) != 0)) { dr[3] = true; } else { dr[3] = false; } dt.Rows.Add(dr); } DataView dv = new DataView(dt); return dv; } // CreateDataSource void ShowStats() { lblEnabled.Text = ("AllowPaging is " + RadGrid1.AllowPaging); lblCurrentIndex.Text = ("CurrentPageIndex is " + RadGrid1.CurrentPageIndex); lblPageCount.Text = ("PageCount is " + RadGrid1.PageCount); lblPageSize.Text = ("PageSize is " + RadGrid1.PageSize); } // ShowStats protected void RadGrid1_NeedDataSource(object source, Telerik.Web.UI.GridNeedDataSourceEventArgs e) { RadGrid1.DataSource = CreateDataSource(); ShowStats(); } protected void CheckBox1_CheckedChanged(object sender, System.EventArgs e) { if (CheckBox1.Checked) { RadGrid1.PagerStyle.Mode = GridPagerMode.NumericPages; } else { RadGrid1.PagerStyle.Mode = GridPagerMode.NextPrev; } RadGrid1.Rebind(); } </script> <head id="Head1" runat="server"> <title>RadGrid Paging Example</title> </head> <body> <h3> RadGrid Paging Example</h3> <form id="form1" runat="server"> <radG:RadGrid ID="RadGrid1" runat="server" AllowPaging="True" OnNeedDataSource="RadGrid1_NeedDataSource"> <PagerStyle Mode="NumericPages" HorizontalAlign="Right"></PagerStyle> <HeaderStyle BackColor="#aaaadd"></HeaderStyle> <AlternatingItemStyle BackColor="#eeeeee"></AlternatingItemStyle> </radG:RadGrid> <br /> <asp:CheckBox ID="CheckBox1" runat="server" Text="Show numeric page navigation buttons" AutoPostBack="true" OnCheckedChanged="CheckBox1_CheckedChanged" /> <br /> <table style="background-color: #eeeeee; padding: 6"> <tr> <td style="display: inline"> <asp:Label ID="lblEnabled" runat="server" /><br /> <asp:Label ID="lblCurrentIndex" runat="server" /><br /> <asp:Label ID="lblPageCount" runat="server" /><br /> <asp:Label ID="lblPageSize" runat="server" /><br /> </td> </tr> </table> </form> </body> </html> Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework Gets or sets an integer value indicating the number of Items that a single page in Telerik RadGrid will contain. Note that the Paging must be enabled ( must be true) in order to use this property. integer, indicating the number of the Items that a single grid page would contain. Gets or sets a value indicating whether you will be able to select multiple rows in Telerik RadGrid. By default this property is set to false. true if you can have multiple rows selected at once. Otherwise, false. The default is false. Note: You will not be able to select the Header, Footer or Pager rows. Gets or sets a value indicating whether Telerik RadGrid will allow you to have multiple rows in edit mode. The default value is false. true if you can have more than one row in edit mode. Otherwise, false. The default value is false. You can see an example usage of this property in the following online example: http://www.telerik.com/r.a.d.controls/Grid/Examples/Hierarchy/ThreeLevel/DefaultCS.aspx private void Page_Load(object sender, EventArgs e) { if (!IsPostBack) { RadGrid1.SelectedIndexes.Add(1, 0, 1, 0, 1); //Index of 1, 0, 1, 0, 1 means: //1 - item with index 1 in the MasterTabelView //0 - detail table with index 0 //1 - item with index 1 (the second item) in the first detail table //0 - 0 the third-level detail table //1 - the item with index 1 in the third-level table } } Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Not IsPostBack Then RadGrid1.SelectedIndexes.Add(1, 0, 1, 0, 1) 'Index of 1, 0, 1, 0, 1 means: '1 - item With index 1 In the MasterTabelView '0 - detail table With index 0 '1 - item With index 1 (the second item) In the first detail table '0 - 0 the third-level detail table '1 - the item With index 1 In the third-level table End If End Sub Gets a collection of indexes of the selected items. returns of the indexes of all selected Items. Gets a collection of indexes of the selected items. returns of the indexes of all selected Items. Gets a collection of the indexes of the Items that are in edit mode. The following example demonstrates how to hide "Add New" button in the CommandItemTemplate when Telerik RadGrid is in edit/insert mode. The easiest way to check if Telerik RadGrid is in edit mode is to check whether the (EditIndexes gives a reference to this) is empty.
            <CommandItemTemplate>
                
                <asp:LinkButton ID="LinkButton1" Visible="<%# (!(RadGrid1.MasterTableView.IsItemInserted || RadGrid1.EditIndexes.Count >0 )) %>"
                
            runat="server" CommandName="InitInsert">Add New</asp:LinkButton>
                
            </CommandItemTemplate>
                
returns of all data items that are in edit mode.
Gets a collection of the currently selected GridDataItems Returns a of all selected data items. Gets a collection of the currently selected GridTableCells Returns a of all selected cells. Gets the data key value of the selected row in a RadGrid control. The data key value of the selected row in a RadGrid control. The following code example demonstrates how to use the SelectedValue property to determine the data key value of the selected row in a RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> Sub RadGrid1_SelectedIndexChanged(ByVal sender As Object, ByVal e As EventArgs) ' Display the primary key value of the selected row. Label1.Text = "The primary key value of the selected row is " & _ RadGrid1.SelectedValue.ToString() & "." End Sub </script> <html xmlns="http://www.w3.org/1999/xhtml"> <head runat="server"> <title>RadGrid SelectedValue Example</title> </head> <body> <form id="form1" runat="server"> <h3> RadGrid SelectedValue Example</h3> <asp:Label ID="Label1" ForeColor="Red" runat="server" /> <radG:RadGrid ID="RadGrid1" DataSourceID="SqlDataSource1" OnSelectedIndexChanged="RadGrid1_SelectedIndexChanged" runat="server"> <MasterTableView DataKeyNames="CustomerID"> <Columns> <radG:GridButtonColumn CommandName="Select" Text="Select" /> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" SelectCommand="SELECT * FROM [Customers]" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" /> </form> </body> </html> <%@ Page Language="C#" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <script runat="server"> protected void RadGrid1_SelectedIndexChanged(object sender, EventArgs e) { // Display the primary key value of the selected row. Label1.Text = "The primary key value of the selected row is " + RadGrid1.SelectedValue.ToString() + "."; } </script> <html xmlns="http://www.w3.org/1999/xhtml"> <head runat="server"> <title>RadGrid SelectedValue Example</title> </head> <body> <form id="form1" runat="server"> <h3> RadGrid SelectedValue Example</h3> <asp:Label ID="Label1" ForeColor="Red" runat="server" /> <radG:RadGrid ID="RadGrid1" DataSourceID="SqlDataSource1" OnSelectedIndexChanged="RadGrid1_SelectedIndexChanged" runat="server"> <MasterTableView DataKeyNames="CustomerID"> <Columns> <radG:GridButtonColumn CommandName="Select" Text="Select" /> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server And connects --> <!-- To the Northwind sample database. Use an ASP.NET --> <!-- expression To retrieve the connection String value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" SelectCommand="SELECT * FROM [Customers]" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" /> </form> </body> </html> Gets the corresponding data key values for the selected items in the grid. The corresponding data key values for the selected items in the grid. The EditItems collection contains InPlace edit mode items. When you switch the edit type to EditForms, the EditItems collection holds the currently edited items but not their EditFormItems (which in this case hold the new values). See this help article for more details. You should not use this property to check whether there are items in edit mode. The better approach is to use property instead. Gets a collection of all GridItems in edit mode. See the Remarks for more info. of all items that are in edit mode. Gets a reference to the object that allows you to set the appearance of the selected item in a Telerik RadGrid control. A reference to the GridTableItemStyle that represents the style of the selected item in a Telerik RadGrid control. Supported in: 3.0, 2.0, 1.1, 1.0 .NET Framework The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the selected item in a Telerik RadGrid control. <%@ Page Language="VB" %> <%@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server" Skin=""> <SelectedItemStyle BackColor="red" /> <MasterTableView> <Columns> <radG:GridButtonColumn Text="Select" UniqueName="Select" CommandName="Select"> </radG:GridButtonColumn> </Columns> </MasterTableView> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$NorthwindConnectionString>" SelectCommand="SELECT TOP 5 [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> </div> </form> </body> </html> Use the SelectedItemStyle property to control the appearance of the selected item in a Telerik RadGrid control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadGrid control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, SelectedItemStyle-ForeColor). Nest a <SelectedItemStyle> element between the opening and closing tags of the Telerik RadGrid control. The properties can also be set programmatically in the form Property.Subproperty (for example, SelectedItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. Gets or set a value indicating whether the footer item of the grid will be shown. Setting this property will affect all grid tables, unless they specify otherwise explicitly. The default value of this property is false. Gets or set a value indicating whether the statusbar item of the grid will be shown. This property is meaningful when the grid is in AJAX mode, i.e. when is set to true. See this help topic for more details. true if the status bar item would be shown, otherwise false. The default value of this property is false. Status bar item Gets a object that contains variable settings related to the status bar.
            <radG:RadGrid ID="RadGrid1" runat="server" DataSourceID="SqlDataSource1" ShowStatusBar="true" EnableAjax="true">
<StatusBarSettings LoadingText="Loading... Please wait!" ReadyText="Online" />
</radG:RadGrid>
returns a reference to object.
Gets or set a value indicating whether the header item of the grid will be shown. This default value for this property is true. Setting this property will affect all grid tables, unless they specify otherwise explicitly. Gets or sets a value, indicating the total number of items in the data source when custom paging is used. Thus the grid "understands" that the data source contains the specified number of records and it should fetch merely part of them at a time to execute requested operation. int, representing the total number of items in the datasource. The default value is 0. If you set a value that is greater than the actual number of items, RadGrid will show all available items plus empty pages (or whatever other content you set) for the items that exceed the actual number. For example you have a data source with 9'000 items and you set VirtualItemCount to 10'000. If your page size is 1000, the grid will render 10 pages and the last page will be empty (or with NoRecordsTemplate if you're using such). Gets a reference to object. The filtering menu appears when the filter button on the is clicked. returns a reference to object. This property is meaningful only when you have filtering enabled (by setting AllowFilteringByColumn="true"). The following example demonstrates how to customize the filtering menu: [ASPX/ASCX]
<head runat="server">
<title>Filter menu change</title>
<style type="text/css">
.FilterMenuClass1 td
{
background-color: white;
color: green;
font-size: 10px;
}
.FilterMenuClass2 td
{
background-color: blue;
color: white;
font-size: 15px;
}
</style>
</head>
<body>
<form id="form1" runat="server">
<div>
<script type="text/javascript">
function GridCreated()
{
window.setTimeout(SetFilterMenuClass(this), 500);
}
function SetFilterMenuClass(gridObject)
{
gridObject.FilterMenu.SelectColumnBackColor = "";
gridObject.FilterMenu.TextColumnBackColor = "";

}
</script>
<radG:RadGrid ID="RadGrid1" AllowFilteringByColumn="true" DataSourceID=
"AccessDataSource1"
AllowSorting= "True" runat="server">
<FilterMenu CssClass="FilterMenuClass1"></FilterMenu>
<ClientSettings>
<ClientEvents OnGridCreated="GridCreated" />
</ClientSettings>
</radG:RadGrid>
<br />
<asp:AccessDataSource ID="AccessDataSource1" DataFile="~/Grid/Data/Access/Nwind.mdb"
SelectCommand= "SELECT TOP 10 CustomerID, CompanyName, ContactName, ContactTitle, Address, PostalCode FROM Customers"
runat= "server"></asp:AccessDataSource>
<radG:RadGrid ID="RadGrid2" DataSourceID="AccessDataSource1" AllowSorting="True"
AllowFilteringByColumn= "true" Skin="Windows" runat="server">
<ClientSettings>
<ClientEvents OnGridCreated="GridCreated" />
</ClientSettings>
<FilterMenu CssClass="FilterMenuClass2"></FilterMenu>
</radG:RadGrid>
</div>
</form>
</body>
</html>
Represents a HeaderContextMenu Gets a collection () of all columns in Telerik RadGrid. This is one of the three columns collections in Telerik RadGrid. The other two are AutoGeneratedColumns and RenderColumns. returns a of all grid columns. The example below demonstrates how to use the columns collection to define columns declaratively (in the ASPX)
            		<
            		radG:RadGrid ID="RadGrid1" DataSourceID="AccessDataSource1" AllowPaging="True" ShowFooter="True"
runat="server" AutoGenerateColumns="False" AllowSorting="True" PageSize="3" Width="925px"
GridLines="None" CellPadding="0" Skin="Default" AllowMultiRowSelection="true">
<MasterTableView ShowFooter="True">
<RowIndicatorColumn Visible="False" UniqueName="RowIndicator">
<HeaderStyle Width="20px"></ HeaderStyle>
</RowIndicatorColumn >
<Columns >
<radG:GridEditCommandColumn FooterText="EditCommand footer" UniqueName="EditCommandColumn"
HeaderText="Edit&#160;Command Column">
</radG:GridEditCommandColumn >
<radG:GridClientSelectColumn UniqueName="CheckboxSelectColumn" HeaderText="CheckboxSelect column <br />" />
<radG:GridBoundColumn FooterText="BoundColumn footer" UniqueName="CustomerID" SortExpression="CustomerID"
HeaderText="Bound<br/ >Column" DataField="CustomerID">
</radG:GridBoundColumn >
<radG:GridCheckBoxColumn FooterText="CheckBoxColumn footer" UniqueName="Bool" HeaderText="CheckBox< br/>Column"
DataField="Bool">
</radG:GridCheckBoxColumn >
<radG:GridDropDownColumn FooterText="DropDownColumn footer" UniqueName="DropDownListColumn"
ListTextField="ContactName" ListValueField="CustomerID" DataSourceID="AccessDataSource2"
HeaderText="DropDown< br/>Column" DataField="CustomerID">
</radG:GridDropDownColumn >
<radG:GridButtonColumn FooterText="PushButtonColumn< br/>footer" DataTextFormatString="Select {0}"
ButtonType="PushButton" UniqueName="column" HeaderText="PushButton< br/>Column"
CommandName="Select" DataTextField="CustomerID">
</radG:GridButtonColumn >
<radG:GridButtonColumn FooterText="LinkButtonColumn footer" DataTextFormatString="Remove selection"
UniqueName="column1" HeaderText="LinkButton< br/>Column" CommandName="Deselect"
DataTextField="CustomerID">
</radG:GridButtonColumn >
<radG:GridHyperLinkColumn FooterText="HyperLinkColumn footer" DataTextFormatString="Search Google for '{0}'"
DataNavigateUrlField="CompanyName" UniqueName="CompanyName" DataNavigateUrlFormatString="http://www.google.com/search?hl=en&amp;q={0}&amp;btnG=Google+Search"
HeaderText="HyperLink< br/>Column" DataTextField="CompanyName">
</radG:GridHyperLinkColumn >
<radG:GridTemplateColumn UniqueName="TemplateColumn" SortExpression="CompanyName">
<FooterTemplate >
<img src="Img/image.gif" alt="" style="vertical-align: middle" />
Template footer
</FooterTemplate >
<HeaderTemplate >
<table id="Table1" cellspacing="0" cellpadding="0" width="300" border="1">
<tr >
<td colspan="2" align="center">
<b >Contact details</b ></td >
</tr >
<tr >
<td style="width: 50%" align="center">
<asp:LinkButton CssClass="Button" Width="140" ID="btnContName" Text="Contact name"
Tooltip="Sort by ContactName" CommandName='Sort' CommandArgument='ContactName' runat="server" /></td>

<td style="width: 50%" align="center">
<asp:LinkButton CssClass="Button" Width="140" ID="btnContTitle" Text="Contact title"
Tooltip="Sort by ContactTitle" CommandName='Sort' CommandArgument='ContactTitle'
runat="server" /></td>

</tr >
</table >
</HeaderTemplate >
<ItemTemplate >
<table cellpadding="1" cellspacing="1" class="customTable">
<tr >
<td style="width: 50%">
<%#Eval("ContactName") %>
</td >
<td style="width: 50%">
<%#Eval("ContactTitle") %>
</td >
</tr >
<tr >
<td colspan="2" align="center">
<a href='<%#"http://www.google.com/search?hl=en&amp;q=" + DataBinder.Eval(Container.DataItem, "ContactName") + "&amp;btnG=Google+Search"%>' >
<em >Search Google for
<%#Eval("ContactName") %>
</em ></a >
</td >
</tr >
<tr >
<td colspan="2" align="center">
<img src="Img/image.gif" alt="" />
</td >
</tr >
</table >
</ItemTemplate >
</radG:GridTemplateColumn >
</Columns >
</MasterTableView >
<ClientSettings >
<Selecting AllowRowSelect="true" />
</ClientSettings >
</radG:RadGrid >
this.RadGrid1 = new RadGrid(); this.RadGrid1.NeedDataSource += new GridNeedDataSourceEventHandler(this.RadGrid1_NeedDataSource); this.RadGrid1.AutoGenerateColumns = false; this.RadGrid1.MasterTableView.DataMember = "Customers"; GridBoundColumn boundColumn; boundColumn = new GridBoundColumn(); boundColumn.DataField = "CustomerID"; boundColumn.HeaderText = "CustomerID"; this.RadGrid1.MasterTableView.Columns.Add(boundColumn); .... //Add to page controls collection this.PlaceHolder1.Controls.Add( RadGrid1 ); Me.RadGrid1 = New RadGrid AddHandler RadGrid1.NeedDataSource, AddressOf Me.RadGrid1_NeedDataSource AddHandler RadGrid1.DetailTableDataBind, AddressOf Me.RadGrid1_DetailTableDataBind Me.RadGrid1.AutoGenerateColumns = False Me.RadGrid1.MasterTableView.DataMember = "Customers" Dim boundColumn As GridBoundColumn boundColumn = New GridBoundColumn boundColumn.DataField = "CustomerID" boundColumn.HeaderText = "CustomerID" Me.RadGrid1.MasterTableView.Columns.Add(boundColumn) ....'Add to page controls collection Me.PlaceHolder1.Controls.Add(RadGrid1)
This property returns true when the control is currently exporting a file Gets a value indicating whether a detail table is currently binding. Gets or sets the ID of the control from which the Telerik RadGrid control retrieves its list of data items. The ID of a control that represents the data source from which the Telerik RadGrid control retrieves its data. The default is String.Empty. If the Telerik RadGrid control has already been initialized when you set the DataSourceID property. This property cannot be set by themes or style sheet themes. The following code example demonstrates how the DataSourceID property of a Telerik RadGrid control is used. The Telerik RadGrid control is associated to the SqlDataSource control by setting its DataSourceID property to "SqlDataSource1", the ID of the SqlDataSource control. When the DataSourceID property is set (instead of the DataSource property), the Telerik RadGrid control automatically binds to the data source control at run time. <%@ Page Language="VB" <see cref="> <"/>@ Register Assembly="Telerik.Web.UI" Namespace="Telerik.Web.UI" TagPrefix="telerik" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radG:RadGrid DataSourceID="SqlDataSource1" ID="RadGrid1" runat="server"> </radG:RadGrid> <!-- This example uses Microsoft SQL Server and connects --> <!-- to the Northwind sample database. Use an ASP.NET --> <!-- expression to retrieve the connection string value --> <!-- from the Web.config file. --> <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<<see cref="NorthwindConnectionString">$ ConnectionStrings</see>>" SelectCommand="SELECT [CustomerID], [ContactName], [CompanyName] FROM [Customers]"> </asp:SqlDataSource> <asp:Label ID="Label1" runat="server" Text="Label"></asp:Label></div> </form> </body> </html> Gets or sets ID of RadClientDataSource control that to be used for client side binding Gets or sets the ODataDataSource used for data binding. Gets or sets a OData service DataModelID. The OData service DataModelID. Gets or sets the name of the Skin that Telerik RadGrid will use. In case one needs custom skin (not embedded within the assembly) she has to refer the respective .css in the head tag as explained in docs here: RadControls for ASP.NET Ajax Fundamentals -> Controlling Visual Appearance -> Creating a custom skin There are three possible scenarios for using this property: Leave this property unset or set it to "Default" - the default skin, common for the Telerik® UI for ASP.NET Ajax suite will be used Set the name of the embedded grid skin - the skin will be applied Set the name of the custom grid skin along with the EnableEmbeddedSkins="false" (see 'Creating a custom skin' Fundamentals article) Set this property to "" - no skin will be applied. Only the default grid images (for Expand/Collapse, Sort, Edit, etc) will be used. Use this option if you have own appearance customizations for prevous Telerik RadGrid versions. The name of the skin as String. Gets or sets a value indicating whether the filtering of all tables in the hierarchy will be enabled, unless specified other by GridTableView.AllowFilteringByColumn. true, enables filtering for the whole grid. Otherwise, false. Default is false. Change the filter type displayed in the filter dropdown Gets or sets a value indicating whether the header context menu should be enabled. true if the header context menu feature is enabled; otherwise, false. Default is false. Gets or sets a value indicating whether the option to set columns aggregates should appear in header context menu. true if the set columns aggregates option is enabled; otherwise, false. Default is false. Gets or sets a value indicating whether the header context filter menu should be enabled. true if the header context filter menu feature is enabled; otherwise, false. Default is false. Gets or sets default path for the grid images. A string containing the path for the grid images. The default is string.Empty. Gets or sets the selected culture. Localization strings will be loaded based on this value. The selected culture. Localization strings will be loaded based on this value. Gets or sets a value indicating where RadGrid will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadGridResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. When set to true enables support for WAI-ARIA Gets or sets a value indicating whether the hierarchy expand/collapse all header buttons should be switched on. A value indicating whether the hierarchy expand/collapse all header buttons should be switched on. Gets or sets a value indicating whether the groups expand/collapse all header buttons should be switched on. A value indicating whether the groups expand/collapse all header buttons should be switched on. This Class defines the RadListBox- a powerful ASP.NET AJAX control to display a list of items. It allows for multiple selection of items, reorder and transfer between two RadListBox controls. Drag and drop is fully supported as well. You can easily control the appearance by arranging the buttons in different layouts or changing their text. Icons and checkboxes are also supported within RadListBox items. RadListBox implements a highly efficient semantic rendering, which uses list items and CSS instead of tables. As a result the HTML output is significantly reduced, which dramatically improves performance. RadListBox is a flexible listbox control with the some unique features: Rich and highly customizable UI for item transfer, delete and reordering. Drag and drop support. Items can be reordered or transferred via drag and drop. Automatic update of the underlying data source during reorder, transfer or delete. Checkbox support All features supported by the built-in ListBox control. Adds the property to the IScriptDescriptor, if it's value is different from the given default. The descriptor to add the property to. The property name. The current value of the property. The default value. Gets an XML string representing the state of the control. All child items and their properties are serialized in this string. A String representing the state of the control - child items, properties etc. Use the GetXml method to get the XML state of the control. You can cache it and then restore it using the LoadXml method. Loads the control from an XML string. The string representing the XML from which the control will be populated. Use the LoadXml method to populate the control from an XML string. You can use it along the GetXml method to implement caching. Gets or sets the name of the validation group to which this validation control belongs. The name of the validation group to which this validation control belongs. The default is an empty string (""), which indicates that this property is not set. This property works only when CausesValidation is set to true. Gets or sets the URL of the page to post to from the current page when a tab from the tabstrip is clicked. The URL of the Web page to post to from the current page when a tab from the tabstrip control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets or sets a value indicating whether validation is performed when an item within the control is selected. true if validation is performed when an item is selected; otherwise, false. The default value is true. By default, page validation is performed when an item is selected. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. You can specify or determine whether validation is performed on both the client and the server when an item is clicked by using the CausesValidation property. To prevent validation from being performed, set the CausesValidation property to false. Used to customize the keyboard navigation functionality. Generic method for splitting items in rows. For example: GetRowItems(1, 2, [1,2,3,4,5,6,7]) -> [1,2,3,4] GetRowItems(2, 2, [1,2,3,4,5,6,7]) -> [5,6,7] Item type Current row index Total number of rows The full IList of items The items belonging to the specified row Given that new items are inserted one at a time at the last row this method will arrange them in such manner that the number of items in the rows is in descending order. Works by moving the first item from each row (starting from the last) to the end of the previous in order to leave any incomplete rows at the end. If we have: 1) A, B 2) C, 3) D, E The result would be: 1) A, B 2) C, D 3) E Item type The array of Queues representing each row Generic method for splitting items in columns. For example: GetColumnItems(1, 2, [1,2,3,4,5,6,7]) -> [1,3,5,7] GetColumnItems(2, 2, [1,2,3,4,5,6,7]) -> [2,4,6] Item type Current column index Total number of columns The full IList of items The items belonging to the specified column Loads the posted content of the list control, if it is different from the last posting. The key identifier for the control, used to index the postCollection. A that contains value information indexed by control identifiers. true if the posted content is different from the last posting; otherwise, false. Invokes the method whenever posted data for the RadListBox control has changed. Sets the property of a after a page is posted back. The index of the Item to select in the collection. Populates the control from an XML file Name of the XML file. Deletes the specified item. Fires the and events. The item which should be deleted. The Delete method updates the underlying datasource if the is set to true. Deletes the specified list of items. Fires the and events. The list of items which should be deleted. The Delete method updates the underlying datasource if the is set to true. This example demonstrates how to programmatically delete the selected items. RadListBox1.Delete(RadListBox1.SelectedItems); RadListBox1.Delete(RadListBox1.SelectedItems) Transfers the specified list of items from the source to the destination listbox. Fires the and events. The items to transfer. The source list box. The destination list box. Always call the Transfer method of the RadListBox whose property is set! The Transfer method updates the underlying datasource if the is set to true. RadListBox1.TransferToID = "RadListBox2"; //Transfers all items of RadListBox1 to RadListBox2 RadListBox1.Transfer(RadListBox1.Items, RadListBox1, RadListBox2); //Transfers all items of RadListBox2 to RadListBox1. Notice that we do not use RadListBox2.Transfer RadListBox1.Transfer(RadListBox2.Items, RadListBox2, RadListBox1); RadListBox1.TransferToID = "RadListBox2" 'Transfers all items of RadListBox1 to RadListBox2 RadListBox1.Transfer(RadListBox1.Items, RadListBox1, RadListBox2) 'Transfers all items of RadListBox2 to RadListBox1. Notice that we do not use RadListBox2.Transfer RadListBox1.Transfer(RadListBox2.Items, RadListBox2, RadListBox1); Transfers the specified item from the source list box to the destination listbox. Fires the and events. The item to transfer. The source list box. The destination list box. Always call the Transfer method of the RadListBox whose property is set! The Transfer method updates the underlying datasource if the is set to true. The following example demonstrates how to use the Transfer method RadListBox1.TransferToID = "RadListBox2"; //Transfers the first item of RadListBox1 to RadListBox2 RadListBox1.Transfer(RadListBox1.Items[0], RadListBox1, RadListBox2); //Transfers the first item of RadListBox2 to RadListBox1. Notice that we do not use RadListBox2.Transfer RadListBox1.Transfer(RadListBox2.Items[0], RadListBox2, RadListBox1); RadListBox1.TransferToID = "RadListBox2" 'Transfers the first item of RadListBox1 to RadListBox2 RadListBox1.Transfer(RadListBox1.Items(0), RadListBox1, RadListBox2) 'Transfers the first item of RadListBox2 to RadListBox1. Notice that we do not use RadListBox2.Transfer RadListBox1.Transfer(RadListBox2.Items(0), RadListBox2, RadListBox1); Moves the item at old index to new index by calculating the offset. Fires the and events. The old (current) index of the item. The new index of the item. The Reorder method updates the underlying datasource if the is set to true. //Reorder the first item to second place RadListBox1.Reorder(0, 1); 'Reorder the first item to second place RadListBox1.Reorder(0, 1) Moves the item at old index to new index. Fires the and events. The old (current) index of the item. The new index of the item. The ReorderToIndex method updates the underlying datasource if the is set to true. //Reorder the first item to second place RadListBox1.ReorderToIndex(0, 1); 'Reorder the first item to second place RadListBox1.ReorderToIndex(0, 1) Reorders the specified items with the specified offset. Fires the and events. The items. The offset. he Reorder method updates the underlying datasource if the is set to true. //Move all selected items with one position down RadListBox1.Reorder(RadListBox1.SelectedItems, 1); 'Move all selected items with one position down RadListBox1.Reorder(RadListbox1.SelectedItems, 1) Reorders the specified items to the specified index. Fires the and events. The items. The target index. The ReorderToIndex method updates the underlying datasource if the is set to true. //Move all selected items (first and second) to an index below them. RadListBox1.ReorderToIndex(RadListBox1.SelectedItems, 3); 'Move all selected items (first and second) to an index below them. RadListBox1.Reorder(RadListbox1.SelectedItems, 3) Finds the first item for which the specified predicate returns true. The predicate which will test all items. The first item for which the specified predicate returns true. Null (Nothing) is returned if no item matches. The following example demonstrates how to use the FindItem method to find the first item whose starts with "A" RadListBoxItem item = RadListBox1.FindItem(delegate(RadListBoxItem currentItem) { return currentItem.Text.StartsWith("A"); }); Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadListBox1.FindItem(AddressOf Find) End Sub Public Function Find(ByVal currentItem As RadListBoxItem) As Boolean Find = currentItem.Text.StartsWith("A") End Function Finds the first item whose property is the same as the specified text. The text to search for. The first item whose property is the same as the specified text. Null (Nothing) otherwise. Finds the first item whose property is the same as the specified value. The value to search for. The first item whose property is the same as the specified value. Null (Nothing) otherwise. Clears the selection. The property of all items is set to false. Clears the checked items. The property of all items is set to false. Gets an array containing the indices of the currently selected items in the RadListBox control. Gets an array containing the indices of the currently checked items in the RadListBox control. Finds the index of the item whose property is the same as the specified value. The value. The index of the item whose property is the same as the specified value. -1 if no item is found. Finds the index of the item whose property is the same as the specified value. The value. if set to true case insensitive comparison is made. The index of the item whose property is the same as the specified value. -1 if no item is found. Sorts the items in the RadListBox. RadListBox1.Sort=RadListBoxSort.Ascending RadListBox1.SortItems() RadListBox1.Sort=RadListBoxSort.Ascending; RadListBox1.SortItems(); Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. Gets or sets the enable mark matches. The enable mark matches. Gets the localization. The localization. Gets or sets a value indicating where RadListBox will look for its .resx localization files. The localization path. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets or sets a value indicating whether to update the underlying datasource after postback caused by reorder, delete or transfer. true if the datasource should be update; otherwise, false. The default value is false. Automatic updates require postback so the , or should be set to true depending on the requirements. Gets a object that stores the key values of each record. The data keys. The DataKeys property is populated after databinding if the property is set. Gets or sets a value indicating whether RadListBox should post back after delete. true if RadListBox should postback after delete; otherwise, false. The default value is false. Gets or sets a value indicating whether RadListBox should post back after transfer. true if RadListBox should postback after transfer; otherwise, false. The default value is false. Gets or sets a value indicating whether RadListBox should post back after reorder. true if RadListBox should postback after reorder; otherwise, false. The default value is false. Gets or sets the transfer mode used for transfer operations. The transfer mode. The default value is If the TransferMode property is set to the items would be deleted from the source listbox before inserting them in the destination listbox. The TransferMode property of the listbox whose property is set is taken into account. Gets or sets a value indicating whether the double click on a item causes transfer true if the user should be able to transfer items with double click; otherwise, false. The default value is false. Gets or sets a value indicating whether the user can transfer the same item more than once. The property should only be used together with SelectionType="Copy" true if the user should be able to transfer the same item more than once; otherwise, false. The default value is false. Gets the which the current list box is configured to transfer to via the property. The transfer to list box. null (Nothing) if the property is not set. Gets or sets the ID of the which the current listbox should transfer to. Set the TransferToID property only of one of the two listboxes which will transfer items between each other. The ID of the target listbox. Gets or sets a value indicating whether RadListBox should persist the changes that occurred client-side (reorder, transfer, delete) after postback. true if client-side changes should be persisted after postback; otherwise, false. The default value is true. Used to customize the appearance and position of the buttons displayed by RadListBox. Gets or sets a value that indicates whether the CheckAll checkbox is shown in ListBox. Gets or sets a value indicating whether RadListBox displays the reordering buttons. true if reordering UI is displayed; otherwise, false. The default value is false. Gets or sets a value indicating whether RadListBox displays the delte button. true if delete button is displayed; otherwise, false. The default value is false. Gets or sets a value indicating whether RadListBox displays the transfer buttons. true if transfer UI is displayed; otherwise, false. The default value is false. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadListBox selection. Set this property to true if the server needs to capture the selection as soon as it is made. For example, other controls on the Web page can be automatically filled depending on the user's selection from a list control. This property can be used to allow automatic population of other controls on the Web page based on a user's selection from a list. The value of this property is stored in view state. The server-side event that is fired is SelectedIndexChanged. Gets the currently checked items in the ListBox. When set to true enables Drag-and-drop functionality Gets or sets the empty message. The empty message. Gets or sets the that defines the empty message template. The item template. Gets or sets the that defines the header template. The header template. Gets or sets the that defines the footer template. The footer template. Get a header of RadListBox. Get a footer of RadListBox. Gets or sets the that defines how items in the control are displayed. The item template. Gets or sets the HTML template of a when added on the client. Gets the items of the control. The object which represents the items. You can use the Items property to add and remove items in the control. Gets or sets the selected index of the control. The index that should be selected. Set the selected index to -1 to clear the selection. Gets the currently selected Item in the ListBox. A which is currently selected. Null (Nothing) if there is no selected item ( is -1). Gets the currently selected items in the ListBox. Gets the of the selected item. When set selects the item with matching property. Gets or sets the Selection Mode of the RadListBox. Automatically sorts items alphabetically (based on the Text property) in ascending or descending order. RadListBox1.Sort = RadListBoxSort.Ascending; RadListBox1.Sort = RadListBoxSort.Descending; RadListBox1.Sort = RadListBoxSort.None; RadListBox1.Sort = RadListBoxSort.Ascending RadListBox1.Sort = RadListBoxSort.Descending RadListBox1.Sort = RadListBoxSort.None Gets/sets whether the sorting will be case-sensitive or not. By default is set to true. RadListBox1.SortCaseSensitive = false; RadListBox1.SortCaseSensitive = false When set to true displays a checkbox next to each item. Gets a list of all client-side changes (adding an Item, removing an Item, changing an Item's property) which have occurred. Gets or sets the key field in the data source. Usually this is the database column which denotes the primary key. The name of the key field in the data source specified. DataKeyField is required for automatic data source updates during transfer, reorder and delete. Gets or sets the sort field in the data source. The sort field must be of numeric type. The name of the sort field in the data source specified. DataSortField is required for automatic data source updates during reorder. Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. The ID of the RadAjaxLoadingPanel to be displayed during LOD Gets or sets the EnableLoadOnDemand property. The EnableLoadOnDemand property. Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public RadListBoxItemData[] WebServiceMethodName(object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } Occurs when items's sort order is updated during the reordering. Occurs when items's sort order is updated during the reordering. Occurs when items are deleted. Occurs when items are deleted. Occurs when item is transferred. Occurs when item is transferred. Can be cancelled by setting the property to true. Occurs when item is inserted. Occurs when item is inserted. Can be cancelled by setting the property to true. Occurs when item is reordered. Occurs when item is reordered. Can be cancelled by setting the property to true. Occurs before drag and drop Occurs after drag and drop Occurs when item is data bound. Use the ItemDataBound event to set additional properties of the databound items. protected void RadListBox1_ItemDataBound(object sender, RadListBoxItemEventArgs e) { e.Item.ToolTip = (string)DataBinder.Eval(e.Item.DataItem, "ToolTipColumn"); } Protected Sub RadListBox1_ItemDataBound(sender As Object, e As RadListBoxItemEventArgs) e.Item.ToolTip = DirectCast(DataBinder.Eval(e.Item.DataItem, "ToolTipColumn"), String) End Sub Occurs when item is created. The ItemCreated event occurs before and after postback if ViewState is enabled. ItemCreated is not raised for items defined inline in the ASPX. Occurs before template is being applied to the item. The TemplateNeeded event is raised before a template is been applied on the item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the items. protected void RadListBox1_TemplateNeeded(object sender, Telerik.Web.UI.RadListBoxItemEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Item); } } } Sub RadListBox1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadListBoxItemEventArgs) Handles RadListBox1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Item) End If End If End Sub Occurs when an item is checked Occurs when the checkAll item is checked Occurs when the selected index has changed. Occurs when text was changed. Occurs when the control performs callback. Gets or sets a value indicating the client-side event handler that is called when the RadListBOx is about to be populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemRequestingHandler(sender, eventArgs)
{
var context = eventArgs.get_context();
context["Parameter1"] = "Value";
}
</script>
<telerik:RadListBox ID="RadListBox1"
runat="server"
OnClientItemPopulating="onClientItemPopulatingHandler">
....
</telerik:RadListBox>
If specified, the OnClientItemsRequesting client-side event handler is called when the RadListBox is about to be populated. Two parameters are passed to the handler: sender, the listBox client object; eventArgs with three properties: get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the RadListBox items were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequested(sender, eventArgs)
{
alert("Loading finished");
}
</script>
<telerik:RadListBox ID="RadListBox1"
runat="server"
OnClientItemsRequested="onItemsRequested">
....
</telerik:RadListBox>
If specified, the OnClientItemsRequested client-side event handler is called when the RadListBox items were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs, null for this event. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadListBox has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequestFailed(sender, eventArgs)
{
alert("Error: " + errorMessage);
eventArgs.set_cancel(true);
}
</script>
<telerik:RadListBox ID="RadListBox1"
runat="server"
OnClientItemsRequestFailed="onItemsRequestFailed">
....
</telerik:RadListBox>
If specified, the OnClientItemsRequestFailed client-side event handler is called when the operation for populating the RadListBox has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled.
Gets or sets the name of the JavaScript function called when an Item is created during Web Service Load on Demand. Gets or sets the name of the JavaScript function which handles the selectedIndexChanging client-side event. The selectedIndexChanging client-side event occurs when the selection changes. The selectedIndexChanging event can be cancelled by setting its cancel client-side property to false. function onSelectedIndexChanging(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the selectedIndexChanged client-side event. The selectedIndexChanged client-side event occurs when the selection changes. Gets or sets a value indicating the client-side event handler that is called before the browser context panel shows (after right-clicking an item). Use theOnClientContextMenu property to specify a JavaScript function that will be executed before the context menu shows after right clicking an item. function onContextMenu(sender, args) { var item = args.get_item(); } Gets or sets the name of the JavaScript function which handles the itemChecking client-side event. The itemChecking event occurs when the item is checked. The itemChecking event can be cancelled by setting its cancel client-side property to false. function onItemChecking(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the itemChecked client-side event. The itemChecked event occurs when the item is checked. Gets or sets the name of the JavaScript function which handles the checkAllItemChecked client-side event. The JavaScript function executed when CheckAll checkbox is checked. Gets or sets the name of the JavaScript function which handles the checkAllItemChecked client-side event. The JavaScript function executed before CheckAll checkbox is checked. Gets or sets the name of the JavaScript function which handles the deleting client-side event. The deleting event occurs when an items are deleted (during transfer or delete for example). The deleting event can be cancelled by setting its cancel client-side property to false. function onDeleting(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the deleted client-side event. The deleted event occurs when an itema are deleted (during transfer or delete for example). Gets or sets the name of the JavaScript function which handles the transferring client-side event. The transferring event occurs when an item is transferred. The transferring event can be cancelled by setting its cancel client-side property to false. function onTransferring(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the transferred client-side event. The transferred event occurs when an item is transferred. Gets or sets the name of the JavaScript function which handles the reordering client-side event. The reordering event occurs when an item is reordered. The reordering event can be cancelled by setting its cancel client-side property to false. function onReordering(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the reordered client-side event. The reordered event occurs when an item is reordered. Gets or sets the name of the JavaScript function which handles the mouseOver client-side event. The mouseOver event occurs when the user hovers a listbox item with the mouse. Gets or sets the name of the JavaScript function which handles the mouseOut client-side event. The mouseOut event occurs when the user moves away the mouse from a listbox item. Gets or sets the name of the JavaScript function which handles the load client-side event. The load event occurs when RadListBox is initialized. Gets or sets the name of the JavaScript function which handles the itemDragStart client-side event. The itemDragStart event occurs when user starts to drag an item. The itemDragStart event can be cancelled by setting its cancel client-side property to false. function onItemDragStart(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the itemDragging client-side event. The itemDragging event occurs when user moves the mouse while dragging an item. Gets or sets the name of the JavaScript function which handles the itemDropping client-side event. The itemDropping event occurs when the user drops an item onto another item. Gets or sets the name of the JavaScript function which handles the itemDropped client-side event. The itemDropped event occurs after the user drops an item onto another item. Gets or sets the name of the JavaScript function called when the client template for an item is evaluated Object returned from the GetBindingData methods. Returns a result and the count of the returned items. Used when binding the to a service. Gets or sets the number of items in the binding data. The number of items in the binding data. Gets or sets the binding data. The binding data. Object returned from the GetBindingData methods. Returns a result and the count of the returned items. Used when binding the to a service. Gets or sets the binding data. The binding data. Gets or sets the number of items in the binding data. The number of items in the binding data. Generic object returned from the RadGrid.GetBindingData methods. Returns a result and the count of the returned items. Used when binding the to a service. Gets or sets the binding data. The binding data. Gets or sets the number of items in the binding data. The number of items in the binding data. A specific extension of base functionality. Introduces a new method called GetData which is used in GetBindingData method to retrieve a data. Use the GetBindingData method instead. Specifies the border color. Specifies the border width. Defines a class that supports serialization to JavaScirpt through JavaScriptConverter-s. This is a form of dependency injection pattern. Registers the required JavaScriptConverter classes. The serializer that will use the converters. Encapsulates the overlay appearance properties of the HtmlChart control Defines the type of gradient to use when visualizing the series items. Defines the default values of the Overlay state. A step value for defining BaseUnitSteps in a collection The value for the defined step A collection of BaseUnit steps Add a step with the specified value The value of the step Add a range of step values The list of values Convert the collection into a list of values only The integer list of values Serialize the BaseUnitSteps to JSON JavaScriptConverters used in the serialization to JSON The list of steps for units that are seconds The list of steps for units that are minutes The list of steps for units that are hours The list of steps for units that are days The list of steps for units that are weeks The list of steps for units that are months The list of steps for units that are years Detects if there are defined steps JavaScriptConverter for BaseUnitSteps List of supported serializable types The legend alignment. The legend is aligned to the start. The legend is aligned to the center. The legend is aligned to the end. DashTypes for line dashing a line consisting of dashes a line consisting of a repeating pattern of dash-dot a line consisting of dots a line consisting of a repeating pattern of long-dash a line consisting of a repeating pattern of long-dash-dot a line consisting of a repeating pattern of long-dash-dot-dot a solid line Available Gradients for the HtmlChart The item is rendered with no gradient Gradient suitable for Bar, Column and CandleStick series Gradient suitable for the Pie and Donut series Gradient suitable for the Pie and Donut series Specifies that the value of the stack is the sum of all points in the category. Specifies that the values of the data items are represented as percentages, totaling up to 100% for each category. Sets the numeric scale of the axis. Specifies logarithmic scale of the axis. The enumerator that defines the summary type of WaterfallSeriesItem Displays the default item. Displays the sum of all items since the last "runningTotal" point. Displays the sum of all previous items. Specifies the panning settings of the chart. Specifies if the panning is enabled. Specifies the axis lock. Specifies a keyboard key that should be pressed to activate the panning. The border of the Bullet target Specifies the color of the target. The line appearance of the target. Get/Set the line width of the target. A collection of bullet series items. Add an item by its current value. The current value of the item Add an item by its current and target values. The current value of the item The target value of the item Add an item by its current, target and background color values. The current value of the item The target value of the item The background color of the item Represents an item for the Bullet series. Specifies the background color of the series item The current value of the item. The target value of the item. The vertical variation of the bullet series. Bullet series is a variation of a bar chart. The bullet graph compares a given quantitative measure (such as temperature) against qualitative ranges (e.g. warm, hot, mild, cool, chilly, cold, freezing, icy, frosty) and a symbol marker that encodes the comparative measure (for example the max temperature a year ago). Gets the type of the series Get/Set the serialized data entities in a list format. This property is usually set if the series is data bound Get/Set the name of the series Get/Set the visibility of the series Get/Set the visibility of the series in the legend Get/set the name of the axis, to which the values will be associated The data field with the values of the series The data field with the values of the series along the X axis The data field with the values of the series along the Y axis Specifies the size value of the bubble item in bubble series when the chart is databound. Specifies the tooltip value of the bubble item in bubble series when the chart is databound. The Items collection is Obsolete. Use the SeriesItems collection to specify the series items. The Items collection is Obsolete. Use the SeriesItems collection to specify the series items. The Items collection is Obsolete. Use the SeriesItems collection to programmatically set the series items. Defines the appearance settings of the series Defines the appearance settings of the series Specifies the color of the series when the chart is databound. Specifies the color of the series when the chart is databound. The collection of series items for the Bullet series The target of the Bullet series. For a data-binding scenario define the field for the current value. For a data-binding scenario define the field for the target value. Create s vertical box plot series. Create s box plot series. Creates a collection of box plot series items. Defines the appearance settings of the outliers. Defines the appearance settings of the extremes. The field which specifies the lower value of the box plot item when the chart is databound. The field which specifies the upper value of the box plot item when the chart is databound. The field which specifies the Q1 value of the box plot item when the chart is databound. The field which specifies the median value of the box plot item when the chart is databound. The field which specifies the Q3 value of the box plot item when the chart is databound. The field which specifies the mean value of the box plot item when the chart is databound. The field which specifies the outliers value of the box plot item when the chart is databound. Specifies the zooming when selection is used. Specifies if the selection should trigger a zooming action. Specifies the axis lock. Specifies a keyboard key that should be pressed to activate the selection. Specifies the zooming action when the mouse wheel is used. Specifies if the mouse wheel should trigger a zooming action. Specifies the axis lock. Specifies that there is no axis lock. Specifies a lock of the X axis. Specifies a lock of the Y axis. Specifies whether the zooming functionality is enabled not. Specifies the zooming settings when the mouse wheel is used. Specifies the zooming settings when selection is used. Gets or sets the name of the JavaScript function that will be called when a series is clicked. Gets or sets the name of the JavaScript function that will be called when a series is hovered. Gets or sets the name of the JavaScript function that will be called when a legend item is clicked. Gets or sets the name of the JavaScript function that will be called when a legend item is hovered. Gets or sets the name of the JavaScript function that will be called when the client load event is raised. Specifies a function that will be called when the user starts dragging the chart. Specifies a function that will be called when the user is dragging the chart. Specifies a function that will be called when the user stops dragging the chart. Specifies a function that will be called when the user stops starts zooming the chart using the mouse wheel. Specifies a function that will be called when the user is zooming of the chart using the mouse wheel. Specifies a function that will be called when the user stops zooming the chart.")] JS Converter for the class JS Converter for the SeriesAppearance class. A function that can be used to create a custom visual for the legend items. The available argument fields are: options - the item options. createVisual - a function that can be used to get the default visual. Get/Set whether the object should be visible Specifies the rotation angle Get/Set the data format string of the labels Defines the text style settings Defines that every n-th axis label will be rendered. Defines that the first n axis labels will not be displayed Specifies text color of the labels A function that can be used to create a custom visual for the labels. The available argument fields are: text - the label text; rect - the kendo.geometry.Rect that defines where the visual should be rendered; options - the label options; createVisual - a function that can be used to get the default visual; A way to define a client-side template for the labels appearance. #= value # Specifies whether labels should be displayed on the other side of the axis Specifies the axis title position Get/Set the text of axis title Defines the text style settings A function that can be used to create a custom visual for the title. The available argument fields are: text - the label text; rect - the kendo.geometry.Rect that defines where the visual should be rendered; options - the label options; createVisual - a function that can be used to get the default visual; Specifies the field to bind labels to Get/Set the labels position Defines the common visual appearance settings for the series' tooltips Get/Set whether the object should be visible Specifies background color of the tooltips Specifies text color of the tooltips Get/Set the data format string of the tooltips Specifies the rotation angle A way to define a client-side template for the labels appearance. #= value # Specifies if the tooltips will be shared or not. Specifies the client shared template for the series' tooltips Get/Set whether the labels position Get/Set whether the labels position Get/Set the line width of the series. Defines the line style. Specifies the rotation angle Get/Set the markers shape Specifies background color of the markers Specifies the size of the markers Specifies the border color of the markers. Specifies the border width of the markers. A function that can be used to create a custom visual for the markers. The available argument fields are: rect - the kendo.geometry.Rect that defines where the visual should be rendered; options - the label options; createVisual - a function that can be used to get the default visual; category - the category of the marker point; dataItem - the dataItem of the marker point; value - the value of the marker point; series - the series of the marker point; Get/Set whether the labels position Get/Set whether the object should be visible Get/Set the From labels appearance settings. Get/Set the To labels appearance settings. Specifies the fill style of the chart background Contains properties related to the overlay of series elements A function that can be used to create a custom visual for the markers. The available argument fields are: rect - the kendo.geometry.Rect that defines where the visual should be rendered; options - the label options; createVisual - a function that can be used to get the default visual; category - the category of the marker point; dataItem - the dataItem of the marker point; value - the value of the marker point; series - the series of the marker point; percentage - the point value represented as a percentage value. Available only for donut, pie and 100% stacked charts. runningTotal - the sum of point values since the last "runningTotal" summary point. Available for waterfall series. total - the sum of all previous series values. Available for waterfall series. Telerik HtmlChart control Get/Set the Width of the RadHtmlChart control Get/Set the Height of the RadHtmlChart control Get/Set whether transition animations should be played Get/Set when actual data will be loaded Gets/Sets the rendering engine of the chart Defines the appearance settings of the chart Defines the settings of the chart title Defines the settings of the chart title Defines the plot area of the chart Defines the plot area of the chart This property is needed for the Type page of the design time configuration manager. Gets or sets the name of the JavaScript function that will be called when a series is clicked. Gets or sets the name of the JavaScript function that will be called when a series is hovered. Specifies the handlers of the client-side events Specifies the zooming configuration of the chart. Specifies the panning configuration of the chart. Defines the appearance settings of the chart legend The chart legend item configuration The collection, which stores waterfall series items. Adds a waterfall series item. The waterfall series item. Adds a waterfall series item. The summary type of the item. The collection, which stores category series items. Adds a category series item. The category series item. Adds a category series item, specified by its from and to values. The from value of the item. The to value of the item. Get/Set the y value of the item. Specifies the summary type of the series item. The value, if any, of a data item marked as a summary point will be discarded. Specifies the from value of the data. Specifies the to value of the data. The bar/column series class will produce a bar/column chart type. Creates a bar/column series. The data field with the values of the SummaryType value. There the possible values are "runningTotal" and "total". Defines the appearance settings of the series labels Creates a collection of waterfall series items. Gets or Sets the distance between the category clusters. The value of the property cannot be negative. You should specify a non-negative value for the Gap property. Gets or Sets the space between the chart series as proportion of the series width. The value of the property cannot be negative. You should specify a non-negative value for the Spacing property. The bar/column series class will produce a bar/column chart type. Creates a range bar series. The data field with the values of the series along the Y axis The data field with the values of the series along the X axis The data field with the values of the From value The data field with the values of the To value Defines the appearance settings of the series labels Creates a collection of range series items. Gets or Sets the distance between the category clusters. The value of the property cannot be negative. You should specify a non-negative value for the Gap property. Gets or Sets the space between the chart series as proportion of the series width. The value of the property cannot be negative. You should specify a non-negative value for the Spacing property. Creates a range column series. Determines the way the image will be resized when placed in the ImageArea. Fit will scale the image so it is entirely visible. Fill will fill the entire area but will crop part of the image. Gets or sets a value indicating if the command will be canceled. When a command is canceled its associated action is not executed. Gets the type of the item that points to the type of content it will display. Gets or sets the width of the item that will be shown in the ContentArea. Gets or sets the height of the item that will be shown in the ContentArea. Gets or sets the title value of the current item. The title value could be accessed on the client and it is shown in the ContentArea. Gets or sets the description value of the current item. The description value could be accessed on the client and it is shown in the ContentArea. Determines whether the default gestures are enabled for the item. By default PreventDefaultGestures is false. Gets the type of the item that points to the type of content it will display. Gets or sets the template that will be placed in the image area when the current item is selected. Gets or sets the URL of the thumbnail item that will be placed in the ThumbnailArea. Gets or sets a byte array(byte[]) that will be processed by a RadBinaryImage control and will be placed in the ThumbnailArea. Enumeration determining the MarkDisplayMode. Which could determine if the input will be Optional, Required or None RadLabel control RadLabel control Gets or sets the identifier for a server control that the RadLabel control is associated with. Gets or sets the text content of the RadLabel control. Sets or gets whether Text content must be encoded. Default value is false. Gets or sets the Required text content of the RadLabel control. Gets or sets the Optional text content of the RadLabel control. Determinates if the Label should render RequiredMark or OptionalMark Gets the type. The type. Gets or sets the session identifier. The session identifier. Gets the instalation key. The instalation key. Returns null if no DTE instance is available. EnvSessionManager or Null depending on whether DTE is available. Tries to add the item to the collection. If it already exists it won't be added. The item to be added. Used to configure the horizontal position in adaptive rendering Default value - NotSet Horizontal Position - Left Horizontal Position - Center Horizontal Position - Right The default configuration for bubble layers. The attribution for all bubble layers. The the opacity of all bubble layers. The maximum symbol size for bubble layer symbols. The minimum symbol size for bubble layer symbols. The default style for bubble layer symbols. The default symbol for bubble layers. Possible values: * square * circle The function must accept an object with the following fields: * center - The symbol center on the current layer. * size - The symbol size. * style - The symbol style. * dataItem - The dataItem used to create the symbol. * location - The location of the data point.The function return value must be a kendo.dataviz.drawing.Shape. Serialization JS converter class for Bubble Encapsulates data for RadMap's ItemCreated event. Gets the Item being created. Encapsulates data for RadMap's ItemDataBound event. Gets the DataItem holding the information for the current item. Gets the Item being data bound. Specifies the binding settings, which will be applied on every created marker during data binding. Specifies the binding settings, which will be applied on every created layer during data binding. Specifies the field, containing the type of the layer. Specifies the field, containing the UrlTemplate of the layer. Specifies the field, containing the MinZoom of the layer. Specifies the field, containing the MaxZoom of the layer. Specifies the field, containing the Opacity of the layer. Specifies the field, containing the Attribution of the layer. Specifies the field, containing the Key of the layer. Specifies the field, containing the Subdomains of the layer. Specifies the field, containing the Location latitude of the marker. Specifies the field, containing the Location longitude of the marker. Specifies the field, containing the shape of the marker. Specifies the field, containing the title of the marker. Specifies the field, containing the tooltip template of the marker. Specifies the field, containing the tooltip content of the marker. Gets the settings the data binding setting for the RadTileList. Raises the TileCreated event of the RadTileList control. A TileListEventArgs that contains the event data. Raises the TileCreated event of the RadTileList control. A TileListEventArgs that contains the event data. Gets or sets the object from which RadMap retrieves its layers. The data source object should be of a type that implements , , Gets or sets the ID of the control from which the map control retrieves its list of layers. The ID of a control that represents the data source from which the data bound control retrieves its data. Gets or sets a bool value that indicates whether the markers are cleared before data binding. Gets or sets a bool value that indicates whether the layers are cleared before data binding. Occurs when item is data bound during data binding. You can use the ItemDataBound event to set additional properties of the data bound items. Occurs when item is created during data binding. You can use the ItemCreated event to set additional properties of the data bound items. The map center. Coordinates are listed as [Latitude, Longitude]. The configuration of built-in map controls. The default configuration for map layers by type. The configuration of the map layers. The layer type is determined by the value of the type field. The default options for all markers. Static markers to display on the map. The minimum zoom level. Typical web maps use zoom levels from 0 (whole world) to 19 (sub-meter features). The maximum zoom level. Typical web maps use zoom levels from 0 (whole world) to 19 (sub-meter features). The size of the map in pixels at zoom level 0. Controls whether the user can pan the map. Specifies whether the map should wrap around the east-west edges. The initial zoom level.Typical web maps use zoom levels from 0 (whole world) to 19 (sub-meter features).The map size is derived from the zoom level and minScale options: size = (2 ^ zoom) * minSize Controls whether the map zoom level can be changed by the user. Defines the client events handlers. The map center. Coordinates are listed as [Latitude, Longitude]. ==TBA== ==TBA== ==TBA== ==TBA== Defines the client events handlers. Defines the client events handlers. Gets or sets the client-side script that executes when a RadMap client-initialize event is raised. Gets or sets the client-side script that executes when a RadMap client-load event is raised. Fired immediately before the map is reset. This event is typically used for cleanup by layer implementers. Fired when the user clicks on the map. Fired when a marker has been displayed and has a DOM element assigned. Fired when a marker has been created and is about to be displayed. Cancelling the event will prevent the marker from being shown.Use markerActivate if you need to access the marker DOM element. Fired when a marker has been clicked or tapped. Fired while the map viewport is being moved. Fires after the map viewport has been moved. Fired when the map is reset. This typically occurs on initial load and after a zoom/center change. Fired when a shape is clicked or tapped. Fired when a shape is created, but is not rendered yet. Fired when a GeoJSON Feature is created on a shape layer. Fired when the mouse enters a shape. Fired when the mouse leaves a shape. Fired when the map zoom level is about to change. Cancelling the event will prevent the user action. Fired when the map zoom level has changed. The marker shape. Supported shapes are "pin" and "pinTarget". Converts a value that represents the location (target) in which to display the content resulting from a Web navigation to a string. This class also converts a string to a target value. Initializes a new instance of the class. Returns a collection of standard values from the default context for the data type this type converter is designed for. A containing a standard set of valid values, or null if the data type does not support a standard set of values. System.ComponentModel.ITypeDescriptorContext" /> that provides a format context. Returns a value that indicates whether the collection of standard values returned from the GetStandardValues method is an exclusive list. System.ComponentModel.ITypeDescriptorContext" /> that provides a format context. Returns a value that indicates whether this object supports a standard set of values that can be picked from a list, using the specified context. An that provides a format context. Serialization JS converter class for RadDiagram Defines the shapes content settings. The alignment of the text inside the shape. The color of the shape content text. The font family of the shape content text. The font size of the shape content text. The font style of the shape content text. The font weight of the shape content text. The text displayed in the shape. Define rich-text content using Html syntax Serialization JS converter class for ShapeContent Defines the shape options. Defines the connectors the shape owns.You can define your own custom connectors or use the predefined types. Defines default options for the shape connectors. Defines the shapes content settings. Specifies editable properties for shapes Specifies editable properties for shapes Defines the fill options of the shape. Defines the default fill options of the shape. Defines the height of the shape when added to the diagram. Defines the hover configuration. Defines the minimum height the shape should have, i.e. it cannot be resized to a value smaller than the given one. Defines the minimum width the shape should have, i.e. it cannot be resized to a value smaller than the given one. The path option of a Shape is a description of a custom geometry. The format follows the standard SVG format (http://www.w3.org/TR/SVG/paths.html#PathData "SVG Path data."). Defines the rotation of the shapes. Specifies if the shape can be selected. The source of the shape image. Applicable when the type is set to "image". Defines the stroke configuration. Specifies the type of the Shape using any of the built-in shape type. A function returning a visual element to render for a given shape. The following primitives can be used to construct a composite visual: Defines the width of the shape when added to the diagram. Defines the x-coordinate of the shape when added to the diagram. Defines the y-coordinate of the shape when added to the diagram. Serialization JS converter class for ShapeDefaults Defines the hover configuration. Defines the hover fill options of the shape. Defines the hover fill options of the shape. Serialization JS converter class for ShapeHover Defines the rotation of the shapes. The rotation angle. Serialization JS converter class for ShapeRotation Defines the stroke configuration. Defines the color of the shape's stroke. Defines the thickness or width of the shape's stroke. The dash type of the shape. Serialization JS converter class for ShapeStroke The dash type of the shape a line consisting of dashes a line consisting of a repeating pattern of dash-dot a line consisting of dots a line consisting of a repeating pattern of long-dash a line consisting of a repeating pattern of long-dash-dot a line consisting of a repeating pattern of long-dash-dot-dot a solid line RadDialogOpener class If the EnableTelerikManagers property is set to true, this function should be called to copy the settings (CDN, handler URL, etc.) to the script/stylesheet manager control in the dialogs. This control has no skin! This property will prevent the SkinRegistrar from registering the missing CSS references. A read-only property that returns the RadWindow instance used in the RadDialogOpener control. When set to True, tells the dialog opener to use RadScriptManager and RadStyleSheetManager when loading an .ascx dialog file. Gets or sets an additional querystring appended to the dialog URL. A String, appended to the dialog URL Gets the DialogDefinitionDictionary, containing the DialogDefinitions of the managed dialogs. TODO TODO Gets or sets a value, indicating if classic windows will be used for opening a dialog. A boolean, indicating if classic windows will be used for opening a dialog When set to true, the RadDialogOpener shows a dialog similar to the ones opened by window.open and window.showModalDialog; Gets or sets the localization language for the user interface. The localization language for the user interface. The default value is en-US. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render links to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed script files by hand. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Gets or sets the client-side script that gets executed when the dialog opening event is raised Gets or sets the client-side script that gets executed when the dialog closing event is raised Gets or sets the location of a CSS file, that will be added in the dialog window. If you need to include more than one file, use the CSS @import url(); rule to add the other files from the first. This property is needed if you are using a custom skin. It allows you to include your custom skin CSS in the dialogs, which are separate from the main page. Gets or sets the location of a JavaScript file, that will be added in the dialog window. If you need to include more than one file, you will need to combine the scripts into one first. This property is needed if want to override some of the default functionality without loading the dialog from an external ascx file. Get/Set the animation effect of the window Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. RadDockZone is a control which represents a virtual placeholder, where RadDock controls could be docked. Returns the unique name for the dock, based on the UniqueName and the ID properties. A string, containing the UniqueName property of the dock, or its ID, if the UniqueName property is not set. Gets a collection of the RadDock objects inside the RadDockZone. It will return an empty collection if there are no RadDocks in the zone. Gets or sets a value, indicating whether the RadDockZone will set the size of the docked RadDock controls to 100% depending on its Orientation. When Orientation is Horizontal, the Height of the docked RadDock controls will become 100%, otherwise the Width will become 100%. Gets or sets a CSS class name, which will be applied when the RadDockZone is highlighted. If this property is not set, the control will not have a highlighted style. Gets or sets the unique name of the control. If this property is not set, the control ID will be used instead. RadDockLayout will throw an exception if it finds two RadDockZone controls with the same UniqueName. Gets or sets a value that specifies the dimension in which docked RadDock controls are arranged. If this property is not set the orientation will be vertical. Gets or sets the minimum width of the RadDockZone control. The default value is "10px". Gets or sets the minimum height of the RadDockZone control. The default value is "10px". Specifies the UniqueNames of the RadDock controls, that will be allowed to dock in the zone. The Telerik.Web.UI.DropDownListExpandDirection enumeration supports two values - Up and Down. This Class gets or sets the log entries in the ClientState and enables or disables it. Gets or sets the log entries. The log entries. Gets or sets the enabled. The enabled. Gets or Sets the ExapndMode of a particular level of the embedded tree hierarchy. Gets or Sets the nodes level for which the ExpandMode will be applied. Data class used for transferring tree nodes from and to web services. Text for the item to pass to the client. Value for the item to pass to the client. Expand mode of the node Custom attributes for the item to pass to the client. The Telerik.Web.UI.RadDropDownTreeFilter enumeration supports two values - StartsWith and Contains. The Telerik.Web.UI.RadDropDownTreeFilter enumeration supports two values - StartsWith and Contains. The Telerik.Web.UI.DropDownTreeFilterTemplateAgainst enumeration supports two values - Text and Content . RadDropDownTree Checkboxes mode The Telerik.Web.UI.RadDropDownTreeAutoWidth enumeration supports two values - Enabled and Disabled. This enumeration controls the expand behaviour of the nodes. The default behaviour - all nodes are loaded in the intial request and expand is performed on the client, without server interaction The child nodes are loaded from the web service. This Class defined the DropDownTreeEntry event argument. Gets or sets the entry. The entry. This class gets and sets the localization properties in the buttons that are part RadListBox. Gets or sets the Clear string. The Clear string. Gets or sets the CheckAll string. The CheckAll string. Represent the filter setting of the RadDropDownTree control Gets or sets a value indicating whether to highlight the matches. Gets or sets a value indicating the empty message of the filter. Gets or sets a value indicating the filter criteria. Gets or sets a value indicating the filter criteria when template is applied. Defines the minimum number of characters that must be typed before a filtering is made. The minimum number of characters that must be typed before a filtering is made. Handles modifications concerning the file paths in the content providers Normalizes paths that contain parent references - /.. The path that will be normalized The normalized path that now points directly to its target Adds a trailing path separator if such is missing The path that will be checked The result path must end with a path separator A character that separates the different parts of the path items. Represents an editor for populating predefined items to be filtered using a drop down control. Represents the base class for all field editors in . Initializes the control rendered by the field editor. The container Control where the editor control will be added. Extracts an ArrayList with the values from the editor. An ArrayList holding the editor values. Populates the field editor using the first values from the passed ArrayList. An ArrayList holding a boolean value. Gets or sets FieldName for the editor. Gets or sets DisplayName for the editor. Gets or sets the ToolTip property of the editor control. The ToolTip property of the editor control.. Gets or sets PreviewDataFormat for the editor. This property will be used to format the value per editor when ExpressionPreviewPosition is different than RadFilterExpressionPreviewPosition.None Gets or sets (see the Remarks) the type of the data from the Field. The DataType property supports the following base .NET Framework data types: Boolean Byte Char DateTime Decimal Double Int16 Int32 Int64 SByte Single String TimeSpan UInt16 UInt32 UInt64 Gets or sets the default filter function that will be set to the editor item when it is first created. Keeps reference to the owner RadFilter control. Gets or sets the type of drop down control which will be created. The default value is RadDropDownList. Gets or sets the DataTextField property value of the drop down control created by the editor. Gets or sets the DataValueField property value of the drop down control created by the editor. Gets or sets the DataTextField property value of the drop down control created by the editor. Represents an editor for filtering values using a control. Gets or sets the Mask property of the control. The Mask property of the control. Gets or sets the DisplayMask property of the control. The DisplayMask property of the control. Gets or sets the PromptChar property of the control. The PromptChar property of the control. Gets or sets the DisplayPromptChar property of the control. The DisplayPromptChar property of the control. Represent the button setting of the RadDropDownTree control Gets or sets a value indicating whether to display the "Clear" button. true if the "Clear" button should be displayed; otherwise, false. Gets or sets a value indicating whether to display the "CheckAll" button. true if the "CheckAll" button should be displayed; otherwise, false. The event arguments passed when creates a new . The which have been created. This enumeration describes the class of features a feature belongs to. The feature is different from all other features and cannot be grouped with other features in a feature class. A class describing a feature trace signature, containing the name of the Feature, its class, the type and the name of the control the feature belongs to and the level of the trace message. Gets the name of the feature encoded by this feature trace signature. Gets the name of the control yielding this feature trace signature. Gets the value of the feature (this is only applicable in DataOperation features) Gets the class of the feature encoded by this feature trace signature. Gets the level of the trace message. Gets or sets the type of the feature Gets the type of the control yielding this feature trace signature. This interface represents a monitor which receives trace events from RadControls. You can implement it if you need to receive trace events from the controls used in your application. This method is called when a feature is initiated. The feature that was initiated. Traces an error in a specified feature. The error that occurred. The feature in which the error occurred. It will be then passed as a context strign to the EQATEC monitor Traces an error in a specified feature. The feature in which the error occurred. This method is called when a value connected with a specific feature is tracked. The feature that produced the value. The value that was tracked by the feature. This method is called when a feature finishes execution. The feature that finished. This method is called when a feature is canceled. The feature that was canceled. This method is called when an atomic feature is executed. The feature to be tracked. This class holds a monitor and reports to it when certain events in the controls occur. Gets or sets the monitor, which the controls report to. This enumeration describes how important a trace message is. The message is not very important. The message is important. The message is very important. Exception thrown by RadPersistenceFramework Storage-specific exception thrown by RadPersistenceFramework Argument-specific exception thrown by RadPersistenceFramework Null argument exception thrown by RadPersistenceFramework Invalid operation exception thrown by RadPersistenceFramework Invalid operation exception thrown by RadPersistenceFramework The type of the current RadStatePersisterManager setting Persistence state serializer type. Default type is Xml. Persistence storage provider type. RadStatePersisterManager setting object RadStatePersisterManager setting type Use this setting to persist a given type of controls ID of the persisted control This setting is used to persist the control by its instance Collection of RadStatePersisterManager settings PersistenceSettingsCollection default constructor Adds a PersistenceSetting to the end of the PersistenceSettingsCollection PersistenceSetting object PersistenceSetting index at which the PersistenceSetting has been added Removes the first occurrence of a specific PersistenceSetting from the PersistenceSettingsCollection PersistenceSetting object Determines whether the PersistenceSettingsCollection contains a specific PersistenceSetting PersistenceSetting object Returns true if the PersistenceSettingsCollection contains the specified PersistenceSetting; otherwise, false Searches for the specified PersistenceSetting and returns the zero-based index of the first occurrence within the entire PersistenceSettingsCollection PersistenceSetting object The zero-based index of the first occurrence of PersistenceSetting within the entire PersistenceSettingsCollection, if found; otherwise, -1 Inserts a PersistenceSetting into the PersistenceSettingsCollection at the specified index The zero-based index at which the PersistenceSetting should be inserted PersistenceSetting object Adds a PersistenceSetting to the end of the PersistenceSettingsCollection Type of the control to persist Adds a PersistenceSetting to the end of the PersistenceSettingsCollection The ID of the control to persist Adds a PersistenceSetting to the end of the PersistenceSettingsCollection Type of the controls to persist PersistenceSetting indexer Index of the PersistenceSetting in the collection RadPersistenceManager control RadPersistenceManager default constructor Raises the LoadCustomSettings event PesistenceManagerLoadStateEventArgs object Raises the SaveCustomSettings event PesistenceManagerSaveStateEventArgs object Raises the SaveSettings event PesistenceManagerSaveAllStateEventArgs object Raises the LoadSettings event PesistenceManagerLoadAllStateEventArgs object Instructs the RadPersistenceManager to begin saving the state Instructs the RadPersistenceManager to begin loading the state Returns the current instance of the RadPersistenceManager Page object Unique key used by the Storage Provider to identify the persisted state Gets/set the serialization provider used for data serialization. Default value is XmlStateSerializer. Gets/set the storage provider used for data storage. Default value is AppDataStorageProvider. Collection of settings for RadPersistenceManager This property toggles the RadPersistenceManager functionality Raised when the RadPersistenceManager loads the state Raised when the RadPersistenceManager saves the state Raised when the RadPersistenceManager saves the state and allows the user to modify the settings that are saved Raised when the RadPersistenceManager loads the state and allows the user to modify the settings that are loaded RadPersistenceManagerProxy control RadPersistenceManagerProxy default constructor Collection of settings for RadPersistenceManagerProxy Unique key used by the Storage Provider to identify the persisted state StateSerializer interface that should be implemented by different serializers used by the StatePersisters Serialize the provided control's state to require format. Control's state object. Serialized state as a string Serialize the provided control's state to require format. Collection of controls' state object. Serialized state as a string Deserialize formated string back to RadControlState object Serialized state string RadControlState object ready to be applied to the control by the StatePersister Deserialize formated string back to RadControlState collection of objects Serialized state string RadControlState objects ready to be applied to the control by the StatePersister Adds a to the serializer The to be added Converts the specified JSON string to an object of type T The type of the resulting object. Serialized state string The deserialized object Gets the collection of s used by the serializer. Retrieves a object that the data-bound control uses to perform data operations. The that the data-bound control uses to perform data operations. If the property is set, a specific, named is returned; otherwise, the default is returned. Binds the dependency. The data item. The bindings. Binds the task. The data item. The bindings. This class represents collection of Returns the Dependency data as an OrdrederDictionary. OrderedDictionary representing the Dependency data item. Loads the Dependency values from an OrderedDictionary Dictionary representing Dependency data item Gets or sets the Dependency ID as it came from the DataSource Gets or sets the ID of the task that is a successor to the current. Gets or sets the ID of the task that is a predecessor to the current. Gets or sets the type of the Dependency. For internal use only. The task cannot end before its predecessor task ends, although it may end later. The task cannot start before its predecessor task ends, although it may start later. The task cannot end before its predecessor task starts, although it may end later. The task cannot start until the predecessor tasks starts, although it may start later. Specifies the view mode of a RadGantt control. A view that spans a single day. A view that spans seven days. A view that spans a whole month. A view that spans a whole year. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. An attempt is made to call on a provider after the provider has already been initialized. The name of the provider has a length of zero. Gets or sets value that determines how many attempts will to open the file will be done, in case of IOException. Gets or sets the delay between each open file attempt. Value in Miliseconds. Returns the Task data as an OrdrederDictionary. OrderedDictionary representing the Task data item. Loads the Task values from an OrderedDictionary Dictionary representing Task data item Gets or sets the Task ID as it came from the datasource Gets or sets the ID of the task's parent task. Gets or sets the field used by sort operations. Gets or sets the start time for the task. /> Gets or sets the end time for the task. /> Gets the task duration. The duration can be zero. Gets or sets a value that determines whether the tasks is a summary. The summary has a start determined by the earliest start from its child tasks and end determined by the latest end. The percentage of completion is calculated based on the percentage of each child task. Gets or sets a value that determines whether the tasks is expanded in the TreeList. Gets or sets a value that determines the percent of completion of the task. Gets or sets a value that determines the title of the task. The tasks is shown by default in the TreeList part. If this is not the desired behavior one can set the property to false. Gets a value that determines the type of the tasks. Milestone is a task with Zero duration. Summary is a task with children The owner IGantt. Gets all children tasks of the current task. Gets all dependencies of the current task. Gets all tasks that are predecessors to the current task. Gets all tasks that are successors to the current task. Regular task with start, end, duration and percentage complete Summary Milestone task This class represents collection of The class passed when the GridTableView.EditMode="Batch" and Update, Insert or Delete ItemCommand event is fired. Gets a with the old values. Gets a with the new values which represents a merge between the and the newly entered data. Gets the object from which the command have been executed. A class holding data and functions associated with a batch editing command. Executes the command and depending on the and properties it performs different operations. Set to true to cancel the default command execution. Gets the owner . The owner . Gets the object which the command will operate on. Note that the value could be null if the Type equals GridBatchEditingCommandType.Insert. Gets a with the old values. Gets a with the new values which represents a merge between the and the newly entered data. Gets the type of the command determining if the current operation is Insert, Update or Delete operation. The type of command which will be executed. The delegate which is used in the event. The event arguments passed when the event is fired. Interface that provides the basic functionality needed for a class to be used to send information to Command event handler. Override to fire the corresponding command. Gets or sets a value, defining whether the command should be canceled. Fires the default command execution. The execution could be canceled by canceling it in the event. The source control which triggers the event. Set to true to cancel the default command execution. The which initialized the event. The collection of commands which will be executed. Enumeration determining whether the editing will be made cell by cell or the the entire row will be opened for edit. Gets or sets a value determining whether the editing will be made cell by cell or the the entire row will be opened for edit. Gers or sets a string value determining the event which will cause the cell\row will be opened for edit. The default value is Click. Gets or sets a value determining if the SaveChanges button will save the changes from the current or calls the saveAllChanges function and saves the changes from the all 's in the grid. Gets or sets a value determining whether the deleted row/rows will be physically removed from the table or just marked as deleted. The editor for the column. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets or sets the text of the AutoCompleteBox control. The text of the AutoCompleteBox control. Gets or sets the DataSource property of the AutoCompleteBox control. The DataSource property of the AutoCompleteBox list control. Gets the instance for the current column editor. The the instance for the current column editor.. Gets or sets a value indicating how the RadAutoCompleteBox items should be displayed - as tokens or as text. Gets or sets a value indicating whether the RadAutoCompleteBox should apply “Contains” or “StartsWith” filter logic. Gets or sets a value indicating whether the user will be able to add a custom text not present within the raw data in order to create a custom entry. Gets a value indicating whether the user can select multiple entries. Gets a value indicating whether the text of the RadAutoComplete Tokens can be edited when user double clicks on it. Gets or sets a value indicating what delimiter should be used when the control displays the selected items as text (InputType = Text) Gets or sets the DataTextField. The DataTextField. Gets or sets the DataValueField. The DataValueField. The base editor for and . Gets the control placed in the current cell editor. The control placed in the current cell editor. Gets the content as byte Array of the uploaded file. The content as byte Array of the uploaded file. When in browser mode, RadAutoCompleteColumn looks like GridBoundColumn, rendering the text directly to the cell. When in edit mode, it displays a RadAutoCompleteBox control. It shows list of suggested values, that to appears when the user starts to type inside it. You can bind list using the DataSourceID or DataSource. In Edit mode the initial Text of the AutoCompleteBox will be populated based on DataSource of the GridTableView and the DataField set for the column. All columns in RadGrid that have editing capabilities derive from GridEditableColumn. This class implements the base functionality for editing, using column editors etc. Provides IGridEditableColumn interface, which RadGrid uses to operate with the state of all the editable columns. A Column is the main logic unit that relates the content of the grid to properties of the objects in the DataSource. The GridColumn defines the properties and methods that are common to all column types in RadGrid. As it is an abstract class (MustInherit in VB.NET) GridColumn class can not be created directly. You should inherit it and use its children. GridColumn is the base abstract class that implements the functionality of a grid column. All inherited classes modify the base behavior corresponding to the specific data that should be displayed/edited in RadGrid. The columns that have editing capabilities derrive from class. Other instances display data, buttons, and so on in the cells of the grid regarding the type of the Item/row in which the cell resides. In you code you can create only instances of the derrived classes. In order to display a column in the grid you should add it in the corresponding collection. Since the column collection is fully persisted in the ViewSteate you should follow the rules that apply to creating asp.net server controls dynamically, when adding columns to grid tables programmatically. Using the FooterStyle property lets you enhance the appearance of the footer section of the column. You can set forecolor, backcolor, font and content alignment. Using the HeaderStyle property lets you enhance the appearance of the header section of the column. You can set forecolor, backcolor, font and content alignment. Use this property to enhance the appearance of the item cells of the column. You can provide a custom style for Common style attributes that can be adjusted such as: forecolor, backcolor, font, and content alignment within the cell. Creates and initializes a new column with its base properties. The Initialize method is inherited by a derived GridColumn class. Is is used to reset a column of the derived type. This method is mainly used to reset properties common for all column types derived from GridColumn class. The Initialize method is usually called during data-binding, prior to the first row being bound. After a call to this method the column should add the corresponding controls (text, labels, input controls) into the cell given, regarding the inItem type and column index. Note: This method is called within RadGrid and is not intended to be used directly from your code. This method should be used in case you develop your own column. It returns true if the column supports filtering. Modifies the CurrentFilterFunction and CurrentFilterValue properties according to the function given and the corresponding filter text-box control in the filtering item. Modifies the CurrentFilterValue property according to the corresponding selected item in the filter text-box control in the filtering item. Sets the value of the property CurrentFilterValue as a text on the TextBox control found in the cell Gets the value of the Text property of a textbox control found in the cell, used to set the value of the CurrentFilterValue property. Gets a string representing a filter expression, based on the settings of all columns that support filtering, with a syntax ready to be used by a DataView object Evaluates the column filter expression based on the , , , propeties. It could be used to handle custom filtering and is internally used for determining FilterExpression value. Instantiates the filter controls (text-box, image.) in the cell given Gets a list of filter functions based on the settings of the property. Prepares the cell of the item given, when grid is rendered. Resets the values of the and properties to their defaults. Resets the values of the , , and properties to their defaults. By default returns the SortExpression of the column. If the SortExpression is not set explicitly, it would be calculated, based on the DataField of the column. Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Creates a copy of the current column. This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Gets or sets the header tooltip of the column. The header tooltip. Gets or sets the column cell 'abbr' attribute. The column cell 'abbr' attribute. Gets or sets the column cell 'axis' attribute. The column cell 'axis' attribute. Gets or sets the color of a cell which is sorted. The color of a cell which is sorted. Gets or sets a value of the currently applied filter. This property returns a string, representing the current value, for which the columns is filtered (the value, which the user has entered in the filtering text box). Gets or sets a value of the currently applied second filter condition value. This property returns a string, representing the current second filter condition value, for which the column is filtered (the value, which the user has entered in the second filtering text box of the filter header context menu). Indicates whether all column cells have been selected This property returns a bool, indicating if all column cells have been selected. Gets the value determining if the column is selectable. The value determining if the column is selectable. Should override if sorting will be disabled Gets or sets the current function used for filtering. This property returns a value of type Telerik.Web.UI.GridKnownFunction. The possible values are: GridKnownFunction.Between
GridKnownFunction.Contains
GridKnownFunction.Custom
GridKnownFunction.DoesNotContain
GridKnownFunction.EndsWith
GridKnownFunction.EqualTo
GridKnownFunction.GreaterThan
GridKnownFunction.GridKnownFunction
GridKnownFunction.GreaterThanOrEqualTo
GridKnownFunction.IsEmpty
GridKnownFunction.IsNull
GridKnownFunction.LessThan
GridKnownFunction.LessThanOrEqualTo
GridKnownFunction.NoFilter
GridKnownFunction.NotBetween
GridKnownFunction.NotEqualTo
GridKnownFunction.NotIsEmpty
GridKnownFunction.NotIsNull
GridKnownFunction.StartsWith
Gets or sets the current second filter condition function. This property returns a value of type Telerik.Web.UI.GridKnownFunction. The possible values are: GridKnownFunction.Contains
GridKnownFunction.Custom
GridKnownFunction.DoesNotContain
GridKnownFunction.EndsWith
GridKnownFunction.EqualTo
GridKnownFunction.GreaterThan
GridKnownFunction.GridKnownFunction
GridKnownFunction.GreaterThanOrEqualTo
GridKnownFunction.IsEmpty
GridKnownFunction.IsNull
GridKnownFunction.LessThan
GridKnownFunction.LessThanOrEqualTo
GridKnownFunction.NoFilter
GridKnownFunction.NotEqualTo
GridKnownFunction.NotIsEmpty
GridKnownFunction.NotIsNull
GridKnownFunction.StartsWith
Gets or sets the filter delay which determines after how many milliseconds a filtering will occur after a filter value have changed. The filter delay. Determines whether the given column will be shown in the exported file Determines if the header context menu will be displayed for the current column. This property works together with the EnableHeaderContextMenu property of the corresponding GridTableView. Default value is true. Gets or sets if the filter icon in the will be visible. Gets or sets the value indincating which of the filter functions should be available for that column. For more information see enumaration. This property returns a value of type Telerik.Web.UI.GridFilterListOptions. The possible values are: Telerik.Web.UI.GridFilterListOptions.AllowAllFilters
Telerik.Web.UI.GridFilterListOptions.VaryByDataType
Telerik.Web.UI.GridFilterListOptions.VaryByDataTypeAllowCustom
Gets or sets a value indicating whether the grid should automatically postback, when the value in the filter text-box changes, and the the focus moves to another element. This property returns a Boolean value, indicating whether the grid will postback, once the focus moves to another element, and the text of the filtering textbox has changed. Gets or sets the filter image tool tip. The filter image tool tip. Gets or sets the filter control ToolTip property value. The filter control ToolTip property value. Gets or sets a string representing the URL to the image used in the filtering box. A string, representing the URL to the image used in the filtering box. Gets or sets a string representing the URL to the image used for sorting in ascending mode. A string, representing the URL to the image used for sorting in ascending mode Gets or sets a string representing the URL to the image used for sorting in descending mode. A string, representing the URL to the image used for sorting in descending mode Gets the string representation of the DataType property of the column, needed for the client-side grid instance. Access the valus passed from the ListBox used for CheckList in the filter. Gets or sets the template, which will be rendered in the filter item cell of the column. A value of type ITemplate. For internal use. Gets or sets the row span of the grid column. The row span. Style of the cell in the footer item of the grid, corresponding to the column. Use the FooterText property to specify your own or determine the current text for the footer section of the column. Gets or sets the URL of an image in the cell in the header item of the grid current column. You can use a relative or an absolute URL. Style of the cell in the header item of the grid, corresponding to the column. Use the HeaderText property to specify your own or determine the current text for the header section of the column. Style of the cells, corresponding to the column. Gets the instance of the GridTableVeiw wich owns this column instance. The string representing a filed-name from the DataSource that should be used when grid sorts by this column. For example: 'EmployeeName' The group-expression that should be used when grid is grouping-by this column. If not set explicitly, RadGrid will generate a group expression based on the DataField of the column (if available), using the method. The grouping can be turned on/off for columns like GridBoundColumn using property. For more information about the Group-By expressions and their syntax, see class. Get or Sets a value indicating whether a sort icon should appear next to the header button, when a column is sorted. This property returns a Boolean value, indicating whether a sort icon should appear next to the header button, when a column is sorted. Gets or sets a value indicating if the column and all corresponding cells would be rendered. This property returns a Boolean value, indicating whether the cells corresponding to the column, would be visible on the client, and whether they would be rendered on the client. Gets or sets a value indicating whether the cells corresponding to a column would be rendered with a 'display:none' style attribute (end-user-not-visible). To completely prevent cells from rendering, set the property to false, instead of the Display property. This property returns a Boolean value, indicating whether the cells corresponding to the column would be rendered with a 'display:none' style attribute (end-user-not-visible). Gets the value of the ClientID property of the GridTableView that owns this column. This property value is used by grid's client object The return value of this property is a string, representing the clientID of the GridTableView, which contains the column. This is the ClientID of the grid instance, followed by "_" and another string, representing the place of the container in the control hierarchy. For the MasterTableView, the default OwnerID for a column will look like: "RadGrid1_ctl01". Gets the value of the ClientID property of the RadGrid instance that owns this column. This property value is used by grid's client object This property returns a string, which represents a the ClientID for the control. Gets or sets a value indicating whether the column can be resized client-side. You can use this property, by setting it to false, to disable resizing for a particular column, while preserving this functionality for all the other columns. The property returns a boolean value, indicating whether the column can be resized on the client. Gets or sets a value indicating whether the column can be reordered client-side. This property returns a boolean value, indicating whether the column is reorderable. The default value is true, meaning that the column can be reordered, using the SwapColumns client side method. Gets or sets a value indicating whether you will be able to group Telerik RadGrid by that column. By default this property is true. A boolean value of either true, when you are able to group by that column, or false. See Telerik RadGrid manual for details about using grouping. If Groupable is false the column header cannot be dragged to the GroupPanel. Using this property, you can easily turn off grouping for one or more columns, while still allowing this functionality for all other columns in the control. This is demonstrated in the code sample below:
            <radG:GridBoundColumn
DataField="ContactName"
HeaderText="ContactName"
SortExpression="ContactName"
UniqueName="ContactName"
Groupable="false">
</radG:GridBoundColumn>
Gets the string representation of the type-name of this instance. The value is used by RadGrid to determine the type of the columns persisted into the ViewState, when recreating the grid after postback. The value is also used by the grid client-side object. This property is read only. Gets or sets the button type of the button rendered in the header item, used for sorting. The possible values that this property accepts are: Telerik.Web.UI.GridHeaderButtonType.LinkButton
Telerik.Web.UI.GridHeaderButtonType.PushButton
Telerik.Web.UI.GridHeaderButtonType.TextButton
The return value for this property is of type Telerik.Web.UI.GridHeaderButtonType
Gets or sets the order index of column in the collection of . Use method for reordering the columns. We recommend using this property only for getting the order index for a specific column instead of setting it. Use method for reordering columns. Note that changing the column order index will change the order of the cells in the grid items, after the grid is rebound. The value of the property would not affect the order of the column in the collection. integer representing the current column index. You should have in mind that GridExpandColumn and RowIndicatorColumn are always in front of data columns so that's why you columns will start from index 2. protected void RadGrid1_PreRender(object sender, EventArgs e) { foreach (GridBoundColumn column in RadGrid1.MasterTableView.Columns) { Response.Write(column.UniqueName + column.OrderIndex + "<br>"); } RadGrid1.MasterTableView.SwapColumns(2, 4); foreach (GridBoundColumn column in RadGrid1.MasterTableView.Columns) { Response.Write(column.UniqueName + column.OrderIndex + "<br>"); } } Protected Sub RadGrid1_PreRender(sender As Object, e As EventArgs) Dim column As GridBoundColumn For Each column In RadGrid1.MasterTableView.Columns Response.Write((column.UniqueName + column.OrderIndex + "<br>")) Next column RadGrid1.MasterTableView.SwapColumns(2, 4) Dim column As GridBoundColumn For Each column In RadGrid1.MasterTableView.Columns Response.Write((column.UniqueName + column.OrderIndex + "<br>")) Next column End Sub 'RadGrid1_PreRender This property is supposed for developers of new grid columns. It gets whether a column is currently ReadOnly. The ReadOnly property determines whether a column will be editable in edit mode. A column for which the ReadOnly property is true will not be present in the automatically generated edit form. A boolean value, indicating whether a specific column is editable. Specifies the vertical collumn number where this column will appear when using EditForms editing mode and the form is autogenerated. See the remarks for details. A practicle example of using this property is to deterimine the number of columns rendered in the edit form. If there will be only one column in the rendered edit form, when we retrieve the value of this property for a column, as shown in the code below:
protected void RadGrid1_PreRender(object sender, EventArgs e)
{
int columnIndex = RadGrid1.MasterTableView.Columns[3].EditFormColumnIndex;
}
it will be equal to 0, meaning the the column belongs to the first group of columns in the edit form.
Each column in Telerik RadGrid has an UniqueName property (string). This property is assigned automatically by the designer (or the first time you want to access the columns if they are built dynamically). You can also set it explicitly, if you prefer. However, the automatic generation handles most of the cases. For example a GridBoundColumn with DataField 'ContactName' would generate an UniqueName of 'ContactName'. Additionally, there may be occasions when you will want to set the UniqueName explicitly. You can do so simply by specifying the custom name that you want to choose:
<radG:GridTemplateColumn
UniqueName="ColumnUniqueName">
</radG:GridTemplateColumn>
When you want to access a cell within a grid item, you should use the following code to obtain the right cell: TableCell cell = gridDataItem["ColumnUniqueName"]; or gridDataItem["ColumnUniqueName"].Text = to access the Text property Using this property you can index objects of type %GridDataItem:GridDataItem% or %GridEditFormItem:GridEditFormItem% (or all descendants of %GridEditableItem:GridEditableItem% class) In events related to creating, binding or for commands in items, the event argument has a property Item to access the item that event is fired for. To get an instance of type GridDataItem, you should use the following: //presume e is the event argument object
if (e.Item is GridDataItem)
{
GridDataItem gridDataItem = e.Item as GridDataItem;
String that formats the HeaderText when the column is displayed in an edit form The following code demonstrates one possible use of this property:
In this way, once a record enters edit mode, the name of the column will be followed by the custom text entered in the example above. [ASPX/ASCX] <radG:GridBoundColumn DataField="CustomerID"
HeaderText="CustomerID"
SortExpression="CustomerID"
UniqueName="CustomerID"
EditFormHeaderTextFormat="{0} is currently in edit mode" >
</radG:GridBoundColumn>
Gets or sets (see the Remarks) the type of the data from the DataField as it was set in the DataSource. The DataType property supports the following base .NET Framework data types: Boolean Byte Char DateTime Decimal Double Int16 Int32 Int64 SByte Single String TimeSpan UInt16 UInt32 UInt64 Use this property to set width to the filtering control (depending on the column type, this may be a normal textbox, RadNumericTextBox, RadDatePicker, etc.) Gets or Sets the text value which should be added to alt attribute of the filter control Get or Set the Methood from CheckListWebServicePath Web Service defined in the TableView, that to be used for getting data for the filter check list Get or Set if the Filter Check List will load data on demand from server. Interface that RadGrid uses to determine the editable columns, their current state etc. protected void RadGrid1_UpdateCommand(object source, Telerik.Web.UI.GridCommandEventArgs e) { GridEditableItem editedItem = e.Item as GridEditableItem; GridEditManager editMan = editedItem.EditManager; foreach( GridColumn column in e.Item.OwnerTableView.RenderColumns ) { if ( column is IGridEditableColumn ) { IGridEditableColumn editableCol = (column as IGridEditableColumn); if ( editableCol.IsEditable ) { IGridColumnEditor editor = editMan.GetColumnEditor( editableCol ); string editorType = editor.ToString(); string editorText = "unknown"; object editorValue = null; if ( editor is GridTextColumnEditor ) { editorText = (editor as GridTextColumnEditor).Text; editorValue = (editor as GridTextColumnEditor).Text; } if ( editor is GridBoolColumnEditor ) { editorText = (editor as GridBoolColumnEditor).Value.ToString(); editorValue = (editor as GridBoolColumnEditor).Value; } if ( editor is GridDropDownColumnEditor ) { editorText = (editor as GridDropDownColumnEditor).SelectedText + "; " + (editor as GridDropDownColumnEditor).SelectedValue; editorValue = (editor as GridDropDownColumnEditor).SelectedValue; } try { DataRow[] changedRows = this.EmployeesData.Tables["Employees"].Select( "EmployeeID = " + editedItem.OwnerTableView.DataKeyValues[editedItem.ItemIndex]["EmployeeID"] ); changedRows[0][column.UniqueName] = editorValue; this.EmployeesData.Tables["Employees"].AcceptChanges(); } catch(Exception ex) { RadGrid1.Controls.Add(new LiteralControl ("<strong>Unable to set value of column '" + column.UniqueName + "'</strong> - " + ex.Message)); e.Canceled = true; break; } } } } } Private Sub RadGrid1_UpdateCommand(ByVal source As System.Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Handles RadGrid1.UpdateCommand Dim editedItem As GridEditableItem = CType(e.Item, GridEditableItem) Dim editMan As GridEditManager = editedItem.EditManager Dim column As GridColumn For Each column In e.Item.OwnerTableView.Columns If Typeof column Is IGridEditableColumn Then Dim editableCol As IGridEditableColumn = CType(column, IGridEditableColumn) If (editableCol.IsEditable) Then Dim editor As IGridColumnEditor = editMan.GetColumnEditor(editableCol) Dim editorType As String = CType(editor, Object).ToString() Dim editorText As String = "unknown" Dim editorValue As Object = Nothing If (Typeof editor Is GridTextColumnEditor) Then editorText = CType(editor, GridTextColumnEditor).Text editorValue = CType(editor, GridTextColumnEditor).Text End If If (Typeof editor Is GridBoolColumnEditor) Then editorText = CType(editor, GridBoolColumnEditor).Value.ToString() editorValue = CType(editor, GridBoolColumnEditor).Value End If If (Typeof editor Is GridDropDownColumnEditor) Then editorText = CType(editor, GridDropDownColumnEditor).SelectedText & "; " & CType(editor, GridDropDownColumnEditor).SelectedValue editorValue = CType(editor, GridDropDownColumnEditor).SelectedValue End If Try Dim changedRows As DataRow() = Me.EmployeesData.Tables("Employees").Select("EmployeeID = " & editedItem.OwnerTableView.DataKeyValues(editedItem.ItemIndex)("EmployeeID")) changedRows(0)(column.UniqueName) = editorValue Me.EmployeesData.Tables("Employees").AcceptChanges() Catch ex As Exception RadGrid1.Controls.Add(New LiteralControl("<strong>Unable to set value of column '" & column.UniqueName & "'</strong> - " + ex.Message)) e.Canceled = True End Try End If End If Next End Sub Using column editors Get value based on the current IsEditable state, item edited state and ForceExtractValue setting. item to check to extract values from Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from Get whether a column is currently read-only Gets the column editor instance for this column Gets the GridColumn instance implementing this interface Force RadGrid to extract values from EditableColumns that are ReadOnly (or IsEditable is false). Interface that all DataColumns should implement. DataColumns are all columns that can be edited, sorted, filtered and bound. Non-DataColumns are the functionality columns like DragDropColumn, ExpandColumn, RowIndicatorColumn Returns the DataField that will be used when filtering or sorting Columns like HyperLinkColumn can contain multiple DataFields, but the filtering will be performed based on the ActiveDataField Enable or Disable the filtering functionality of the grid for the current column. Enable or Disable the sorting functionality of the grid for the current column. Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from Get value based on the current IsEditable state, item edited state and ForceExtractValue setting. item to check to extract values from Returns the DataField that will be used for Filter and Sorting operations Gets or sets the column editor ID that will be used when the column is displayed in edit mode. The column editor ID that will be used when the column is displayed in edit mode. Get the current colum editor. If the column editor is not assigned at the moment the column will search for the ColumnEditorID on the page or should create its default column editor Gets the column editor instance for this column. The column editor instance for this column. Convert the emty string to null when extracting values for inserting, updating, deleting Gets or sets whether the column editor will be native when gird's RenderMode is set to Mobile Gets or sets a default value for the column when the row is in Insert mode Gets or sets the readonly status of the column. The column will be displayed in browser mode (unless its Visible property is false) but will not appear in the edit-form. A boolean value, indicating whether a column is ReadOnly. Gets or sets a value determining whether a editor will be displayed in the insert item. Inherited: The visibility is dependent on the value of the ReadOnly property. AlwaysVisible: The insert item is always visible AlwaysHidden: The insert item is always hidden Force RadGrid to extract values from EditableColumns that are ReadOnly (or IsEditable is false). Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets whether the column data can be filtered. A boolean value, indicating whether the column data can be filtered. Clone the current column This method should be used in case you develop your own column. It returns true if the column supports filtering. A string, specifying the ID of the datasource control, which will be used to populate the AutoCompleteBox with data. A string, specifying the ID of the datasource control, which will be used to populate the AutoCompleteBox with data. The DataField property points to the column in the grid data-source containing values which will be compared at a later stage with the values available in the column Sets or gets default text when column is empty. Default value is "&nbsp;" A Boolean value, indicating whether the column is editable. If it is editable, it will be represented as an active AutoCompleteBox in edit mode. A Boolean value, indicating whether the column is editable. Gets or sets a value indicating how the RadAutoCompleteBox items should be displayed - as tokens or as text. Gets or sets a value indicating whether the RadAutoCompleteBox should apply “Contains” or “StartsWith” filter logic. Gets or sets a value indicating whether the user will be able to add a custom text not present within the raw data in order to create a custom entry. Gets a value indicating whether the user can select multiple entries. Gets a value indicating whether the text of the RadAutoComplete Tokens can be edited when user double clicks on it. Gets or sets a value indicating what delimiter should be used when the control displays the selected items as text (InputType = Text) Gets or sets the DataTextField. The DataTextField. Gets or sets the DataValueField. The DataValueField. Enumeration to be used for FilterType property of RadGrid It determinates the filter type that to be rendered in the filter menu Use the classic filtering of RadGrid Use CheckList filtering, like the filter in Excel Use both CheckList and Classic filtering at the same time Show Header context filter menu and hide the filter item Header/footer data container element Default constructor for the header/footer object The prefix which shows if the header/footer object is left, middle or right cell Header/Footer object state Left header/footer cell Middle header/footer cell Right header/footer cell Header/footer cell Default constructor for the GridPdfPageHeaderFooterCell object The prefix which shows if the object is header or footer GridPdfPageHeaderFooterCell state Determines the content of the header/footer cell. Put <?page-number?> in the place where the page index should be inserted. Text alignment for the current cell. Text alignment enumeration type A class containing properties associated with the Virtualization functionality. Gets or sets a value determining if the Virtualization will be turned on. The default value is false. Gets or sets a value indicating if the scrolling will be done for the whole data source or only for the current page. The default value is false. Gets or sets the number of records that will be initially send from the server and cached on the client. Note this property works only for server-side binding. When using client-side binding the initially cached items count equals the value. The default value is 5000. Gets or sets the value that determines how many items will be retrieved every time a request is made. Note that in some cases the number of retrieved items could vary a little from the specified value. The default value is 1000. Gets or sets a value determining how many items will be bound in the at any given moment. Note that we do not recommend setting the value to something really small(under 50) or really big(over 200) because there could be performance problems. The default value is 100. Gets or sets a value determining how many items at maximum should be cached on the client. The default value is int.MaxValue. Gets or sets the ID of the that you want to show when waiting for data to be loaded in the grid. By default the will not show any loading panel during requests. Event arguments passed when calls its event. Get the Column in which is the check list filter. Get the RadListBox used for filtering that need to be populated. Get/Set whether the object should be visible Specifies the rotation angle of the outliers. Get/Set the markers shape Specifies the border settings of the outliers. Get/Set the markers shape Get/Set whether the labels position Specifies the label's alignment Get/set the name of the axis so that it can be associated with a series Get/Set whether the minimum value of the axis Get/Set whether the maximum value Get/Set the step for the axis values when MinValue and MaxValue are both set Index/value at which the first perpendicular axis crosses this axis Get/Set the color of the axis line Get/Set the width of the axis line Get/Set whether the axis should be visible Get/Set whether the axis should be reversed Get/Set the minor tick size. This is the length of the line in pixels that is drawn to indicate the tick on the chart. Get/Set the minor tick type. The tick can either be drawn outside, or hidden by selecting none Get/Set the major tick size. This is the length of the line in pixels that is drawn to indicate the tick on the chart. Get/Set the minor tick type. The tick can either be drawn outside, or hidden by selecting none Defines the appearance settings of axis title Defines the appearance settings of axis labels Minor grid lines settings Major grid lines settings A collection of plotbands to be displayed for the axis. The DataField with the labels text when the chart is bound to a datasource. Gets a collection of AxisItem objects that allows for specifying the text of the axis labels Gets a collection of AxisItem objects that allows for specifying the text of the axis labels Use the Items collection to programmatically control the text of the axis labels The property which sets the type of the axis. Gets or Sets the minimum value for the axis as object. This property affects the chart only when it is Type property is set to Date. Gets or Sets the maximum value for the axis as object. This property affects the chart only when it is Type property is set to Date. This property is used with DateTime values only and it specifies the time interval of the axis labels. Test Defines the different base unit steps to be used, when the BaseUnit="Auto" The collection specifies the crossing points of X and Y axes. Gets or Sets the starting angle of the XAxis for radial series (Radar and Polar) types The property which sets the type of the axis. If set to true the chart will prevent the automatic axis range from snapping to 0. Setting it to false will force the automatic axis range to snap to 0. Gets or Sets the PlotBand's starting point Gets or Sets the PlotBand's ending point Gets or Sets the color filling the PlotBand Gets or Sets the Alpha value of the color filling the PlotBand The category type is used for enabling the standard category axis mode. The type which is used to enable the date axis mode. The type of the axis is determined automatically based on the data that is displayed Specifies logarithmic scale of the axis. The enumerator that defines the possible layouts of RadHtmlChart Defines the default chart layout Defines a sparkline layout with fewer chart elements and a smaller chart size Defines a stock layout which is used for displaying financial data Defines the default line style which is determined by the corresponding series type Defines the smooth (spline) style of the line Defines the step (step-line) style of the line. This option is applicable for Area and Line series only. Defines the default line style which is determined by the corresponding series type Defines the smooth (spline) style of the line Specifies a cross symbol for the outliers. Specifies a circle symbol for the outliers. Specifies a square symbol for the outliers. Specifies a triangle symbol for the outliers. The labels are positioned at the point center The labels are positioned inside, near the end of the point. The labels are positioned outside, near the end of the point. Creates a navigator which can be used in a stock chart only and provides zooming and scrolling functionality Defines the series used in the stock chart's navigator Defines a selection area in the navigator Defines the information block that will appear when the stock chart is zoomed or scrolled Defines the X axis configuration settings Defines the visibility of the navigator Creates a selection hint which gives information about the current selection Defines the data format string of the hint Defines a client-side template for the selection hint. #= value # Defines the visibility of the hint The class which defines the crossing point of X and Y axis Creates a crossing point with a decimal value, which is suitable for numeric series. Creates a crossing point with an integer value, which is suitable for numeric series. Specifies the point at which the Y axis will cross the X axis. For categorical series, the Value property corresponds to the index of the category. For numeric series, the Value property corresponds to the actual value on the X axis. A collection, which consists of the points at which the Y axes cross with the X axis. Adds an axis crossing point. Adds an axis crossing point, specified by a decimal value. This option is used for numeric series. Adds an axis crossing point, specified by an integer value. This option is used for categorical series. Adds an array of decimal crossing points. Adds an array of decimal crossing points. Adds an array of integer crossing points, which is suitable for categorical series. Adds an array of integer crossing points, which is suitable for categorical series. A DateTime string formatter. This class provides configuration for each DateTime format set to the property. Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Gets or Sets the format to be used when is set to Specifies the fill style of the chart background Defines the text style settings Creates a collection which consists of items for a BoxPlot chart. Adds a box plot series item. The box plot series item. Adds a polar series item. The polar series item. Adds a polar series item, specified by its X and Y values. The angle (degree) value of the item. The radius value of the item. Adds a polar series item, specified by its X (degree) and Y values and background color. The angle (degree) value of the item. The radius value of the item. The background color of the item. Creates an item which is used in a box plot. Specifies the lower value of the data. Specifies the upper value of the data. Specifies the value of the first quartile. Specifies the value of the median. Specifies the value of the third quartile. Specifies the mean value of the data. Specifies the outliers of the box plot item. Specifies the value of the outlier Gets or Sets the value of the Angle coordinate Gets or Sets the value of the Radius coordinate The candlestick series class will produce a candlestick chart type. Creates a candlestick series. The data field with the values of the series along the Y axis The field which is used for the open value when the series is data bound. The field which is used for the close value when the series is data bound. he field which is used for the high value when the series is data bound. The field which is used for the low value when the series is data bound. The field which is used for the down color value when the series is data bound. The field which sets the down color of the series items when the close value is lower than the open value. Creates a collection of candlestick series items. The class that provides the functionality of a funnel chart Creates a collection of funnel series items. Defines the appearance settings of the series labels Get/Set the spacing between the funnel's segments Get/Set the neck ratio of the funnel's segments Get/Set the slope of funnel's segments Get/Set the automatic change of segment's height according to the item's value Specifies the name of the series items in a databound scenario. This name will appear in the legend. Specifies the visibility of the series items in the legend for a data-bound scenario. Get/Set missing values behavior Defines the appearance settings of the markers Defines the appearance settings of the series labels Defines the appearance settings of the line. Creates a collection with specific series items for the current series type Defines the appearance settings of the markers The data field with the values of the series Radius values The data field with the values of the series Angle values The data field with the values of the series along the Y axis The data field with the values of the series along the X axis Defines the appearance settings of the line. The area series class will produce an area chart type. Creates an area series. Creates a collection with specific series items for the current series type Get/Set missing values behavior Get/Set whether the series is stacked Specifies the stack type of the series. Defines the appearance settings of the line. Get/Set missing values behavior The bar/column series class will produce a bar/column chart type. Creates a bar/column series. Get/Set whether the series is stacked Specifies the stack type of the series. Defines a group name for the series and applies stacking automatically Defines the appearance settings of the series labels Creates a collection of category series items. Gets or Sets the distance between the category clusters. The value of the property cannot be negative. You should specify a non-negative value for the Gap property. Gets or Sets the space between the chart series as proportion of the series width. The value of the property cannot be negative. You should specify a non-negative value for the Spacing property. The line series class will produce a line chart type. Creates a line series. Get/Set whether the series is stacked Specifies the stack type of the series. Creates a collection with specific series items for the current series type Defines the appearance settings of the line. The collection, which stores candlestick series items. Adds a candlestick series item. The candlestick series item. Adds a candlestick series item, specified by its open, close, high and close values. The open value of the item. The close value of the item. The high value of the item. The low value of the item. Adds a candlestick series item, specified by its open, close, high and close values and down color. The open value of the item. The close value of the item. The high value of the item. The low value of the item. The background color of the item. Adds a candlestick series item, specified by its open, close, high and close values and down color. The open value of the item. The close value of the item. The high value of the item. The low value of the item. The color of the item when the close value is lower than the open value. The collection, which stores category series items. Adds a category series item. The category series item. Adds a category series item, specified by its Y value. The Y value of the item. Adds a category series item, specified by its Y value and background color. The Y value of the item. The background color of the item. Adds a category series item. The category series item. Adds a funnel series item, specified by its Y value. The Y value of the item. Adds a funnel series item, specified by its Y value and background color. The Y value of the item. The background color of the item. The collection, which stores scatter series items. Adds a scatter series item. The scatter series item. Adds a scatter series item, specified by its X and Y values. The X value of the item. The Y value of the item. Adds a scatter series item, specified by its X and Y values and background color. The X value of the item. The Y value of the item. The background color of the item. Get/Set the x value of the item. Get/Set the size value of the item. Get/Set the text of the tooltip The series item of the candlestick series. Creates a candlestick series item. Creates a candlestick series item. The open value of the item. The close value of the item. The high value of the item. The low value of the item. Creates a candlestick series item. The open value of the item. The close value of the item. The high value of the item. The low value of the item. Defines the background color of the item. Creates a candlestick series item. The open value of the item. The close value of the item. The high value of the item. The low value of the item. Defines the color of the item when the close value is lower than the open value. Specifies the open value of the item. Specifies the close value of the item. Specifies the high value of the item. Specifies the low value of the item. The down color is used when the close value of the item is lower than the open value. Creates an item for the Funnel series type. Specifies the name of the item which will appear in the tooltip and in the legend. Get/Set the visibility of the item. Get/Set the visibility of the item in the legend. Get/Set the name of the item. This is the value which will be shown in the legend. Get/Set whether the sector should be exploded. Get/Set the visibility of the item. Get/Set the visibility of the item in the legend. Creates a selection area in stock chart's navigator Defines the starting point of the selection Defines the ending point of the selection Gets or sets the margin of the text in pixels. Base implementation for an image operation that handles indices Create a new image operation with default index of -1 Allows specifying of an operation index The index of the operation The index of the current operation Specifies the necessary data and functionality for an image operation. Any image operation changes the graphics of an image. Applies the operation against the provided image. The provided image that defines the base for the operation The resultant image of the applied graphics operation If operations are stacked, this defines their order of execution. The name of the operation Configuration class providing configuration related to the editable image. Property to define the maximum length of image saving using canvas or applying thousands of client-based commands. The default is 2097152 characters, which is equivalent to 4 MB of Unicode string data. The image formats supported by the ImageEditor editing capabilities Represents an ImageEditor dialog used for controlling the Export functionality of the control. This dialog allows saving of the editable image in a different format. Represents a base class for the image editor dialog controls. Creates an instance of the class. Creates an instance of the class. The skin of the parent ImageEditor. The parent image editor which loads the dialog. Renders the localized title of the dialog. The writer that will write out the text. Renders the script HTML tag with the script of the control. The writer that writes the HTML tag. Searches the current dialog for child RadControls and sets their Skin properties to the same value as that of the ParentImageEditor. The parent control where to search for child RadControls. In our case this is the dialog. The skin to apply to the child RadControls. Reports back if the dialog should be rendered using a Touch skin True if Touch skin is used Sets child controls properties. Override this method if you want to configure the child controls, such as setting the localized strings. Gets the HTML content to load within the dialog. It is loaded from .ASCX file. The name of the ASCX file. The HTML content that will be loaded within the dialog. Searches for a child control within the dialog's Controls collection. The ID of the control to find. Instance to the control found. If the control is not found null is returned. Gets the name of the Dialog. Gets the script file associated with the dialog. Gets the Title of the Dialog. Gets or sets a value indicating where the image editor will look for its dialogs. A relative path to the dialogs location. For example: "~/controls/RadImageEditorDialogs/". If specified, the ExternalDialogsPath property will allow you to customize and load the image editor dialogs from normal ASCX files. Gets or sets the Skin of the ParentImageEditor control. Gets or sets the ParentImagEditor control which loads the DialogControl. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the InsertImage functionality of the control. Creates an instance of the class. Pencil is used to draw sharp lines in the ImageEditor The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the InsertImage functionality of the control. Creates an instance of the class. Pencil is used to draw sharp lines in the ImageEditor The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for changing the hue and saturation of the editable image. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the InsertImage functionality of the control. Creates an instance of the class. Pencil is used to draw sharp lines in the ImageEditor The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Gets or sets the width of the ContentArea. Takes effect only when is ContentArea. In ThumnailArea mode the ContentArea width is determined by the property. Gets or sets the height of the ContentArea. Takes effect only when is ContentArea. In ThumnailArea mode the ContentArea height is determined by the property. Gets or sets a value determining if the box that holds the item title and description will be visible. Gets or sets a value determining if the Next/Prev navigate buttons will be visible. Gets or sets the tooltip and alternative text for the previous image button. Gets or sets the tooltip and alternative text for the next image button. Gets or sets the tooltip and alternative text for the close button. Gets or sets an enumeration determining the way images will be navigated. Either by using the buttons or by just clicking on one side of the ContentArea. Determines the way the image will be resized when placed in the ImageArea. Fit will scale the image so it is entirely visible. Fill will fill the entire area but will crop part of the image. RadImageGallery animation type See the Animations topic for more information. No animation Random animation Blocks animation Big blocks animation Small blocks animation Fade animation Resize animation Horizontal resize animation Vertical resize animation Diagonal resize animation Horizontal slide animation Vertical slide animation Horizontal stripes animation Vertical stripes animation Collapsing horizontal stripes animation Collapsing vertical stripes animation RadImageGallery DisplayArea mode See the Modes topic for more information. This is the default mode when the ThumbnailsArea and the ImageArea are simultaneously visible. The image below presents all areas and sections in this mode. The area initially shows only thumbnail images and upon click it hides the thumbnails and shows the ImageArea with close button on the top right in order to give the possibility to go back to the ThumbnailsArea. The area initially shows only thumbnail images and on click opens a LightBox control with the image. The area initially shows only thumbnail images and on click opens a ToolTip control with the image. RadImageGallery easings Linear easing type Ease type Ease in type Ease out type Ease in/out type Ease in quad type Ease out quad type Ease in/out quad type Ease in cubic type Ease out cubic type Ease in/out cubic type Ease in quart type Ease out quart type Ease in/out quart type Ease in quint type Ease out quint type Ease in/out quint type Ease in sine type Ease out sine type Ease in/out sine type Ease in exponential type Ease out exponential type Ease in/out exponential type Ease in circular type Ease out circular type Ease in/out circular type Ease in back type Ease out back type Ease in/out back type Random easing type ImageGallery Navigation Modes include: - Button - the user can navigate by clicking on the left/right buttons - Zone - clicking on the left half of the image navigates backwards and vice versa Button mode - the user can navigate by clicking on the left/right buttons Zone mode - clicking on the left half of the image navigates backwards and vice versa Value determining when the scroll buttons action will be triggered. Scroll is triggered on click Scroll is triggered on hover Scroll is triggered on mouse down Value determining where the scrollbar will be positioned and in what direction (horizontally or vertically) the content will be moved. Horizontal direction scroll Vertical direction scroll Enumeration determining how the ThumbnailsArea will look and function. See the Modes topic for more information. This is the default ThumbnailsArea Mode which is also presented in the image above. Available only for DisplayArea Mode set to Image. In this case the Thumbnails are presented as dots which could be selected to open the image. Available only for DisplayArea Mode set to Image. In this case the Thumbnails are presented as dots which could be previewed on hover. Determines the position of the thumbnails area Top position Bottom position Left position Right position Determines the position of the toolbar in the RadImageGallery control Bottom position Top position Top position, on the inside Bottom position, on the inside No toolbar The item that you are request an image for. The key values for the item. Key values are filled based on collection. Gets or sets the ImageData(byte[]) that will represent the requested image. Gets or sets the ImageUrl that will represent the requested image. Gets the item that was created. Gets the that is associated with the . The item holds the rendered controls for the item. Gets the new that will be applied to the control after the command have executed. Gets the new that will be applied to the control after the command have executed. RadImageGallery AnimationSettings class See the Animations topic for more information. Gets the animation settings for the animation performed when going to the next image in the . Gets the animation settings for the animation performed when going to the previous image in the . Gets or sets a value indicating how many milliseconds will the control will wait until it switches to the next image when the slideshow functionality is turned on. RadImageGallery AnimationSetting class See the Animations topic for more information. Gets or sets the type of animation that will be used for the current animation. Gets or sets the time that the current animation will last. The property is in milliseconds. Gets or sets the easing that will be applied to the animation. RadImageGallery ClientEvents class See Client-side Programming / Events topic for more information Client-side event fired when the client-side object finishes initialization. Client-side event fired before the enters full screen mode. Event could be canceled in order to prevent from entering full screen mode. Client-side event fired after the have entered full screen mode. Client-side event fired after have exited full screen mode. Client-side event fired just before the slideshow functionality is turned on. Event could be canceled in order to prevent the start of a slideshow. Client-side event fired just before the slideshow functionality is turned off. Event could be canceled in order to prevent the pause of a slideshow. Client-side event fired before changing the selection of an item and navigating to different one. Event could be canceled in order to prevent navigation. Client-side event fired after a change in the selected item and navigation to a different one. Client-side event fired before an image is requested. Subscribe to the event in order to provide your custom image URL that you want to load. Client-side event fired after an image have been loaded. In the event handler you will have access to the image. RadImageGallery ClientSettings class See Keyboard Support topic for more information Gets or sets a value determining if the keyboard navigation will be turned on. Gets or sets the settings associated with the keyboard navigation. Individual settings could be customized together with defining different shortcut combinations or disabling specific shortcuts. Gets the animation settings for the . Inner settings determine the animations between images. Gets a reference to , which holds properties for setting the client-side events. Gets or sets a property determining if the items will loop when the end is reached. Gets the shortcuts collection that defines all custom shortcuts. When defining an already existing command the default one will be disabled but not removed from the collection. Note: It is possible to define multiple shortcuts for the same command. The type of command that the shoutcut will be used for. Enumeration representing all commands available in the Formats the text depending on PagerButtonType. Text for LinkButton is wrapped with span tag. Value from PagerButtonType enum. Text to be formatted. Returns string representing content of button. Ensures button Enabled property. If button command argumetn is same as current page, button will be disabled. Button instance to be validated. Command argument for the button. Returns same button with Enabled property set. Creates button control from one of the following type: LinkButton, PushButton, ImageButton or HyperLink if AllowSEOPaging is set to "true". Button Enabled state will be validated depending on current page index. PagerButtonType enumerator Text shown as content the button control Tooltip of the button Command that button triggers Command argument which will be passed along with CommandName CssClass that will be applied on the button Returns button control of type: LinkButton, PushButton, ImageButton or HyperLink if SEO paging. Create button control for one of the following types: LinkButton, PushButton, ImageButton Method for creating "Previous" button. Method for creating "Next" button. Method for creating "First" button. Method for creating "Last" button. Method for creating all numeric pager buttons. This enumeration defines the possible positions of the pager item The Pager item will be displayed on the bottom of the treelist. (Default value) The Pager item will be displayed on the top of the treelist. The Pager item will be displayed both on the bottom and on the top of the treelist. This enumeration defines the possible positions of the pager item The Pager item will be displayed on the bottom of the grid. (Default value) The Pager item will be displayed on the top of the grid. The Pager item will be displayed both on the bottom and on the top of the grid. The mode of the pager defines what buttons will be displayed and how the pager will navigate through the pages. The treelist Pager will display only the Previous and Next link buttons. The treelist Pager will display only the page numbers as link buttons. The treelist Pager will display the Previous button, page numbers, the Next button, the PageSize dropdown and information about the items and pages count. The treelist Pager will display the Previous button, then the page numbers and then the Next button. On the next Pager row, the Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The treelist Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The grid Pager will display a slider for very fast and AJAX-based navigation through grid pages. RadImageGallery PagerStyle. Inner properties configure the position and look of the pager. See Server-side Programming topic for more information. Gets or sets an enumeration representing where pager items will be created relative to the position. Gets or sets the number of page buttons that will be rendered if the pager is in mode that renders the page buttons. Gets or sets if the pager item will be still visible when there is only one page. Gets or sets a value indicating whether the pager text will be visible. The string used to format the description text that appears in a pager item. Gets or sets a value determining the position where the Toolbar will be placed. Gets or sets whether the text that indicates the current item and the total items count on the current will be visible. Gets or sets the format of the text that indicates the current item and the total items count. {0} - The number of the current item {1} - The total items count on the current page Gets or sets a value indicating whether the Slideshow button will be visible. Gets or sets a value determining the title attribute and alternative text for the Play button. Gets or sets a value determining the title attribute and alternative text for the Pause button. Gets or sets whether the FullScreen buttons will be visible. Gets or sets a value determining the title attribute and alternative text for the EnterFullScreen button. Gets or sets a value determining the title attribute and alternative text for the ExitFullScreen button. Gets or sets whether the ThumbnailsToggle button will be visible. Gets or sets a value determining the title attribute and alternative text for the ShowThumbnailsButton button. Gets or sets a value determining the title attribute and alternative text for the HideThumbnailsButton button. Gets the type of the item that points to the type of content it will display. Gets or sets the URL of the thumbnail item that will be placed in the ThumbnailArea. Gets or sets the URL of the image that will be placed in the ContentArea. Gets or sets a byte array(byte[]) that will be processed by a RadBinaryImage control and will be placed in the ThumbnailArea. Gets or sets a byte array(byte[]) that will be processed by a RadBinaryImage control and will be placed in the ContentArea. Determines the URL the user will be redirected after clicking the image in the item. By default NavigateUrl is equal to empty string and clicking the image won't do anything. Adds a new to the end of the collection. The new item to be added to the end of the collection. RadImageGallery control. See RadImageGallery Overview topic for more information. RadImageGallery control. See RadImageGallery Overview topic for more information. RebindImageGallery command constant Page command name constant First Page command name constant Last Page command name constant Next Page command name constant Prev Page command name constant Change Page Size command name constant Change Item Index command name constant Rebinds the ThumbnailsArea.ListView control and recreates all controls required for the to recreates itself successfully. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets or sets the object from which the data-bound control retrieves its list of data items. An object that represents the data source from which the data-bound control retrieves its data. The default is null. Determines if the control will have WAI-ARIA support enabled Gets or sets the ID of the control from which the data-bound control retrieves its list of data items. The ID of a control that represents the data source from which the data-bound control retrieves its data. Gets or sets the ID of the ClientDataSource control which is used for client-side databinding scenarios. Gets the items collection which holds the data associated with the items that will be populated in the ThumbnailArea and the items that will be shown in the current content view mode. Gets the settings for the ThumbnailArea. Gets the settings for the ImageArea. Gets the settings associated with the Toolbar. Gets the settings associated with the Toolbar. Gets a reference to the , which holds properties for controlling the behavior of the pager item. Gets or sets an array of data-field names that will be used to populate the DataKeyValues collection, when the control is databinding. Gets a reference to the control that is used inside the ThumbnailArea. The holds the thumbnails items created from the collection. Gets the control that will be displayed when waiting for the image Gets a reference to the control used when is equal to 'LightBox'. Gets or sets a value indicating the index of the current page the RadImageGallery is paged on. A relative or absolute path to a folder from which the RadImageGallery items will be populated. Gets or sets a string value determining the field in the which the control will bind its items' or property. The field could be of type String for specifying the value. Or byte array(byte[]) for specifying the . Gets or sets a string value determining the field in the which the control will bind its items' or property. The field could be of type String for specifying the value. Or byte array(byte[]) for specifying the . Gets or sets a string value determining the field in the which the control will bind its items' property. Gets or sets a string value determining the field in the which the control will bind its items' property. Gets or sets a value that indicates whether collection is cleared before DataBinding. Gets or sets a value indicating whether the automatic paging feature is enabled. Gets or sets an integer value representing the current page index. Note that the should be set to 'true' in order for the property to take effect. Gets or sets an integer value indicating the number of items that will be populated in the ThumbnailArea. Note that the should be set to 'true' in order for the property to take effect. Gets or sets a value indicating the mode the control will operate in. The mode determines the appearance and the way the entire control will work. If enabled, this will loop the items when the last/first one is reached. Determines if the control will display loading panel when image is being loaded. Gets or sets a value indicating where RadImageGallery will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadImageGalleryResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets the selected culture. Localization strings will be loaded based on this value. The selected culture. Localization strings will be loaded based on this value. Event is fired when control fires a command event or by manyally calling the fireCommand client-side method available in the Telerik.Web.UI.RadImageGallery client-side object. The event is raised before is data-bound and its purpose is to specify the property to which the control will be bound to. The event is raised when a item and its associated item are created. The event arguments provide access to both items for further configuration or access to controls. The event is raised when a item and its associated item are data-bound. The event arguments provide access to both items for further configuration or access to controls. The event is raised when the changes its CurrentPageIndex and goes to a different page. The event is raised when the changes. Event is fired when an image needs to retrieve its URL from the server. The event could be subscribed and the ImageUrl (or ImageData) could be specified manually (this will cancel the automatic mechanism). Gets or sets the width of the ThumbnailsArea. Gets or sets the height of the ThumbnailsArea. Gets or sets the width of each thumbnail item in the area. Gets or sets the height of each thumbnail item in the area. Gets or sets the spacing (CSS margin) between each image(thumbnail) in the ThumbnailsArea. Gets or sets a value determining if the ThumbnailArea will be automatically scrolled when the mouse is close enough from the left or right side of the area. Gets or sets a value determining if a scrollbar will be displayed in the ThumbnailsArea. Gets or sets a value indicating if the buttons that scroll the ThumbnailsArea view will be visible. Gets or sets the tooltip and alternative text for the ScrollPrev button. Gets or sets the tooltip and alternative text for the ScrollNext button. Gets or sets an enumeration value determining when the scroll buttons action will be triggered. Note that scroll amount is changed based on the value specified. Gets or sets a value determining where the scrollbar will be positioned and in what direction (horizontally or vertically) the content will be moved. Gets or sets a value determining where the ThumbnailArea will be positioned. The are 8 positions which give freedom in choosing to place the are inside or outside the ContentArea. Note that the position will have effect only when DisplayAreaMode='ContentArea'> Gets or sets an enumeration determining how the ThumbnailsArea will look and function. The class holding the settings for the control which are used to determine the date input behavior. The class holding the settings for the control which are used to determine the date input behavior. Class holding settings which are applied to all TargetControls. Validates the specified control. The control. Validates the specified control with supplied context. The control. The context. Gets a collection of TargetInput objects that allows for specifying the objects for which input will be created on the client-side. Use the TargetControls collection to programmatically control which objects should be inputtipified on the client-side. Gets or sets an instance of the InputManagerClientEvents class which defines the JavaScript functions (client-side event handlers) that are invoked when specific client-side events are raised. Gets an instance of the InputSettingValidation class which defines the validation behavior. Gets or sets the css style for enabled TextBox control. A string object that represents the css style properties for enabled TextBox control. The default value is an empty string. Gets or sets a value to access the client-side behavior. In cases where you would like to access the client-side behavior for your setting from script code in the client, you can set this BehaviorID to simplify the process. See example below: Gets or sets the css style for hovered TextBox control. A string object that represents the css style properties for hovered TextBox control. The default value is an empty string object. Gets or stes the css style for invalid state of TextBox control. A string object that represents the style properties for invalid TextBox control. The default value is an empty string object. Gets or sets the css style for invalid state of TextBox control. A string object that represents the css style for invalid TextBox control. The default value is an empty string object. Gets or sets the css style for Read Only state of TextBox control. A string object that represents the css style for Read Only TextBox control. The default value is an empty string object. Gets or sets the css style for TextBox when when the control is disabled. A string object that represents the css style for TextBox control. The default value is an empty string object. Gets or sets the css style for TextBox when when the control is empty. A string object that represents the css style for TextBox control. The default value is an empty string object. Gets or sets a value message shown when the control is empty. A string specifying the empty message. The default value is empty string. (""). Shown when the control is empty and loses focus. You can set the empty message text through EmptyMessage property. Gets or sets the text for the error message displayed in the control when validation fails. The text for the error message displayed in the control when validation fails. Gets or sets whether the text in the control selected on focus and how. Determines whether the text in the control selected on focus and how. Gets or sets a value indicating the control should be initialized on client or not. A value indicating the control should be initialized on client or not. Gets or sets a value indicating whether the value entered into the textbox should be cleared on error. Gets if the TargetControls in the InputSettings are successfully validated. The is valid. Interface implemented by which is part of the , , controls. Validates the specified control with supplied context. The control. The context. Validates the specified control. The control. Gets or sets the culture used by RadDateSetting to format the date. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. Gets or sets the smallest date value allowed by RadDateSetting. A DateTime object that represents the smallest date value by RadDateSetting. The default value is 1/1/1980. Gets or sets the largest date value allowed by RadDateSetting. A DateTime object that represents the largest date value allowed by RadDateSetting. The default value is 12/31/2099. Gets or sets the date and time format used by RadDateSetting. A string specifying the date format used by RadDateSetting. The default value is "d" (short date format). Gets or sets the display date format used by RadDateSetting.(Visible when the control is not on focus.) A string specifying the display date format used by RadDateSetting. The default value is "d" (short date format). If the DisplayDateFormat is left blank, the DateFormat will be used both for editing and display. Gets or sets a value that indicates the end of the century that is used to interpret the year value when a short year (single-digit or two-digit year) is entered in the input. The year when the century ends. Default is 2029. Gets or sets the ID of the calendar that will be used for picking dates. This property allows you to configure several datepickers to use a single RadCalendar instance. The string ID of the RadCalendar control if set; otherwise String.Empty. Gets or sets whether popup shadows will appear. Gets or sets a value indicating whether the picker will create an overlay element to ensure popups are over a flash element or Java applet. The default value is false. Gets or sets the direction in which the popup Calendar is displayed, with relation to the DatePicker control. Gets or sets whether the screen boundaries should be taken into consideration when the Calendar or TimeView are displayed. Represents a MaskPart which accepts numbers in a specified range. This example demonstrates how to add a LongRangeMaskPart object in the MaskParts collection of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { LongRangeMaskPart rangePart = new LongRangeMaskPart(); rangePart.LowerLimit = 0; rangePart.UpperLimit = 255; RadMaskedTextBox1.MaskParts.Add(rangePart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim rangePart As New LongRangeMaskPart() rangePart.LowerLimit = 0 rangePart.UpperLimit = 255 RadMaskedTextBox1.MaskParts.Add(rangePart) End Sub The abstract base class of all mask parts. This class is not intended to be used directly. Returns the friendly name of the part. Gets or sets the smallest possible value the part can accept. An integer representing the smallest acceptable number that the LongRangeMaskPart can accept. The default value is 0. Gets or sets the largest possible value the part can accept. An integer representing the largest acceptable number that the LongRangeMaskPart can accept. The default value is 0. An enumeration representing the possible resize modes Disable resizing Allow vertical and horizontal resizing Allow horizontal resizing Allow vertical resizing RadLightBox Client Settings Determines the animation speed for this animation type Determines the easing type for this animation RadLightBox Client Settings Sets the animation type for the "show" action Sets the animation type for the "hide" action Sets the animation type for the "prev" action Sets the animation type for the "next" action RadLightBox Show Animation Settings RadLightBox Hide Animation Settings RadLightBox Next Animation Settings RadLightBox Prev Animation Settings RadLightBox client data-binding templates configuration Gets/sets the RadLightBox client-side binding ItemTemplate Gets/sets the RadLightBox client-side binding DescriptionTemplate RadLightBox Client Events This client event will be fired when the RadLightBox client component is initializing. This client event will be fired when closing the RadLightBox popup. This client event will be fired when the RadLightBox popup is closed. This client event will be fired when the RadLightBox popup is opening. This client event will be fired when the RadLightBox popup is opened. This client event fires when the user navigates out of the current page. This client event fires when the client object is about to be destroyed. Provides data for Command events The target item index Gets or sets a value, defining whether the command should be canceled. A value, defining whether the command should be canceled. Determines the fullscreen mode of RadLightBox - Emulation - default value. Simulates a native fullscreen mode. - Native - uses the browsers' native fullscreen mode, if supported. Simulates a native fullscreen mode. Default value. Uses the browsers' native fullscreen mode, if supported. LightBoxNavigationModes include: - Button - the user can navigate by clicking on the left/right buttons - Zone - clicking on the left half of the image navigates backwards and vice versa Button mode - the user can navigate by clicking on the left/right buttons Zone mode - clicking on the left half of the image navigates backwards and vice versa Determines the way the image resizing works in full screen (maximized) mode Fits the image/iframe content to the available space but keeping the proportions at the same time Stretches the image/iframe to fill the available space If autoresize is enabled, RadLightBox will not resize the image if it is smaller than the available space yet it will make it fit proportionally if it is larger Description is positioned below the image (default) Description is positioned above the image Description is positioned over the top part of the image with transparency Description is positioned over the bottom part of the image with transparency Determines the animation type used by RadLightBox No animation Fade in / Fade out Resize Image Animations - Blocks Image Animations - BigBlocks Image Animations - SmallBlocks Image Animations - HorizontalResize Image Animations - VerticalResize Image Animations - DiagonalResize Image Animations - HorizontalSlide Image Animations - VerticalSlide Image Animations - HorizontalStripes Image Animations - VerticalStripes Image Animations - CollapsingHorizontalStripes Image Animations - CollapsingVerticalStripes Determines the easing type RadLightBox Client Settings RadLightBox Client Events RadLightBox Client Data-Binding RadLightBox Animation Settings Determines the fullscreen mode Determines whether the keyboard navigation support will be enabled If this property is enabled the control won't be closed when clicking outside of the popup Shows/hides the items counter. Default value is true. Determines the navigation mode Determines the way the image resizing works in full screen (maximized) mode RadLightBox Item. See the Overview topic for more information. RadLightBox Item. See the Overview topic for more information. RadLightBox item. See the Overview topic for more information. The Url of the target image The Url of the target frame Item title Item description ID of the control that will open this item Determines whether the TargetControlID is a client or server ID Determines the width of the item content Determines the height of the item content Item template Description template RadLightBox Item Collection. Used by RadLightBox.Items property. See the Overview topic for more information. RadLightBox Item Collection. Used by RadLightBox.Items property. See the Overview topic for more information. Adds an item to the collection Item to be added to the collection RadLightBox control. See the Overview topic for more information. RadLightBox control. See the Overview topic for more information. Raises event The container that holds the main content The container that holds the title The container that holds the description RadLightBox Client Settings Gets or sets the z-index of the LightBox popup Determines whether the RadLightBox will display loading panel The default value is true Determines if the control will have WAI-ARIA support enabled Enables or disables the "glow" effect around the control Gets or sets the tab index of the RadLightBox control. Setting this to 0 will prevent the normal operation of the keyboard navigation. Determines whether the RadLightBox is modal The default value is false RadLightBox Items Collection This property enables setting a default path for the images when binding Gets/sets a value that indicates whether list items are cleared before databinding Gets/sets the current item index If enabled, this will loop the items when the last/first one is reached Returns the items count If set to true, this will prevent disposing of the current item's templates which will help avoid the postback when only one template item is available in the items collection. Disabled by default. Gets/sets the items counter format string. The first parameter is the item index and the second is the total number of items. The second parameter is optional. Determines whether the Close button will be visible Determines whether the Maximize button will be visible Determines whether the Restore button will be visible Determines whether the Prev button will be visible Determines whether the Next button will be visible Determines the position of the RadLightBox title/description The field in the data source which provides the title text. The field in the data source which provides the description text. The field in the data source which provides the ImageUrl. The field in the data source which provides the NavigateUrl. The field in the data source which provides the target control's ID. Gets or sets a value indicating where RadLightBox will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadLightBoxResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets the selected culture. Localization strings will be loaded based on this value. The selected culture. Localization strings will be loaded based on this value. RadLightBox Command event Gets a boolean variable that indicated whether the CheckAll checkbox is checked or unchecked Represents the method that handles the event of the control. Provides data for the event of the control. Gets or sets the starting index from which the records from the data source should be retrieved. The starting index from which the records from the data source should be retrieved. Gets or sets the number of records to be retrieved from the data source The number of records to be retrieved from the data source. Gets or sets the context set in the event. The context set in the event. Represents the method that handles the event of the control. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Enumeration representing the scope of the aggregates in RadListView calculates the aggregates on all items in the group calculates the aggregates only for items on the current page The event arguments passed when fires CustomAggregate event. The event is fired when a property is set to . Gets the in which the aggregate will be placed. The in which the aggregate will be placed. Gets an of the data items for which the aggregate should be calcuated The of data items used in the aggregate. Gets the data field for which the aggregate should be calculated. The name of the dataq field used in aggregates. Gets or sets the calcuated result for the current aggregate field. Represents an individual data group aggregate in a control. Gets or sets the data field for the specified aggregate in the A string, specifying the data field from the data source, that will be used in the aggregate. Represents an individual data group in a control. Gets or sets the custom content for the data group container in a setting. Gets or sets the group field name from the specified group in control. A string, specifying the group field from the data source, from which to build groups. Gets or sets the ID for the data group placeholder in a control. The ID for the data group placeholder in a control. The default is "dataGroupPlaceholder". Gets or sets the sort order for the current data group Gets or sets a collection of all the aggregates in the data group. All aggregates values in the data group. Collection holding items of type used in DataGroups collection. A collection of {Animation} objects, used to change default animations. A value of false will disable all animations in the widget. The animation that will be used when a Tooltip closes. The animation that will be used when a Tooltip opens. Serialization JS converter class for Animation Configures or disables the built-in attribution control. The position of the attribution control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". Serialization JS converter class for Attribution The position of the attribution control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". The default configuration for Bing (tm) tile layers. The attribution of all Bing (tm) layers. The the opacity of all Bing (tm) tile layers. The key of all Bing (tm) tile layers. The bing map tile types. Possible options: The culture to be used for the bing map tiles. Serialization JS converter class for Bing The animation that will be used when a Tooltip closes. Effect to be used for closing of the tooltip. Defines the animation duration. Serialization JS converter class for Close The text or a function which result will be shown within the tooltip. By default the tooltip will display the target element title attribute content. Specifies a URL or request options that the tooltip should load its content from. Serialization JS converter class for Content The configuration of built-in map controls. Configures or disables the built-in attribution control. Configures or disables the built-in attribution control. Configures or disables the built-in navigator control (directional pad). Configures or disables the built-in navigator control (directional pad). Configures or disables the built-in zoom control (+/- button). Configures or disables the built-in zoom control (+/- button). Serialization JS converter class for Controls The default fill for layer shapes. Accepts a valid CSS color string or object with detailed configuration. The default fill color for bubble layer symbols. Accepts a valid CSS color string, including hex and rgb. The default fill opacity (0 to 1) for layer symbols. Serialization JS converter class for Fill The default configuration for map layers by type. The default configuration for marker layers. The default configuration for shape layers. The default configuration for bubble layers. The size of the image tile in pixels. The default configuration for tile layers. The default configuration for Bing (tm) tile layers. Serialization JS converter class for LayerDefaults The layer type. Supported types are "tile" and "shape". The map center. Coordinates are listed as [Latitude, Longitude]. ==TBA== ==TBA== The configuration of the map layers. The layer type is determined by the value of the type field. The attribution for the layer. Accepts valid HTML. Specifies the extent of the region covered by this layer. The layer will be hidden when the specified area is out of view.Accepts a four-element array that specifies the extent covered by this layer: North-West lat, longitude, South-East latitude, longitude.If not specified, the layer is always visible. The API key for the layer. Currently supported only for Bing (tm) tile layers. The bing map tile types. Possible options: The culture to be used for the bing map tiles. The data item field which contains the marker (symbol) location. The field should be an array with two numbers - latitude and longitude in decimal degrees.Requires the dataSource option to be set.Only applicable to "marker" and "bubble" layers. The default marker shape for data-bound markers. The following pre-defined marker shapes are available:Marker shapes are implemented as CSS classes on the marker element (span.k-marker). For example "pinTarget" is rendered as "k-marker-pin-target". The size of the image tile in pixels. The data item field which contains the marker title. Requires the dataSource option to be set. The default Kendo UI Tooltip options for data-bound markers. The maximum symbol size for bubble layer symbols. The minimum symbol size for bubble layer symbols. The the opacity for the layer. A list of subdomains to use for loading tiles. Alternating between different subdomains allows more requests to be executed in parallel. The symbol to use for bubble layers. Possible values: circle, square The layer type. Supported types are "tile" and "shape". The default style for shapes. The URL template for tile layers. Template variables: The value field for bubble layer symbols. The data item field should be a number. The zIndex for this layer.Layers are normally stacked in declaration order (last one is on top). The minimum zoom level at which to show this layer. The maximum zoom level at which to show this layer. The ID of RadClientDataSource control to which the layer will be data bound. Serialization JS converter class for MapLayer Static markers to display on the map. The marker location on the map. Coordinates are listed as [Latitude, Longitude]. The marker shape. The following pre-defined marker shapes are available:Marker shapes are implemented as CSS classes on the marker element (span.k-marker). For example "pinTarget" is rendered as "k-marker-pin-target". The marker title. Displayed as browser tooltip. Kendo UI Tooltip options for this marker. Serialization JS converter class for MapMarker The default configuration for marker layers. The default marker shape for all marker layers. The following pre-defined marker shapes are available:Marker shapes are implemented as CSS classes on the marker element (span.k-marker). For example "pinTarget" is rendered as "k-marker-pin-target". The default Kendo UI Tooltip options for all marker layers. The the opacity of all marker layers. Serialization JS converter class for Marker The default options for all markers. The default marker shape. The following pre-defined marker shapes are available:Marker shapes are implemented as CSS classes on the marker element (span.k-marker). For example "pinTarget" is rendered as "k-marker-pin-target". Default Kendo UI Tooltip options for this marker. Serialization JS converter class for MarkerDefaults Configures or disables the built-in navigator control (directional pad). The position of the navigator control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". Serialization JS converter class for Navigator The position of the navigator control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". The animation that will be used when a Tooltip opens. Effect to be used for opening of the Tooltip. Defines the animation duration. Serialization JS converter class for Open Serialization JS converter class for RadMap For internal use only. Gets or sets the center latitude. Gets or sets the center longitude. Gets or sets the zoom of the map. The default configuration for shape layers. The attribution for all shape layers. The the opacity of all shape layers. The default style for shapes. Serialization JS converter class for Shape The default stroke for layer shapes. Accepts a valid CSS color string or object with detailed configuration. The default stroke color for bubble layer symbols. Accepts a valid CSS color string, including hex and rgb. The default dash type for layer symbols. The following dash types are supported: The default stroke opacity (0 to 1) for bubble layer symbols. The default stroke width for bubble layer symbols. Serialization JS converter class for Stroke The default style for shapes. The default fill for bubble layer symbols. Accepts a valid CSS color string or object with detailed configuration. The default stroke for bubble layer symbols. Accepts a valid CSS color string or object with detailed configuration. Serialization JS converter class for Style The default configuration for tile layers. The URL template for tile layers. Template variables: The attribution of all tile layers. The subdomain of all tile layers. The the opacity of all tile layers. Serialization JS converter class for Tile The default Kendo UI Tooltip options for all marker layers. Specifies if the tooltip will be hidden when mouse leaves the target element. If set to false a close button will be shown within tooltip. If set to false, showAfter is specified and the showOn is set to "mouseenter" the Tooltip will be displayed after the given timeout even if the element is no longer hovered. A collection of {Animation} objects, used to change default animations. A value of false will disable all animations in the widget. The text or a function which result will be shown within the tooltip. By default the tooltip will display the target element title attribute content. The text or a function which result will be shown within the tooltip. By default the tooltip will display the target element title attribute content. The template which renders the tooltip content.The fields which can be used in the template are: Specifies if the tooltip callout will be displayed. Explicitly states whether content iframe should be created. The height (in pixels) of the tooltip. The width (in pixels) of the tooltip. The position relative to the target element, at which tlhe tooltip will be shown. Predefined values are "bottom", "top", "left", "right", "center". Specify the delay in milliseconds before the tooltip is shown. This option is ignored if showOn is set to "click" or "focus". The event on which the tooltip will be shown. Predefined values are "mouseenter", "click" and "focus". Serialization JS converter class for Tooltip The position relative to the target element, at which tlhe tooltip will be shown. Predefined values are "bottom", "top", "left", "right", "center". Configures or disables the built-in zoom control (+/- button). The position of the zoom control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". Serialization JS converter class for Zoom The position of the zoom control. Predefined values are "topLeft", "topRight", "left", "bottomRight", "bottomLeft". Base class for the MediaPlayerFile object. Used for the elements in the RadMediaPlayer Playlist. MediaPlayerFile constructor. Used for the elements in the RadMediaPlayer Playlist. MediaPlayerFile constructor. Used for the elements in the RadMediaPlayer Playlist. Owner RadMediaPlayer object Gets the type (MediaPlayerVideo/MediaPlayerAudio) of the current file Gets a reference to the owner media player control Gets or Sets the Path of the Media Files Gets or Sets the Path of the Subtitles Files Gets or Sets the start volume of the Media Files Gets or sets a flag that indicates if the media file will start playing on load Gets or sets the start time for the media player Gets or Sets the Title of the Media Files Gets/sets the path to the poster for the media Gets a collection of MediaPlayerSource objects. Class that holds settings for banners in RadMediaPlayer The Url of the banner image The Navigate URL of the baner Gets or sets the show time of the banner Gets or sets the hide time for the banner Gets or sets whenever the close button should be visible for the banner Gets or sets the alternate text displayed in the banner when the image is unavailable. Gets or sets the text ToolTip of the image shown as banner Gets or sets the target window or frame in which to display the Web page content linked to when the Banner control is clicked. MediaPlayerBanner Collection MediaPlayerBanner Collection Adds an item to the collection Item to be added to the collection MediaPlayerFiles collection. Used in RadMediaPlayer playlist. For more information, please see the Playlist topic. Constructor for the MediaPlayerFiles collection. Used in RadMediaPlayer playlist. For more information, please see the Playlist topic. Owner RadMediaPlayer control Determines the index of a specific file in the MediaPlayerFilesCollection. The index of value if found in the collection; otherwise, -1. The object to locate in the MediaPlayerFilesCollection. Inserts a file to the MediaPlayerFilesCollection at the specified index. The zero-based index at which file should be inserted. The to insert into the collection. Removes the MediaPlayerFilesCollection file at the specified index. The zero-based index of the file to remove. Adds file to the collection File to add Clears the collection Determines of the file presents in the collection File to find true if the file is found; otherwise false. Copies all the elements of the current one-dimensional array to the specified one-dimensional array starting at the specified destination array index. The one-dimensional array that is the destination of the elements copied from the current array. Integer that represents the index in array at which copying begins. Removes the first occurrence of a specific object from the collection. File to remove true if file is successfully removed; otherwise, false. Returns an enumerator that iterates through the collection. Returns an enumerator that iterates through the collection. Returns a collection of files, filtered by file type File types to find Collection of items with the given file type Owner RadMediaPlayer control Access a in the collection by index. The index in the collection. The at the specified position. Returns the number of items in the collection Gets a value indicating whether the collection is read-only. Gets or Sets the Path of the Media Files Gets or Sets the mime type of the Media Files (video/mp4, audio/ogg etc.) Gets or Sets whether the source file is HD The collection of fields of RadPivotGrid. Accessible through Fields property of RadPivotGrid classes. Determines the index of a specific file in the MediaPlayerSourcesCollection. The index of value if found in the collection; otherwise, -1. The object to locate in the MediaPlayerSourcesCollection. Inserts a file to the MediaPlayerSourcesCollection at the specified index. The zero-based index at which file should be inserted. The to insert into the collection. Removes the MediaPlayerSourcesCollection file at the specified index. The zero-based index of the file to remove. Access a in the collection by index. The index in the collection. The at the specified position. Gets a reference to RadMediaPlayer's social share bar. Gets a reference to the time slider Gets a reference to the volume slider Gets a reference to the play button Gets a reference to the center play button Gets a reference to the HD button Gets a reference to the Subtitles(CC) Show/Hide button Gets a reference to the HD button Gets or Sets the Path of the Media Files Gets a collection of MediaPlayerSource objects. Enumeration determining the mode of the Playlist functionality. Enumeration determining where the Playlist will be positioned. Gets or sets the ID of the YouTube playlist. When using YouTube playlist this property is enough to setup the playlist functionality. Gets or sets the index of the initially selected file in the playlist. Gets or sets a value determining where the Playlist will be positioned. Gets or sets a value determining the mode of the Playlist. The mode changes the visual appearance of the Playlist and how the data is scrolled. Gets or sets a property determining when the Playlist buttons will trigger their scroll functionality. The property is only applicable when is Buttons. Enumeration determining when the playlist buttons scroll action will be triggered. Gets or sets the name of the JavaScript function which handles the load client-side event. The load event occurs when the media has loaded its metadata and the player is ready to start playing. Gets or sets the name of the JavaScript function which handles the load play event. The load event occurs when the media has started playing. Gets or sets the name of the JavaScript function which handles the ended client-side event. The load event occurs when the media has reached the end. Gets or sets the name of the JavaScript function which handles the paused client-side event. The paused event occurs when the media has been paused. Gets or sets the name of the JavaScript function which handles the volume changed client-side event. The paused event occurs when the volume of the media has been changed. Gets or sets the name of the JavaScript function which handles the seek start client-side event. The paused event occurs when the player is seeking new time position into the media. Gets/sets the path to the source media file to play Determines if the control will have WAI-ARIA support enabled Gets or Sets the Path of the Media Files Gets/sets the path to the subtitles file Gets/sets the mime type of the source media file to play Gets/sets the path to the poster for the media Gets/sets the title for the media file Gets or sets the start volume for the media player Gets or sets the start time for the media player Gets or sets a flag that indicates if the media file will start playing on load Gets/sets whether HD is switched on for the player Gets/sets whether Full Screen is switched on for the player Gets/sets whether the media has been muted Gets or sets a flag that indicates if the toolbar will be docked to the control Gets or sets the text of the play button. Gets or sets the text of the pause button. Gets or sets the tooltip for the volume button on the media player toolbar. Gets or sets the tooltip for the hd button on the media player toolbar. Gets or sets the tooltip for the Show/Hide Subtitles button on the media player toolbar. Gets or sets the text ToolTip of the close button of the banners. Gets or sets the tooltip of the share button on the media player titlebar. Gets or sets the tooltip for the full screen button on the media player toolbar. Gets a reference to RadMediaPlayer's tool bar. Gets a reference to RadMediaPlayer's title bar. Gets a collection of MediaPlayerSource objects. Gets a collection of MediaPlayerBanner objects Gets a collection of MediaPlayerFile objects. To be made public when play lists start being implemented. Gets or sets the settings for the Playlist functionality. Gets or sets a value indicating where RadMediaPlayer will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadMediaPlayerResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets the selected culture. Localization strings will be loaded based on this value. The selected culture. Localization strings will be loaded based on this value. This Class defines the container control for the RadMenuItem ContentTemplate. When implemented, gets an object that is used in simplified data-binding operations. An object that represents the value to use when data-binding operations are performed. When implemented, gets the index of the data item bound to a control. An Integer representing the index of the data item in the data source. When implemented, gets the position of the data item as displayed in a control. An Integer representing the position of the data item as displayed in a control. This Class defines all the styles ussed in RadMenu. A navigation control used to display a menu in a web page. The RadMenu control is used to display a list of menu items in a Web Forms page. The RadMenu control supports the following features: Databinding that allows the control to be populated from various datasources. Programmatic access to the RadMenu object model which allows dynamic creation of menus, populating with items and customizing the behavior by various properties. Customizable appearance through built-in or user-defined skins.

Items

The RadMenu control is made up of tree of items represented by objects. Items at the top level (level 0) are called root items. An item that has a parent item is called a child item. All root items are stored in the property of the RadMenu control. Child items are stored in the Items property of their parent . Each menu item has a Text and a Value property. The value of the Text property is displayed in the RadMenu control, while the Value property is used to store any additional data about the item, such as data passed to the postback event associated with the item. When clicked, an item can navigate to another Web page indicated by the NavigateUrl property.
This Class defines the Telerik RadMenu for ASP.NET AJAX is a flexible navigation component for use in ASP.NET applications.
Defines properties that menu item containers (RadMenu, RadMenuItem) should implement Gets the parent IRadMenuItemContainer. Gets the collection of child items. A RadMenuItemCollection that represents the child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. Populates the RadMenu control from external XML file. The newly added items will be appended after any existing ones. The following example demonstrates how to populate RadMenu control from XML file. private void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadMenu1.LoadContentFile("~/Menu/Examples/Menu.xml"); } } Private Sub Page_Load(sender As Object, e As EventArgs) Handles MyBase.Load If Not Page.IsPostBack Then RadMenu1.LoadContentFile("~/Menu/Examples/Menu.xml") End If End Sub The name of the XML file. Gets a linear list of all items in the RadMenu control. An IList<RadMenuItem> containing all items (from all hierarchy levels). Use the GetAllItems method to obtain a linear collection of all items regardless their place in the hierarchy. The following example demonstrates how to disable all items within a RadMenu control. void Page_Load(object sender, EventArgs e) { foreach (RadMenuItem item in RadMenu1.GetAllItems()) { item.Enabled = false; } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load For Each childItem As RadMenuItem In RadMenu1.GetAllItems childItem.Enabled = False Next End Sub Searches the RadMenu control for the first RadMenuItem with a Text property equal to the specified value. A RadMenuItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadMenu control for the first RadMenuItem with a Text property equal to the specified value. A RadMenuItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadMenu control for the first RadMenuItem with a Value property equal to the specified value. A RadMenuItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadMenu control for the first RadMenuItem with a Value property equal to the specified value. A RadMenuItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadMenu control for the first Item with a NavigateUrl property equal to the specified value. A Item whose NavigateUrl property is equal to the specified value. The method returns the first Item matching the search criteria. If no Item is matching then null (Nothing in VB.NET) is returned. The value to search for. Returns the first RadMenuItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadMenu1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadMenuItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadMenu1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadMenuItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. This methods clears the selected item of the current RadMenu instance. Useful when you need to clear item selection after postback. Gets a list of all client-side changes (adding an item, removing an item, changing an item's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new item removing existing item clearing the children of an item or the control itself changing a property of the item The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadMenuItem> operation in RadToolBar1.ClientChanges) { RadMenuItem item = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //An item has been inserted - operation.Item contains the inserted item break; case ClientOperationType.Remove: //An item has been inserted - operation.Item contains the removed item. //Keep in mind the item has been removed from the menu. break; case ClientOperationType.Update: UpdateClientOperation<RadMenuItem> update = operation as UpdateClientOperation<RadMenuItem> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is null then the root items have been removed. break; } } For Each operation As ClientOperation(Of RadMenuItem) In RadToolBar1.ClientChanges Dim item As RadMenuItem = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'An item has been inserted - operation.Item contains the inserted item Exit Select Case ClientOperationType.Remove 'An item has been inserted - operation.Item contains the removed item. 'Keep in mind the item has been removed from the menu. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadMenuItem) = TryCast(operation, UpdateClientOperation(Of RadMenuItem)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear 'All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is Nothing then the root items have been removed. Exist Select End Select Next Gets a object that contains the root items of the current RadMenu control. A that contains the root items of the current RadMenu control. By default the collection is empty (RadMenu has no children). Use the Items property to access the root items of the RadMenu control. You can also use the Items property to manage the root items - you can add, remove or modify items. The following example demonstrates how to programmatically modify the properties of a root item. RadMenu1.Items[0].Text = "Example"; RadMenu1.Items[0].NavigateUrl = "http://www.example.com"; RadMenu1.Items(0).Text = "Example" RadMenu1.Items(0).NavigateUrl = "http://www.example.com" When set to true enables support for WAI-ARIA. Gets the object that controls the Wai-Aria settings applied on the control's input element. Gets or sets the template for displaying the items in RadMenu. An object which implements the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The ItemTemplate property sets a template that will be used for all menu items. To specify unique display for individual items use the ItemTemplate property of the RadMenuItem class. The following example demonstrates how to use the ItemTemplate property to add a CheckBox for each item. ASPX: <telerik:RadMenu runat="server" ID="RadMenu1">
<ItemTemplate>
<asp:CheckBox runat="server" ID="CheckBox"></asp:CheckBox>
<asp:Label runat="server" ID="Label1"
Text='<%# DataBinder.Eval(Container, "Text") %>' ></asp:Label>
</ItemTemplate> <Items>
<telerik:RadMenuItem Text="News" /> <telerik:RadMenuItem Text="Sports" /> <telerik:RadMenuItem Text="Games" />
</Items>
</telerik:RadMenu>
Gets or sets the template for displaying the items in RadMenu. Gets or sets the template displayed when child items are being loaded. The following example demonstrates how to use the LoadingStatusTemplate to display an image. <telerik:RadMenu runat="server" ID="RadMenu1"> <LoadingStatusTemplate> <asp:Image runat="server" ID="Image1" ImageUrl="~/Img/loading.gif" /> </LoadingStatusTemplate> </telerik:RadMenu> Gets the settings for the animation played when an item opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadMenu. You can specify the Type and the Duration of the expand animation. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadMenu. ASPX: <telerik:RadMenu ID="RadMenu1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadMenuItem Text="News" > <Items> <telerik:RadMenuItem Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadMenuItem Text="Google News" NavigateUrl="http://news.google.com" /> </Items> </telerik:RadMenuItem> <telerik:RadMenuItem Text="Sport" > <Items> <telerik:RadMenuItem Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadMenuItem Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Items> </telerik:RadMenuItem> </Items> </telerik:RadMenu> void Page_Load(object sender, EventArgs e) { RadMenu1.ExpandAnimation.Type = AnimationType.Linear; RadMenu1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadMenu1.ExpandAnimation.Type = AnimationType.Linear RadMenu1.ExpandAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a menu item starts to open. An integer specifying the timeout measured in milliseconds. The default value is 100 milliseconds. Use the ExpandDelay property to delay item opening. To customize the timeout prior to item closing use the CollapseDelay property. The following example demonstrates how to specify a half second (500 milliseconds) timeout prior to item opening: ASPX: <telerik:RadMenu ID="RadMenu1" runat="server" ExpandDelay="500" /> Gets the settings for the animation played when an item closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadMenu. You can specify the Type, Duration and the items are collapsed.
To disable expand animation effects you should set the Type to AnimationType.None. To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadMenu. ASPX: <telerik:RadMenu ID="RadMenu1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadMenuItem Text="News" > <Items> <telerik:RadMenuItem Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadMenuItem Text="Google News" NavigateUrl="http://news.google.com" /> </Items> </telerik:RadMenuItem> <telerik:RadMenuItem Text="Sport" > <Items> <telerik:RadMenuItem Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadMenuItem Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Items> </telerik:RadMenuItem> </Items> </telerik:RadMenu> void Page_Load(object sender, EventArgs e) { RadMenu1.CollapseAnimation.Type = AnimationType.Linear; RadMenu1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadMenu1.CollapseAnimation.Type = AnimationType.Linear RadMenu1.CollapseAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a menu item starts to close. An integer specifying the timeout measured in milliseconds. The default value is 500 (half a second). Use the CollapseDelay property to delay item closing. To cause immediate item closing set this property to 0 (zero). To customize the timeout prior to item closing use the ExpandDelay property. The following example demonstrates how to specify one second (1000 milliseconds) timeout prior to item closing: ASPX: <telerik:RadMenu ID="RadMenu1" runat="server" ClosingDelay="1000" /> Gets or sets a value indicating the way top level items will flow. One of the ItemFlow values. The default value for top level items is Horizontal. Use the Flow property to customize the way top level items are displayed. If set to Horizontal items are positioned one after another. Vertical causes the items to flow one below the other. The following example demonstrates how to make a vertical menu. ASPX: <telerik:RadMenu ID="RadMenu1" runat="server" Flow="Vertical" /> Specifies the default settings for child item behavior. An instance of the MenuItemGroupSettings class. You can customize the following settings item flow expand direction horizontal offset from the parent item vertical offset from the parent item width height For more information check MenuItemGroupSettings. Gets or sets a value indicating if an automatic scroll is applied if the groups are larger then the screen height. Gets or sets a value indicating if scroll is enabled for the root items. Width must be set for horizontal root group, Height for vertical one. Gets or sets a value indicating if the currently selected item will be tracked and highlighted. The minimum available height that is needed to enable the auto-scroll. Enabling the auto-scroll when there is very little available space can lead to a situation where only the scroll arrows are visible.
If the available space is lower than the specified value, the menu will attempt to screen boundary detection first (if enabled).
The minimum available width that is needed to enable the auto-scroll. The minimum width measured in pixels. The default value is 50 pixels. Enabling the auto-scroll when there is very little available space can lead to a situation where only the scroll arrows are visible. If the available space is lower than the specified value, the menu will attempt to screen boundary detection first (if enabled). Gets or sets a value indicating whether the screen boundary detection will be applied when menu items are expanded. By default RadMenu will check if there is enough space to open a menu item. If there isn't the expand direction of the item will be inverted - Left to Right, Bottom to Top and vice versa. Gets or sets a value indicating whether root items should open on mouse click. True if the root items open on mouse click; otherwise false. The default value is false. Use the ClickToOpen property to customize the way root menu items are opened. By default menu items are opened on mouse hovering. Gets the settings for the web service used to populate items ExpandMode set to MenuItemExpandMode.WebService. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. You can use the LoadingStatusTemplate property to create a loading template. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public RadMenuItemData[] WebServiceMethodName(RadMenuItemData item, object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } When set to true, the items populated through Load On Demand are persisted on the server. Gets or sets a value indicating if an overlay should be rendered (only in Internet Explorer). The overlay is an iframe element that is used to hide select and other elements from overlapping the menu. Gets a collection of objects that define the relationship between a data item and the menu item it is binding to. A that represents the relationship between a data item and the menu item it is binding to. Gets or sets the maximum number of levels to bind to the RadMenu control. The maximum number of levels to bind to the RadMenu control. The default is -1, which binds all the levels in the data source to the control. When binding the RadMenu control to a data source, use the MaxDataBindDepth property to limit the number of levels to bind to the control. For example, setting this property to 2 binds only the root menu items and their immediate children. All remaining records in the data source are ignored. Gets or sets the URL of the page to post to from the current page when a menu item is clicked. The URL of the Web page to post to from the current page when a menu item is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets a RadMenuItem object that represents the selected item in the RadMenu control. The user can select a item by clicking on it. Use the SelectedItem property to determine which node is selected in the RadMenu control. An item cannot be selected when it's configured to navigate to a given location. Gets the Value of the selected item. The Value of the selected item. If there is no selected item returns empty string. Gets or sets a value indicating whether child items should have rounded corners. True if the child items should have rounded corners; otherwise False. The default value is False. Gets or sets a value indicating whether child items should have shadows. True if the child items should have shadows; otherwise False. The default value is False. Gets or sets a value indicating whether a toggle button is rendered when an item has children.. By default RadMenu will not render toggle button for the item with children. Gets or sets a value indicating whether the html encoding will be applied when the menu items are rendered. By default RadMenu will not apply a html encoding when the menu items are rendered. Gets or sets a value indicating whether item images should have sprite support. True if the child items should have sprite support; otherwise False. The default value is False. Gets or sets a value indicating whether items images should be preloaded. True if items images should be preloaded; otherwise false. The default value is false. Occurs on the server when an item in the RadMenu control is created. The ItemCreated event is raised every time a new item is added. The ItemCreated event is not related to data binding and you cannot retrieve the DataItem of the item in the event handler. The ItemCreated event is often useful in scenarios where you want to initialize all items - for example setting the ToolTip of each RadMenuItem to be equal to the Text property. The following example demonstrates how to use the ItemCreated event to set the ToolTip property of each item. private void RadMenu1_ItemCreated(object sender, Telerik.WebControls.RadMenuItemEventArgs e) { e.Item.ToolTip = e.Item.Text; } Sub RadMenu1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.WebControls.RadMenuItemEventArgs) Handles RadMenu1.ItemCreated e.Item.ToolTip = e.Item.Text End Sub Occurs before template is being applied to the menu item. The TemplateNeeded event is raised before a template is been applied on the menu item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for menu items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property the menu items. protected void RadMenu1_TemplateNeeded(object sender, Telerik.Web.UI.RadMenuEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Item); } } } Sub RadMenu1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadMenuEventArgs) Handles RadMenu1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Item) End If End If End Sub Occurs on the server when a menu item in the RadMenu control is clicked. The menu will also postback if you navigate to a menu item using the [menu item] key and then press [enter] on the menu item that is focused. The instance of the clicked menu item is passed to the MenuItemClick event handler - you can obtain a reference to it using the eventArgs.RadMenuItem property. Occurs after a menu item is data bound. The ItemDataBound event is raised for each menu item upon databinding. You can retrieve the item being bound using the event arguments. The DataItem associated with the item can be retrieved using the DataItem property. The ItemDataBound event is often used in scenarios when you want to perform additional mapping of fields from the DataItem to their respective properties in the RadMenuItem class. The following example demonstrates how to map fields from the data item to item properties using the ItemDataBound event. private void RadMenu1_ItemDataBound(object sender, Telerik.WebControls.RadMenuEventArgs e) { RadMenuItem item = e.RadMenuItem; DataRowView dataRow = (DataRowView) e.Item.DataItem; item.ImageUrl = "image" + dataRow["ID"].ToString() + ".gif"; item.NavigateUrl = dataRow["URL"].ToString(); } Sub RadMenu1_ItemDataBound(ByVal sender As Object, ByVal e As RadMenuEventArgs) Handles RadMenu1.ItemDataBound Dim item As RadMenuItem = e.RadMenuItem Dim dataRow As DataRowView = CType(e.Item.DataItem, DataRowView) item.ImageUrl = "image" + dataRow("ID").ToString() + ".gif" item.NavigateUrl = dataRow("URL").ToString() End Sub Gets or sets a value indicating the client-side event handler that is called when the mouse moves over a menu item in the RadMenu control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientMouseOver client-side event handler is called when the mouse moves over a menu item. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled. The following example demonstrates how to use the OnClientMouseOver property.
<script type="text/javascript">
function onClientMouseOverHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat= "server"
OnClientMouseOver="onClientMouseOverHandler">
....
</telerik:RadMenu>
If specified, the OnClientMouseOut client-side event handler is called when the mouse moves out of a menu item. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled. Gets or sets a value indicating the client-side event handler that is called when the mouse moves out of a menu item in the RadMenu control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientMouseOutHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat= "server"
OnClientMouseOut="onClientMouseOutHandler">
....
</telerik:RadMenu>
Gets or sets a value indicating the client-side event handler that is called when a menu item gets focus. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemFocusHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemFocus="onClientItemFocusHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemFocus client-side event handler is called when a menu item is selected using either the keyboard (the [TAB] or arrow keys) or by clicking it. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called after an item loses focus. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemBlur client-side event handler is called when a menu item loses focus as a result of the user pressing a key or clicking elsewhere on the page. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled. <script type="text/javascript">
function onClientItemBlurHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemBlur="onClientItemBlurHandler">
....
</telerik:RadMenu>
This event is similar to OnClientItemFocus but fires only on mouse click. If specified, the OnClientItemClicking client-side event handler is called before a menu item is clicked upon. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties, get_item() (the instance of the menu item), get_cancel()/set_cancel() - indicating if the event should be cancelled and get_domEvent (a reference to the browser event). The OnClientItemClicking event can be cancelled. To do so, return False from the event handler.
Gets or sets a value indicating the client-side event handler that is called when a menu item is clicked. <script type="text/javascript">
function onClientItemClickingHandler(sender, eventArgs)
{
if (eventArgs.get_item().get_text() == "News")
{
return false; }
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemClicking="onClientItemClickingHandler">
....
</telerik:RadMenu>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string.
Gets or sets a value indicating the client-side event handler that is called after a menu item is clicked. This event is similar to OnClientItemFocus but fires only on mouse click. If specified, the OnClientItemClicked client-side event handler is called after a menu item is clicked upon. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled. <script type="text/javascript">
function onClientItemClickedHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemClicked="onClientItemClickedHandler">
....
</telerik:RadMenu>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string.
Gets or sets a value indicating the client-side event handler that is called when a group of child items begin to open. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemOpening client-side event handler is called when a group of child items opens. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties, get_item() (the instance of the menu item), get_cancel()/set_cancel() - indicating if the event should be cancelled and get_domEvent (a reference to the browser event). This event can be cancelled by calling eventArgs.set_cancel(true). <script type="text/javascript">
function onClientItemOpeningHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemOpening="onClientItemOpeningHandler">
....
</telerik:RadMenu>
Gets or sets a value indicating the client-side event handler that is called when a group of child items opens. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemOpened client-side event handler is called when a group of child items opens. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled. <script type="text/javascript">
function onClientItemOpenedHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemOpen="onClientItemOpenedHandler">
....
</telerik:RadMenu>
Gets or sets a value indicating the client-side event handler that is called when a group of child items is closing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemClosingHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemClose="onClientItemClosingHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemClosing client-side event handler is called when a group of child items closes. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties, get_item() (the instance of the menu item), get_cancel()/set_cancel() - indicating if the event should be cancelled and get_domEvent (a reference to the browser event). This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a group of child items closes. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemClosedHandler(sender, eventArgs)
{
alert(eventArgs.get_item().get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemClose="onClientItemClosedHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemClosed client-side event handler is called when a group of child items closes. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_item() (the instance of the menu item) and get_domEvent (a reference to the browser event). This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a menu item children are about to be populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemPopulatingHandler(sender, eventArgs)
{
var item = eventArgs.get_item();
var context = eventArgs.get_context();
context["CategoryID"] = item.get_value();
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemPopulating="onClientItemPopulatingHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemPopulating client-side event handler is called when a menu item children are about to be populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties: get_item(), the instance of the menu item. get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a menu item children were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemPopulatedHandler(sender, eventArgs)
{
var item = eventArgs.get_item();
alert("Loading finished for " + item.get_text());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemPopulated="onClientItemPopulatedHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemPopulated client-side event handler is called when a menu item children were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: get_item(), the instance of the menu item. This event cannot be cancelled.
Gets or sets the on OnClientMenuPopulating javascript function called before the children of a menu item are populated.. The OnClientMenuPopulating. Gets or sets the OnClientMenuPopulated- the javascript function called before the children of a menu item are populated. The OnClientMenuPopulated. Gets or sets a value indicating the client-side event handler that is called when the operation for populating the children of a menu item has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientItemPopulationFailedHandler(sender, eventArgs)
{
var item = eventArgs.get_item();
var errorMessage = eventArgs.get_errorMessage();

alert("Error: " + errorMessage);
eventArgs.set_cancel(true);
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat="server"
OnClientItemPopulationFailed="onClientItemPopulationFailedHandler">
....
</telerik:RadMenu>
If specified, the OnClientItemPopulationFailed client-side event handler is called when the operation to populate the children of a menu item has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties: get_item(), the instance of the menu item. set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled.
Gets or sets the name of the JavaScript function called when the client template for an item is evaluated If specified, the OnClienLoad client-side event handler is called after the menu is fully initialized on the client. A single parameter - the menu client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadMenu ID="RadMenu1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadMenu>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadMenu client-side object is initialized.
Will be serialized to the client, so it can render the UL element with of the root group with the appropriate class. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The position of the MenuButton element. The image is rendered rightmost. The image is rendered leftmost. The position of the image within a Node. The image is rendered leftmost. The image is rendered rightmost. This Class defines the container control for the NavigationNode ContentTemplate. Gets the template data. The template data. Gets the owner. The owner. Gets the text. The text. Gets the navigate URL. The navigate URL. Gets the object that controls the Wai-Aria settings applied on the MenuButton's element. Binds a data source to the invoked server control and all its child controls. Gets a linear list of all Nodes in the NavigationNode. An IList<NavigationNode> containing all Nodes (from all hierarchy levels). Finds the Node by text. The text. Finds the Node by URL. The URL. Gets or sets the max data bind depth. The max data bind depth. Gets or sets the template for displaying the nodes in RadNavigation. Gets or sets the image position. The image position. Gets or sets the menuButton position. The menuButton position. Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadNavigation. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadNavigation. ASPX: <telerik:RadNavigation ID="RadNavigation1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> </telerik:RadNavigation> void Page_Load(object sender, EventArgs e) { RadNavigation1.ExpandAnimation.Type = AnimationType.Linear; RadNavigation1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadNavigation1.ExpandAnimation.Type = AnimationType.Linear RadNavigation1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when the dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadNavigation. You can specify the Type and Duration. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadNavigation. ASPX: <telerik:RadNavigation ID="RadNavigation1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> </telerik:RadNavigation> void Page_Load(object sender, EventArgs e) { RadNavigation1.CollapseAnimation.Type = AnimationType.Linear; RadNavigation1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadNavigation1.CollapseAnimation.Type = AnimationType.Linear RadNavigation1.CollapseAnimation.Duration = 300 End Sub
Gets or sets the data field holding the unique identifier for a NavigationNode. The data field ID. Gets or sets the data field holding the ID of the parent NavigationNode. The data field parent ID. Gets or sets the data field holding the Text property for the currently bound NavigationNode. The data text field. Gets or sets a value indicating how the NavigationNode's text should be formatted. Gets or sets the data field holding the Navigation URL property for the currently bound NavigationNode. The data navigate URL field. Gets or sets an array of data-field names that will be used to populate the NavigationNode 's DataItem property which is used to populated the control's template. Note: The dataItem's properties declared in the template should be with lower case . An array that contains the names of the fields contained in the RadNavigation's DataItem property. Gets or sets template for all Nodes that doesn't have template nor does their Node. The Node template. Gets the Nodes. The Nodes. Gets the resolved render mode. The resolved render mode. When set to true enables support for WAI-ARIA. Gets the object that controls the Wai-Aria settings applied on the control's element. Used to customize the Navigation keyboard navigation functionality. Occurs when NavigationNode is bound Occurs before template is being applied to the Node. The TemplateNeeded event is raised before a template is been applied on the Node, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for Nodes which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the Nodes. protected void RadNavigation1_TemplateNeeded(object sender, Telerik.Web.UI.NavigationNodeEventArguments e) { string value = e.Node.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); e.Node.NodeTemplate = textBoxTemplate; } } } Sub RadNavigation1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.NavigationNodeEventArguments) Handles RadNavigation1.TemplateNeeded Dim value As String = e.Node.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() e.Node.NodeTemplate = textBoxTemplate End If End If End Sub Gets or sets the on client load. The on client load. Gets or sets the name of the JavaScript function called when the client template for a node is evaluated Gets or sets the name of the JavaScript function called when the mouse enters a node Gets or sets the name of the JavaScript function called when the mouse leaves a node Gets or sets the on NavigationNode clicking. The on NavigationNode clicking. Gets or sets the on NavigationNode clicked. The on NavigationNode clicked. Gets or sets the on NavigationNodes populating. The on NavigationNodes populating. Gets or sets the on NavigationNodes populated. The on NavigationNodes populated. Gets or sets the on client Node expanding. The on client Node expanding. Gets or sets the on client Node collapsing. The on client Node collapsing. Gets or sets the on client Node collapsed. The on client Node collapsed. Add a new NavigationNode to the NavigationNodeCollection if the collection does not contains it. The Node. This example shows how to add an NavigationNode into NavigationNodeCollection radNav1.Nodes.Add(new NavigationNode()); radNav1.Nodes.Add(New NavigationNode()) Add an IEnumerable of NavigationNode to the NavigationNodeCollection. IEnumerable ofNavigationNode Insert a collection of NavigationNode to a specified index in the NavigationNodeCollection. Integer the position to insert at IEnumerable of NavigationNodes Remove a NavigationNode from the NavigationNodeCollection if the collection contains it. The Node. This example shows how to remove an NavigationNode from NavigationNodeCollection var NavigationNode = new NavigationNode(); NavigationNode.Text = "Node1"; radNav1.Nodes[0].Nodes.Remove(NavigationNode); Dim NavigationNode As New NavigationNode() NavigationNode.Text = "Node1" radNav1.Nodes(0).Nodes.Remove(NavigationNode) Remove all NavigationNodes in the collection matching the passed condition. Predicate to match NavigationNodes Remove the NavigationNode on the specified position in the collection. Integer index Removes a range of NavigationNodes in the collection. Integer index - the starting point of the range Integer count - the size of the range Remove all NavigationNodes in the collection. Gets or sets the nav to which the Nodes belong. Gets and sets NavigationNodeCollection's parent container. NavigationNode event arguments used in the NodeDataBound handler Initializes a new instance of the class. The node. The current data bound NavigationNode The Node. NavigationNode data bound event handler Initializes a new instance of the NavigationNode class. Initializes a new instance of the NavigationNode class . The text. Initializes a new instance of the NavigationNode class . The text. The navigate URL. Initializes a new instance of the NavigationNode class. Instantiates the ContentTemplate inside the Content. Clears all existing controls in the Content before that. Gets the Nodes collection of the current NavigationNode The Nodes. Gets or set the Text of the current NavigationNode The text. Gets or sets the navigate URL. The navigate URL. Gets or sets the target. The target. Gets or sets the image URL. The image URL. Gets or sets the hovered image URL. The hovered image URL. Gets or sets the disabled image URL. The disabled image URL. Gets or sets the selected image URL. The selected image URL. Gets or sets a value indicating whether the Node is selected. True if the Node is selected; otherwise false. The default value is false. Only one Node can be selected. Gets or sets the Cascading Style Sheet (CSS) class that contains the sprite image for this Node and the positioning for it. The CSS that is used in sprite image scenarios. String.Empty. By default, the image in an Node is defined by the ImageUrl property. You can use SpriteCssClass to specify a class that will position a sprite instead of using image. Gets or sets the Template for NavigationNode. When a template is set, it is applied only for the current NavigationNode. The Node template. Gets or sets the Template for NavigationNode. When a template is set, it is applied only for the current NavigationNode. The Node template. Get the Content Template container of the NavigationNode. Gets or sets the template data. The template data. Gets or sets the owner. The owner. Gets or set the DataNode of the current NavigationNode The data Node. Deserializes the specified dictionary. The dictionary. The type. The serializer. When overridden in a derived class, builds a dictionary of name/value pairs. The object to serialize. The object that is responsible for the serialization. An object that contains key/value pairs that represent the object’s data. When overridden in a derived class, gets a collection of the supported types. An object that implements that represents the types supported by the converter. Creates the node renderer. The navigation node. Renders the contents. The writer. Renders the contents. The writer. Represents the renderer of OrgChartGroupItemCollection in LightWeight render mode. Renders OrgChartGroupItemCollection. All renderers are attached to the control's tree during PreRender stage. Represents the renderer of OrgChartGroupItemCollection. Renders OrgChartGroupItemCollection. All renderers are attached to the control's tree during PreRender stage. Gets or sets if the parent Node has more than one GroupItem. Gets or sets if it is SimpleBinding. Gets or sets if collapsing is enabled. Gets or sets if group collapsing is enabled. Gets or sets the Node collapsed state Determines what CSSClass to render on the Expand/Collapse Node Gets or sets the Group collapsed state Determines what CSSClass to render on the Expand/Collapse Node Gets or set whether the Node has nodes Used to determine if the Node is the last and not to render an expand/collapse arrow on it Gets or set whether the Node has nodes for load Used to determine if the Node is the last and to render an expand/collapse arrow on it in web service binding Gets or sets number of the GroupItems. The default HtmlTextWriterTag is overrided to div. The base HtmlTextWriterTag is span. Represents the renderer of OrgChartGroupItem. Renders OrgChartGroupItem. All renderers are attached to the control's tree during PreRender stage. Gets or sets if collapsing is enabled. Gets or sets the Node collapsed state Determines what CSSClass to render on the Expand/Collapse Node Gets or set whether the Node has nodes Used to determine if the Node is the last and not to render an expand/collapse arrow on it Gets or set whether the Node has nodes for load Used to determine if the Node is the last and to render an expand/collapse arrow on it in web service binding The default HtmlTextWriterTag is overrided to li or div(depends on if the item's GroupItemCollection is a group) The base HtmlTextWriterTag is span. Represents the renderer of OrgChartGroupItem in Lightweight render mode. Renders OrgChartGroupItem. All renderers are attached to the control's tree during PreRender stage. Represents the renderer of OrgChartNode. Renders OrgChartNode. All renderers are attached to the control's tree during PreRender stage. Gets or set whether the Node has nodes for load Used to determine if the Node is the last and to render an expand/collapse class on it in web service binding The default HtmlTextWriterTag is overrided to li. The base HtmlTextWriterTag is span. Represents the renderer of OrgChartNode. Renders OrgChartNode. All renderers are attached to the control's tree during PreRender stage. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Gets or sets the Html tag that will be rendered for this element. If the property is not set, it will return Div element. If the property is set to None, only the element's content will be rendered. When TagKey returns HtmlTextWriterTag.Unknown, the rendering can be customized to be any tag returned by TagName This is needed to have HTML5 server rendering. Override TagName so it returns HTML5 compliant tag names Gets or sets the actual rendered ID attribute. If the property is not set, it will return an empty string. Gets or sets the visibility of the column for extra small resolutions. The control will still be rendered on the page. Gets or sets the visibility of the column for small resolutions. The control will still be rendered on the page. Gets or sets the visibility of the column for medium resolutions. The control will still be rendered on the page. Gets or sets the visibility of the column for large resolutions. The control will still be rendered on the page. Gets or sets the visibility of the column for extra large resolutions. The control will still be rendered on the page. Gets or sets the span (size or width) of the column in grid units. Default value is 12. Gets or sets the span of the column for extra small resolutions. If the value is 0, no span is set. Default value is 0. Gets or sets the span of the column for small resolutions. If the value is 0, no span is set. Default value is 0. Gets or sets the span of the column for medium resolutions. If the value is 0, no span is set. Default value is 0. Gets or sets the span of the column for large resolutions. If the value is 0, no span is set. Default value is 0. Gets or sets the span of the column for extra large resolutions. If the value is 0, no span is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the positive visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the negative visual horizontal offset of the column in grid units. If the value is 0, no offset is set. Default value is 0. Gets or sets the grid type Static grid always has the same size (960px), regardless of the viewport size. This is the default value. Fixed grid has a fixed size that depends on the current viewport. Fluid uses percentage based values and scales seamlessly from the smallest to the largest resolutions. Toggles the visual grid guides. Do not use in production code! Gets or sets the Html tag that will be rendered for this element. If the property is not set, it will return Div element. If the property is set to None, only the element's content will be rendered. When TagKey returns HtmlTextWriterTag.Unknown, the rendering can be customized to be any tag returned by TagName This is needed to have HTML5 server rendering. Override TagName so it returns HTML5 compliant tag names Gets or sets the wrapper HTML class. This partial Class describes the client properties and events in RadPanelBar. A navigation control used for building collapsible side-menu systems and Outlook-type panels. The RadPanelBar control is used to display a list of items in a Web Forms page and is often used control for building collapsible side-menu interfaces. The RadPanelBar control supports the following features: Databinding that allows the control to be populated from various datasources Programmatic access to the RadPanelBar object model which allows to dynamic creation of panelbars, populate items, set properties. Customizable appearance through built-in or user-defined skins.

Items

The RadPanelBar control is made up of tree of items represented by RadPanelItem objects. Items at the first level (level 0) are called root items. A items that has a parent item is called a child item. All root items are stored in the Items collection. Child items are stored in a parent item's Items collection. Each item has a Text and a Value property. The value of the Text property is displayed in the RadPanelBar control, while the Value property is used to store any additional data about the item, such as data passed to the postback event associated with the item. When clicked, a item can navigate to another Web page indicated by the NavigateUrl property.
Telerik RadPanelBar for ASP.NET Ajax is a flexible navigation component for use in ASP.NET applications. The panel bar can act as a vertical menu, or, by using templates, it can act as an entry form or tool bar.
Defines properties that menu item containers (RadTreeView, RadPanelItem) should implement Gets the parent IMenuItemContainer. Gets the collection of child items. A RadPanelItemCollection that represents the child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. Initializes a new instance of the RadPanelBar class. Use this constructor to create and initialize a new instance of the RadPanelBar control. The following example demonstrates how to programmatically create a RadPanelBar control. void Page_Load(object sender, EventArgs e) { RadPanelBar RadPanelBar1 = new RadPanelBar(); RadPanelBar1.ID = "RadPanelBar1"; if (!Page.IsPostBack) { //RadPanelBar persist its item in ViewState (if EnableViewState is true). //Hence items should be created only on initial load. PadPanelItem sportItem= new PadPanelItem("Sport"); RadPanelBar1.Items.Add(sportItem); PadPanelItem newsItem = new PadPanelItem("News"); RadPanelBar1.Items.Add(newsItem); } PlaceHolder1.Controls.Add(newsItem); } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load Dim RadPanelBar1 As RadPanelBar = New RadPanelBar() RadPanelBar1.ID = "RadPanelBar1" If Not Page.IsPostBack Then 'RadPanelBar persist its item in ViewState (if EnableViewState is true). 'Hence items should be created only on initial load. Dim sportItem As PadPanelItem = New PadPanelItem("Sport") RadPanelBar1.Items.Add(sportItem) Dim newsItem As PadPanelItem = New PadPanelItem("News") RadPanelBar1.Items.Add(newsItem) End If PlaceHolder1.Controls.Add(newsItem) End Sub Populates the RadPanelBar control from external XML file. The newly added items will be appended after any existing ones. The following example demonstrates how to populate RadPanelBar control from XML file. private void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadPanelBar1.LoadContentFile("~/RadPanelBar/Examples/panelbar.xml"); } } Private Sub Page_Load(sender As Object, e As EventArgs) Handles MyBase.Load If Not Page.IsPostBack Then RadPanelBar1.LoadContentFile("~/RadPanelBar/Examples/panelbar.xml") End If End Sub The name of the XML file. Searches the RadPanelbar control for the first RadPanelItem with a Text property equal to the specified value. A RadPanelItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadPanelbar control for the first RadPanelItem with a Text property equal to the specified value. A RadPanelItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadPanelbar control for the first RadPanelItem with a Value property equal to the specified value. A RadPanelItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadPanelbar control for the first RadPanelItem with a Value property equal to the specified value. A RadPanelItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadPanelbar control for the first Item with a NavigateUrl property equal to the specified value. A RadPanelItem whose NavigateUrl property is equal to the specified value. The method returns the first Item matching the search criteria. If no Item is matching then null (Nothing in VB.NET) is returned. The value to search for. Returns the first RadPanelItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadPanel1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadPanelItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadPanel1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadPanelItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Gets a linear list of all items in the RadPanelBar control. An IList<RadPanelBarItem> containing all items (from all hierarchy levels). Use the GetAllItems method to obtain a linear collection of all items regardless their place in the hierarchy. The following example demonstrates how to disable all items within a RadPanelBar control. void Page_Load(object sender, EventArgs e) { foreach (RadPanelBarItem item in RadPanelBar1.GetAllItems()) { item.Enabled = false; } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load For Each childItem As RadPanelBarItem In RadPanelBar1.GetAllItems childItem.Enabled = False Next End Sub This methods clears the selected items of the current RadPanelBar instance. Useful when you need to clear item selection after postback. This methods collapses all expanded panel items Raises the ItemClick event. Raises the ItemDataBound event. Raises the ItematCreated event. When set to true enables support for WAI-ARIA. Gets the object that controls the Wai-Aria settings applied on the control's input element. Gets a list of all client-side changes (adding an item, removing an item, changing an item's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new item removing existing item clearing the children of an item or the control itself changing a property of the item The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadPanelItem> operation in RadToolBar1.ClientChanges) { RadPanelItem item = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //An item has been inserted - operation.Item contains the inserted item break; case ClientOperationType.Remove: //An item has been inserted - operation.Item contains the removed item. //Keep in mind the item has been removed from the panelbar. break; case ClientOperationType.Update: UpdateClientOperation<RadPanelItem> update = operation as UpdateClientOperation<RadPanelItem> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is null then the root items have been removed. break; } } For Each operation As ClientOperation(Of RadPanelItem) In RadToolBar1.ClientChanges Dim item As RadPanelItem = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'An item has been inserted - operation.Item contains the inserted item Exit Select Case ClientOperationType.Remove 'An item has been inserted - operation.Item contains the removed item. 'Keep in mind the item has been removed from the panelbar. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadPanelItem) = TryCast(operation, UpdateClientOperation(Of RadPanelItem)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear 'All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is Nothing then the root items have been removed. Exist Select End Select Next Gets a RadPanelItemCollection object that contains the root items of the current RadPanelBar control. A RadPanelItemCollection that contains the root items of the current RadPanelBar control. By default the collection is empty (RadPanelBar has no children). Use the Items property to access the child items of RadPanelBar. You can also use the Items property to manage the root items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of root items. RadPanelBar1.Items[0].Text = "Example"; RadPanelBar1.Items[0].NavigateUrl = "http://www.example.com"; RadPanelBar1.Items(0).Text = "Example" RadPanelBar1.Items(0).NavigateUrl = "http://www.example.com" Gets the selected panel item. Returns the panel item which is currently selected. If no item is selected the SelectedItem property will return null (Nothing in VB.NET). Gets or sets the template for displaying the items in RadPanelBar. A ITemplate implemented object that contains the template for displaying panel items. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The ItemTemplate property sets a template that will be used for all panel items. To specify unique display for individual items use the ItemTemplate property of the RadPanelItem class. The following example demonstrates how to use the ItemTemplate property to add a CheckBox for each item. ASPX: <telerik:RadPanelBar runat="server" ID="RadPanelBar1">
<ItemTemplate>
<asp:CheckBox runat="server" ID="CheckBox"></asp:CheckBox>
<asp:Label runat="server" ID="Label1"
Text='<%# DataBinder.Eval(Container, "Text") %>' ></asp:Label>
</ItemTemplate> <Items>
<telerik:RadPanelItem Text="News" /> <telerik:RadPanelItem Text="Sports" /> <telerik:RadPanelItem Text="Games" />
</Items>
</telerik:RadPanelBar>
Gets of sets a value indicating the behavior of RadPanelbar when an item is expanded. One of the PanelBarExpandMode Enumeration values. The default value is MultipleExpandedItems. Use the ExpandMode property to specify the way RadPanelbar should behave after an item is expanded. The available options are: MultipleExpandedItems (default) - More than one item can be expanded at a time. SingleExpandedItem - Only one item can be expanded at a time. Expanding another item collapses the previously expanded one. FullExpandedItem - Only one item can be expanded at a time. The expanded area occupies the entire height of the RadPanelbar. The Height property should be set in order RadPanelbar to operate correctly in this mode. Gets or sets a value indicating whether all items can be collapsed. This allows all the items to be collapsed even if the panelbar's ExpandMode is set to SingleExpandedItem or FullExpandedItem mode. Gets or sets the URL of the page to post to from the current page when an item from the panel is clicked. The URL of the Web page to post to from the current page when an item from the panel control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets the data bindings for panel items in the panelbar. The data bindings. Gets or sets the maximum number of levels to bind to the RadPanelBar control. The maximum number of levels to bind to the RadPanelBar control. The default is -1, which binds all the levels in the data source to the control. When binding the RadPanelBar control to a data source, use the MaxDataBindDepth property to limit the number of levels to bind to the control. For example, setting this property to 2 binds only the root panel items and their immediate children. All remaining records in the data source are ignored. Gets or sets a value indicating whether the control would persists its state between pages (expanded and selected items). true if the control would persist its state; false otherwise. The default value is false. Use the PersistStateInCookie property to make RadPanelbar persist its state between pages. This feature requires browser cookies to be enabled. Also the ClientID and ID properties of the RadPanelbar control must be the same in all pages accessible via the control (and containing it). Page1.aspx: <radP:RadPanelbar ID="RadPanelbar1" > ... </radP:RadPanelbar> Page2.aspx <radP:RadPanelbar ID="RadPanelbar1" > ... </radP:RadPanelbar> Specifies the name of the cookie which should be used when PersistStateInCookie is set to true. If this property is not set the ClientID property will be used as the name of the cookie. Gets the settings for the animation played when an item opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadPanelBar. You can specify the Type, Duration and the To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadPanelBar. ASPX: <telerik:RadPanelBar ID="RadPanelBar1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadPanelBarItem Text="News" > <Items> <telerik:RadPanelBarItem Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadPanelBarItem Text="Google News" NavigateUrl="http://news.google.com" /> </Items> </telerik:RadPanelBarItem> <telerik:RadPanelBarItem Text="Sport" > <Items> <telerik:RadPanelBarItem Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadPanelBarItem Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Items> </telerik:RadPanelBarItem> </Items> </telerik:RadPanelBar> void Page_Load(object sender, EventArgs e) { RadPanelBar1.ExpandAnimation.Type = AnimationType.Linear; RadPanelBar1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadPanelBar1.ExpandAnimation.Type = AnimationType.Linear RadPanelBar1.ExpandAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a panel item starts to open. An integer specifying the timeout measured in milliseconds. The default value is 0 milliseconds. Use the ExpandDelay property to delay item opening. To customize the timeout prior to item closing use the CollapseDelay property. The following example demonstrates how to specify a half second (500 milliseconds) timeout prior to item opening: ASPX: <telerik:RadPanelBar ID="RadPanelBar1" runat="server" ExpandDelay="500" /> Gets the settings for the animation played when an item closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadPanelBar. You can specify the Type, Duration and the items are collapsed.
To disable expand animation effects you should set the Type to AnimationType.None. To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadPanelBar. ASPX: <telerik:RadPanelBar ID="RadPanelBar1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadPanelBarItem Text="News" > <Items> <telerik:RadPanelBarItem Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadPanelBarItem Text="Google News" NavigateUrl="http://news.google.com" /> </Items> </telerik:RadPanelBarItem> <telerik:RadPanelBarItem Text="Sport" > <Items> <telerik:RadPanelBarItem Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadPanelBarItem Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Items> </telerik:RadPanelBarItem> </Items> </telerik:RadPanelBar> void Page_Load(object sender, EventArgs e) { RadPanelBar1.CollapseAnimation.Type = AnimationType.Linear; RadPanelBar1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadPanelBar1.CollapseAnimation.Type = AnimationType.Linear RadPanelBar1.CollapseAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a panel item starts to close. An integer specifying the timeout measured in milliseconds. The default value is 0 milliseconds. To customize the timeout prior to item closing use the ExpandDelay property. The following example demonstrates how to specify one second (1000 milliseconds) timeout prior to item closing: ASPX: <telerik:RadPanelBar ID="RadPanelBar1" runat="server" CollapseDelay="1000" /> Gets or sets a value indicating whether RadPanelBar should HTML encode the text of its items. true if the text should be encoded; otherwise, false. The default value is false. Occurs on the server when an item in the RadPanelBar control is created. The ItemCreated event is raised every time a new item is added. The ItemCreated event is not related to data binding and you cannot retrieve the DataItem of the item in the event handler. The ItemCreated event is often useful in scenarios where you want to initialize all items - for example setting the ToolTip of each RadPanelBarItem to be equal to the Text property. The following example demonstrates how to use the ItemCreated event to set the ToolTip property of each item. private void RadPanelBar1_ItemCreated(object sender, Telerik.WebControls.RadPanelBarItemEventArgs e) { e.Item.ToolTip = e.Item.Text; } Sub RadPanelBar1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.WebControls.RadPanelBarItemEventArgs) Handles RadPanelBar1.ItemCreated e.Item.ToolTip = e.Item.Text End Sub Occurs before template is being applied to the panel item. The TemplateNeeded event is raised before a template is been applied on the panel item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the panel items. protected void RadPanelBar1_TemplateNeeded(object sender, Telerik.Web.UI.RadPanelBarEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); e.Item.ItemTemplate = textBoxTemplate; } } } Sub RadPanelBar1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadPanelBarEventArgs) Handles RadPanelBar1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() e.Item.ItemTemplate = textBoxTemplate End If End If End Sub Occurs on the server when a panel item in the RadPanelBar control is clicked. The panel will also postback if you navigate to a panel item using the [panel item] key and then press [enter] on the panel item that is focused. The instance of the clicked panel item is passed to the ItemClick event handler - you can obtain a reference to it using the eventArgs.RadPanelBarItem property. Occurs after a panel item is data bound. The ItemDataBound event is raised for each panel item upon databinding. You can retrieve the item being bound using the event arguments. The DataItem associated with the item can be retrieved using the DataItem property. The ItemDataBound event is often used in scenarios when you want to perform additional mapping of fields from the DataItem to their respective properties in the RadPanelBarItem class. The following example demonstrates how to map fields from the data item to RadPanelItem properties using the ItemDataBound event. private void RadPanelBar1_ItemDataBound(object sender, Telerik.WebControls.RadPanelBarEventArgs e) { RadPanelBarItem item = e.RadPanelBarItem; DataRowView dataRow = (DataRowView) e.Item.DataItem; item.ImageUrl = "image" + dataRow["ID"].ToString() + ".gif"; item.NavigateUrl = dataRow["URL"].ToString(); } Sub RadPanelBar1_ItemDataBound(ByVal sender As Object, ByVal e As RadPanelBarEventArgs) Handles RadPanelBar1.ItemDataBound Dim item As RadPanelBarItem = e.RadPanelBarItem Dim dataRow As DataRowView = CType(e.Item.DataItem, DataRowView) item.ImageUrl = "image" + dataRow("ID").ToString() + ".gif" item.NavigateUrl = dataRow("URL").ToString() End Sub Gets or sets a value indicating the client-side event handler that is called before the browser context panel shows (after right-clicking an item). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientContextMenu property to specify a JavaScript function that will be executed before the context menu shows after right clicking an item. Two parameters are passed to the handler sender (the client-side RadPanelbar object) eventArgs with two properties
  • Item - the instance of the selected item
  • EventObject - the browser DOM event
The following example demonstrates how to use the OnClientContextpanel property. <script language="javascript">
function OnContextpanelHandler(sender, eventArgs)
{
var panelbar = sender;
var item = eventArgs.Item;

alert("You have right-clicked the " + item.Text + " item in the " + panelbar.ID + "panelbar.");
}
</script>
<radP:RadPanelbar id="RadPanelbar1" runat="server" OnClientContextpanel="OnContextpanelHandler">
<Items>
<radP:RadPanelItem Text="Personal Details"></radP:RadPanelItem>
<radP:RadPanelItem Text="Education"></radP:RadPanelItem>
<radP:RadPanelItem Text="Computing Skills"></radP:RadPanelItem>
</Items>
</radP:RadPanelbar>
This event is similar to OnClientItemFocus but fires only on mouse click. If specified, the OnClientItemClicking client-side event handler is called before a panel item is clicked upon. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). The OnClientItemClicking event can be cancelled. To do so, return False from the event handler.
Gets or sets a value indicating the client-side event handler that is called when a panel item is clicked. <script type="text/javascript">
function OnClientItemClickingHandler(sender, eventArgs)
{
if (eventArgs.Item.Text == "News")
{
return false; }
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemClicking="OnClientItemClickingHandler">
....
</radP:RadPanelbar>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string.
Gets or sets a value indicating the client-side event handler that is called after a panel item is clicked. This event is similar to OnClientItemFocus but fires only on mouse click. If specified, the OnClientItemClicked client-side event handler is called after a panel item is clicked upon. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled. <script type="text/javascript">
function OnClientItemClickedHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemClicked="OnClientItemClickedHandler">
....
</radP:RadPanelbar>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string.
Gets or sets a value indicating the client-side event handler that is called when a panel item gets focus. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function OnClientItemFocusHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemFocus="OnClientItemFocusHandler">
....
</radP:RadPanelbar>
If specified, the OnClientItemFocus client-side event handler is called when a panel item is selected using either the keyboard (the [TAB] or arrow keys) or by clicking it. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called after an item loses focus. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemBlur client-side event handler is called when a panel item loses focus as a result of the user pressing a key or clicking elsewhere on the page. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled. <script type="text/javascript">
function OnClientItemBlurHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemBlur="OnClientItemBlurHandler">
....
</radP:RadPanelbar>
Gets or sets a value indicating the client-side event handler that is called when a group of child items expands. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemOpen client-side event handler is called when a group of child items opens. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled. <script type="text/javascript">
function OnClientItemExpandHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemExpand="OnClientItemExpandHandler">
....
</radP:RadPanelbar>
Gets or sets a value indicating the client-side event handler that is called when a group of child items collapses. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function OnClientItemCollapseHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat="server"
OnClientItemCollapse="OnClientItemCollapseHandler">
....
</radP:RadPanelbar>
If specified, the OnClientItemClose client-side event handler is called when a group of child items closes. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled.
Gets or sets the name of the JavaScript function called when an item's expand/collapse animation finishes If specified, the OnClienLoad client-side event handler is called after the panelbar is fully initialized on the client. A single parameter - the panelbar client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function OnClientLoadHandler(sender)
{
alert(sender.ID);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat= "server"
OnClientLoad= "OnClientLoadHandler">
....
</radP:RadPanelbar>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadPanelbar client-side object is initialized.
Gets or sets a value indicating the client-side event handler that is called when the mouse moves over a panel item in the RadPanelbar control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientMouseOverclient-side event handler is called when the mouse moves over a panel item. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled. The following example demonstrates how to use the OnClientMouseOver property.
<script type="text/javascript">
function OnClientMouseOverHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat= "server"
OnClientMouseOver= "OnClientMouseOverHandler">
....
</radP:RadPanelbar>
If specified, the OnClientMouseOut client-side event handler is called when the mouse moves out of a panel item. Two parameters are passed to the handler: sender, the panelbar client object; eventArgs with one property, Item (the instance of the panel item). This event cannot be cancelled. Gets or sets a value indicating the client-side event handler that is called when the mouse moves out of a panel item in the RadPanelbar control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function OnClientMouseOutHandler(sender, eventArgs)
{
alert(eventArgs.Item.Text);
}
</script>
<radP:RadPanelbar ID="RadPanelbar1"
runat= "server"
OnClientMouseOut= "OnClientMouseOutHandler">
....
</radP:RadPanelbar>
The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute RadPivotGrid cell object RadPivotGrid table cell Owner RadPivotGrid control Determines whether the cell has an instantiated template Determines if the cell has children Data item associated to the current cell Associated PivotGridField object Initializes a new instance of the class. Gets a value indicating which error occurred during an operation. The error. Provides data for the PivotGridPrepareDescriptionForFieldEventArgs event. Initializes a new instance of the PivotGridPrepareDescriptionForFieldEventArgs class. The PivotGridField for which description should be prepared. Default description instance. Type of description that should be prepared. Gets the field info for which description should be prepared. The PivotGridField. Gets the type of the description that should be prepared. The type of the description. Gets or sets the description that will be passed to . This property is initialized with the default description for the specified field info. The description. Extension methods for the class. Tries to convert the given aggregate value to specified type. The type to convert to. The aggregate value to convert. When this method returns, contains the value associated, if conversion is possible; otherwise, the default value for the type of the value parameter. This parameter is passed uninitialized. True if conversion succeeded, otherwise false. Convert the given aggregate value to specified type. The type to convert to. The aggregate value to convert. The value associated, if conversion is possible; otherwise, the default value for the type of the value parameter. Check if any of the s contains error. Check if the value of the is error. The aggregate value to check. True if the actual value is , otherwise false. Represents an abstraction of a calculated field. Specifies that the object has a display friendly name to be used for UI purposes. Gets the display-friendly name. Gets all fields used in calculation. Enumerable of all property names used in calculation. Gets the calculated value. Interface used to get summary aggregate values for all properties returned by method. The calculated values. Gets the name of the calculated field. Class that describes the aggregation of items using as the criteria. Base class that describes the aggregation of items using a property name as the criteria. Represents a base type for aggregate description. Contains mechanisms to access and describe properties of objects used as source in pivot grouping. Base class that support Clone and . Defines an object that has a modifiable state and a read-only state. Classes that derive from can clone themselves. Creates a new instance of the , making deep copies of the object's values. A clone of the current object. When implemented in a derived class, creates a new instance of the derived class. New instance for cloning. Do not call this method directly (except when calling base in an implementation). This method is called internally by the method whenever a new instance of the is created. Notes to Inheritors. Every derived class must implement this method. A typical implementation is to simply call the default constructor and return the result. Makes the instance a clone (deep copy) of the specified . The object to clone. Notes to Inheritors If you derive from , you may need to override this method to copy all properties. It is essential that all implementations call the base implementation of this method (if you don't call base you should manually copy all needed properties including base properties). If source is null - returns default(). If source is not null makes a copy of type . If the copy is from a different type throws appropriate exception. The expected copy type. The source that is about to be copied. Clone of of type . If source is null - default(). An that supports change notification. Raised when new services are available or previously available services were lost. Specifies that this object supports a simple, transacted notification for change initialization. Signals the object that initialization is starting and retrieves a scope token. Dispose the to exit the edit scope. An edit scope token. Raises the event. Will recursively notify all for a settings change. that contain information about the change. Invoked when a SettingsChangedEventArgs reaches the . The that contains the event data. Enters the in a new editing scope. Use when applying multiple changes. If child are changed, notifications will be accumulated in this . using(settingsNode.BeginEdit()) { // Apply multiple changes here. } An edit scope token that you must when you are done with the editing. Raises this object's event. The property that has a new value. Unsets the parent initiated with . This will no longer receive change notifications from the . The nested . Set this as parent of the and becomes a target for the 's change notifications. The nested . Provides services available by this SettingsNode. Other services may be available in its s. The default implementation returns this if the desired service type is assignable from the type of this. The implementation of would query the service on the local node and if not available would query up the nodes. The type of the requested service. A service instance if available, null otherwise. Override to provide custom behavior for derived classes when editing begins. is already in edit mode and changes within the method body will be accumulated and released upon exit. Override to provide custom behavior for derived classes when finishing editing. is still in edit mode and changes within the method body will be accumulated and released upon exit. Invoked when this or one of the children is changed. Invoked when new services are available or existing services are removed. Invoked when a property value changes. Gets the this is used in. Base interface for describing FilterDescription, GroupDescription and AggregateDescription. Returns the member name for this description. Creates a clone of this instance. Gets the display-friendly name. A name. Gets the display-friendly name. Gets or sets the custom name that will be used as display name. Specify the set of properties and methods that a AggregateDescription should implement. Get the TotalFormat. Gets a value indicating whether aggregate values should be interpreted as KPIs. true if values will be interpreted as KPIs; otherwise, false. Try to find where did your description indices go using the generated due to a change in the . A map that tracks the description index changes. True if tracking is fine. False to indicate a missing description or index error leading the to unusable state. Please note that if you return false parents may set the property holding this instance to null, to a default value or to reset the instance settings. Gets or sets the used to format the generated aggregate values. Gets or sets a general string format to use for this . This format will be used if the or does not alter the meaning of the original data. Gets or sets a that would provide a proper StringFormat for or that alter the meaning of the original data. . Returns the value that will be passed in the aggregate for given item. The item which value will be extracted. Returns the value for given item. Gets or sets the Name of the calculated field used in this . Gets the associated with this based on . This property is initialized once ItemsSource is set. Provides initialization context for . Gets the type of the data item. Gets a value that indicates if there are calculated groups with calculated s. If there are calculated groups they may store values of types different than the . In that case it is recommended to provide that accumulate and merge convertible to double. Expose method to get aggregate value based on . Gets an aggregate value for given . The calculated field settings which aggregate value is requested. The aggregate value for this calculated field. Gets the coordinate for which an aggregate value is requested. Supports conversion of to given . The type to convert to. Attempts to convert to given . When this method returns, contains the value associated, if conversion is possible; otherwise, the default value for the type of the value parameter. This parameter is passed uninitialized. True if conversion succeeded, otherwise false. Class used to describe fields required in . Creates for calculated field. The name of the calculated field. for given property name. Creates for property name and sum aggregate function. The property name. for given property name. Creates for property name and aggregate function. The property name. The aggregate function. for given property name and aggregate function. Represents an aggregate that counts items. Holds a value presentation of an aggregate function accumulated during pivot grouping. Gets an representing error. Gets a presentation friendly value of the results in the current . Returns an object containing a formatted value or error object. Gets a presentation friendly value of the results in the current instance to be returned in . If an error occurred during calculations the will not call but return the error instead. A result object. Add the to the results in the current instance. The value to accumulate. Merge the results of an with the results in the current instance. The to merge. Represents with double value. Initializes a new instance of the class. The default value. Represents an aggregate that was computed by a analysis server. Specifies a sorting for a group description. Gets or sets a implementation used to sort the groups created by this instance. Gets or sets the that will be used for group comparisons. A implementation. Represents an abstraction of a property info that can set and get values. Represents an abstraction of a property info. Represents an abstraction of a property info. Gets name of the property. Gets the display-friend name of the property. Gets the data type of the property. The of the data. Gets the preferred role of this property. Gets the allowed roles of this property. Gets or sets a value that indicates whether UI should be generated automatically in order to display this field. True if field should be generated automatically. Initializes a new instance of the class. Gets the value of the property. The item. Sets the value of the property. The item. The field value. A DataRow presentation. Initializes a new instance of the class. The data column. An that uses PropertyName and to identify a property. Initializes a new instance of the class. The property info. The DateTimeStep.param> The PropertyName to identify the property. Gets or sets the . Gets or sets the PropertyName to identify the associated property. Provides data for the event. Initializes a new instance of the class. Gets or sets the value for the current ContainerNode. The error. Gets the value of the IPivotFieldInfo associated with the current ContainerNode . The error. A class that filters based on two comparable objects. Base class used in filtering. Base class used in filtering. Returns a value indicating whether this instance is active and will take part in filtering. Is active. A filter abstraction. Determines if an object should be filtered. The item. True if the should be used in the results. False if it should be ignored. Initializes a new instance of the class. Gets or sets the value of ignore case in comparison. Gets or sets the value that the groups would be compared to. Gets or sets the condition used in the comparison. A filters based on the relation between an item and an interval. Initializes a new instance of the class. Gets or sets the value of ignore case. Gets or sets the start of the interval used in comparison. Gets or sets the end of the interval used in comparison. Gets or sets the condition used in the comparison. Condition which is used to filter items based on two other conditions. Initializes a new instance of the class. Gets or sets a used to filter the items. Gets or sets a used to filter the items. Represents collection IList container for SetCondition and OlapSetCondition items, Initializes a new instance of the class. Initializes a new instance of the class. The items to add to the Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The hour which this HourGroup will represents. Initializes a new instance of the struct. The hour which this HourGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same hour group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same hour group; otherwise, false. Gets the Hour this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The minute which this MinuteGroup will represents. Initializes a new instance of the struct. The minute which this MinuteGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same Minute group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same minute group; otherwise, false. Gets the Minute this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The second which this SecondGroup will represents. Initializes a new instance of the struct. The second which this SecondGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same Second group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same second group; otherwise, false. Gets the Second this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The week which this WeekGroup will represents. Initializes a new instance of the struct. The week which this WeekGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same week group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same week group; otherwise, false. Gets the Week this represents. Represents an abstraction of a calculated item. These items are added to GroupDescription and they create a new group with summary returned by the method. Gets the value for this calculated item. Interface used to get aggregate value based on group name. for this calculated item. Gets or sets the solve order of the calculated item. The summary for coordinate participating in calculated items in both row and column will be calculated based on the calculated item with larger solve order. Gets or sets the name of groups generated for this calculated item. Expose method to get aggregate value based on group name. Gets an aggregate value for given group name. The name of the group which aggregate value is requested. The aggregate value for this property name. Gets the coordinate for which an aggregate value is requested. Gets or sets the size of the generated s. The default implementation for an . Compares two AggregateValues and returns a value indicating whether one is less than, equal to, or greater than the other. The first AggregateValues to compare. The second AggregateValues to compare. A signed integer that indicates the relative values of x and y, as shown in the following table: Value Meaning Less than zero - x is less than y. Zero - x equals y. Greater than zero - x is greater than y. A that filter s based on their . Used to filter groups based on simple values and aggregate results. A base class for all group filters. For internal use. Please refer to one of the or instead. Initializes a new instance of the class. Identifies if a group should be filtered or not. The group. Results for the current grouping. Could be used for totals lookup. Identifies if the is positioned in the or . True if the group should be preserved, False if the group should be removed. Gets or sets the used to filter the groups. A that filter s based on their subtotals. Gets or sets the used to filter the groups. Gets or sets the aggregate index to be used in the filtering. Used for comparison based on their s. A base class for comparers. Compares two s based on the current aggregate results. The current aggregate results. The first to compare. The second to compare. Identifies if the groups are in or . A signed integer that indicates the relative values of x and y, as shown in the following table. Value Meaning Less than zero x is less than y. Zero x equals y. Greater than zero x is greater than y. Compares two s based on their SortKeys. The current aggregate results. The first to compare. The second to compare. Identifies if the groups are in or . A signed integer that indicates the relative values of x and y, as shown in the following table. Value Meaning Less than zero x is less than y. Zero x equals y. Greater than zero x is greater than y. Specify parameters for . Gets the specified as parameter. Specify the expanded state of s. Provides method that specify the expand/collapse state of item. The type of item. Gets if item is expanded. The item which expanded state will be queried. True if item is expanded, otherwise false. Initializes a new instance of the class. Specify the default state for s up to given level (excluding). The default is Specify the default state for s up to given (excluding). The default is true. When true groups up to the set level are expanded, all groups with level greater than or equal are collapsed. When false groups up to the set level are collapsed, all groups with level greater than or equal are expanded. A collection that stores the children of a hierarchical description. Represents a filter description for a hierarchy. Base class for OLAP filter descriptions. Base class for . Gets or sets the dimension unique name used for grouping. The dimension unique name. Gets or sets the used to filter the groups. Initializes a new instance of the class. Gets the levels collection of this instance. The levels. Used to specify grouping parameters for OLAP data sources. Used to specify grouping parameters for OLAP data sources. Used to group items, provide well known groups, sort and filter the groups. Base class for GroupDescription. Interface that describe GroupDescription. Gets the that will be used for group sorting. Gets the that will be used for group comparisons. Returns all possible group keys for this instance. Enumeration of all unique group keys that were discovered after grouping. Enumeration of all parent groups. Returns all possible group keys for this instance. Gets or sets value that indicates whether well known groups should be created even if there are no items for them. Grouping by days may require groups for the empty days in the current month. Grouping by persons may require groups all persons even if they do not contain any items within the current context. Gets a implementation for this instance that would be used to filter the groups. Gets or sets the dimension unique name used for grouping. The dimension unique name. Initializes a new instance of the class. Gets or sets the levels collection of this instance. Setting this property will create a clone of the provided value. The setter is implemented to support deserialization. The levels. A that filter s based on their . Gets or sets the used to filter the groups. Represents a filter description for a level of a hierarchy. Initializes a new instance of the class. Used to specify grouping parameters for a level of an OLAP hierarchy. Represents an OLAP distinct value. This is for internal use only and is not intended to be used directly from your code. Initializes a new instance of the class. Name of the unique. Gets or sets the caption. The caption. Gets or sets the name of the unique. The name of the unique. A class that filters based on two comparable objects. Represents an OLAP filter condition that is used with Gets or sets the value of ignore case. Gets or sets the value that the groups would be compared to. Gets or sets the condition used in the comparison. A filters based on the relation between an item and an interval. Gets or sets the value of ignore case. Gets or sets the start of the interval used in comparison. Gets or sets the end of the interval used in comparison. Gets or sets the condition used in the comparison. Condition which is used to filter items based on two other conditions. Initializes a new instance of the class. Gets or sets the used to filter the items. Gets or sets the used to filter the items. Filter that checks if items are included/excluded from a set. Initializes a new instance of the class. Gets or sets the filter condition. Gets the set of items used for filtering. A class that filters based on text matching. Initializes a new instance of the class. Gets or sets the text pattern used in the comparison. Gets or sets the condition used in the comparison. A that filters s based on their subtotals. Gets or sets the used to filter the groups. Gets or sets the aggregate index to be used in the filtering. This interface provides access to the s and intermediate s accumulated during a pivot grouping process. Gets the for the at index for the row and column s defined by . The index of the for which an should be retrieved. A of the s we want to retrieve value for. A coordinate with the GrandTotal root s. Holds required elements for MeasureGroups. Properties for DESCRIPTION and IS_WRITE_ENABLED can be added in the future if they are required. Provides all knownTypes necessary for serializing . Use this class to extract these knownTypes and concatenate them with your knownTypes, so you can pass them to for example. Gets known types in to use with serializer such as . An enumeration with the known serializable classes for the . Initializes a new instance of the class. Initializes a new instance of the class. Represents base aggregate description for QueryableDataProvider. Represents an aggregate that computes the average of items. Class that describes the aggregation of items using as the criteria. Gets or sets the Name of the calculated field used in this . Gets the associated with this based on . This property is initialized once ItemsSource is set. Represents an aggregate that counts items. Base class for Queryable filter descriptions. Creates value expressions for values that will be used for generating filter key expression. The parameter expression, which will be used for filtering. Value expressions. Creates the filter key expression. Value expressions used for generating filter key. Expression that creates filter key for the given item. Gets or sets a value identifying a property on the grouped items. Gets or sets the used to filter the groups. Represents an abstraction of an aggregate descriptor, which aggregates by . Represents an aggregate description for QueryableDataProvider. Creates the aggregate expression. The grouping expression. TODO: finish this. Creates the aggregate expression. TODO: finish this. Generates identification string for this function using . Function identification string. Gets or sets the name of the aggregate function, which appears as a property of the group record on which records the function works. The name of the function as visible from the group record. Gets the type of the extension methods that holds the extension methods for aggregation. For example or . The type of that holds the extension methods. The default value is . Gets the name of the aggregate method on the that will be used for aggregation. The name of the aggregate method that will be used. Gets or sets a value identifying a property on the grouped items. Gets or sets the aggregate function that will be used for summary calculation. Aggregation function. Gets or sets a value that determines whether the s of this will ignore null values when calculating the result. Provides the data type of the aggregate description. Gets a list of suitable functions for the . Queryable Report implementation. Represents an abstraction of a group descriptor, which groups by its . Serves as a base class for group descriptors of . that will be used for column and row grouping. Creates the group key expression. Value expressions used for generating group key. Expression that creates group key for the given item. Creates value expressions for values that will be used for generating group key expression. The parameter expression, which will be used for grouping. Value expressions. Gets the collection of calculated items that are used to initialize a group with a set of subgroups and summarized value. Gets a value indicating whether grouped data should be processed before handing it over to the engine. true if should process; otherwise, false. Gets or sets a value identifying a property on the grouped items. A class that filters based on two queryable comparable objects. Base class used in queryable filtering. Determines the queryable for filtering an object. The that will be used as property for filter comparison. The filter . Initializes a new instance of the class. Gets or sets the value that the groups would be compared to. Gets or sets the condition used in the comparison. Gets or sets the value of ignore case in comparison. A filters based on the relation between an item and an interval. Initializes a new instance of the class. Gets or sets the value of ignore case. Gets or sets the start of the interval used in comparison. Gets or sets the end of the interval used in comparison. Gets or sets the condition used in the comparison. Condition which is used to filter items based on two other conditions. Initializes a new instance of the class. Gets or sets a used to filter the items. Gets or sets a used to filter the items. Filter that checks if items are included/excluded from a set. Initializes a new instance of the class. Gets or sets the filter condition. Gets the set of items used for filtering. Setting this property will create a clone of the provided value. The setter is implemented to support deserialization. A class that filters based on text matching. Initializes a new instance of the class. Gets or sets the text pattern used in the comparison. Gets or sets the condition used in the comparison. Gets or set a value that indicates if the case of the strings should be ignored. Base class for groups used by . This is for internal use only and is not intended to be used directly from your code. Gets or sets a value indicating whether this instance is valid. true if this instance is valid; otherwise, false. Used for internal grouping by simple properties. This is for internal use only and is not intended to be used directly from your code. Gets the value of the group. Initializes a new instance of the class. Provides all knownTypes necessary for serializing . Use this class to extract these knownTypes and concatenate them with your knownTypes, so you can pass them to for example. Gets known types in to use with serializer such as . An enumeration with the known serializable classes for the . Represents a property that is used when using Discover and Execute methods. Gets or sets the name of the property. The name. Gets or sets the value of the property. The value. RadPivotGrid Export settings Determines the Excel format used Enumeration determining the type of exported cell. Defines the PivotGrid model cell used into the PivotGridCellExportingArgs. Gets the pivot grid field related with this cell Get the object to which the PivtoGrid cell is bound Gets the cell group level Gets whether the cell's group is collapsed Gets whether the cell's group has children groups Gets whether the cell is total cell Gets whether the cell is grand total cell Gets the type of data cell Gets the type of cell PivotGridExporter exporter. For internal use only. The event arguments passed when exports. Contains export document which will be written to the response The event arguments passed when exports its cells. Contains the export infrastructure cell which will be exported as excel cell. Contains the PivotGrid model cell. Returns the PivotGrid table cell RadPivotGrid BIFF Export event arguments object BIFF Export event arguments ExportStructure object Contains the export infrastructure. BIFF Export event arguments ExportStructure object Export format type Used to determine the currently used export format Contains the export infrastructure. Class holding settings associated with the export settings. RadPivotGrid Excel export settings A string specifying the name (without the extension) of the file that will be created. The file extension is automatically added based on the method that is used. Specifies whether all records will be exported or merely those on the current page. Determines whether the RadPivotGrid styles will be applied to the exported files Opens the exported grid in a new instead of the same page. RadPivotGrid filter base type RadPivotGrid Filters collection. See the Filtering topic for more information. Add filter to the collection Filter to add Filter count Clears the collection Determines whether the collection contains the given filter Filter to find true is successfull; otherwise false Returns the index of the given filter Filter to find Filter index Inserts filter in the collection Index in the collection where to insert the field Filter object Removes a filter from the collection Filter to remove Removes a filter at the given position Index of filter to remove Add filter to the collection Filter to add Filter count Determines whether the collection contains the given filter Filter to find true is successfull; otherwise false Returns the index of the given filter Filter to find Filter index Inserts filter in the collection Index in the collection where to insert the field Filter object Removes all filters from the collection, matching the given expression Filters to remove Number of removed filters Filter count Get filter using the collection indexer Filter index to get Filter object RadPivotGrid report filter See the Filtering topic for more information. Default constructor for the report filter RadPivotGrid report filter constructor Filter condition Filter condition PivotGrid calculated item Set Group Name that will appear in the group headers for this item. Gets or sets the solve order of the calculated item. The summary for coordinate participating in calculated items in both row and column will be calculated based on the calculated item with larger solve order. PivotGrid Calculated Items Collection Adds an item to the collection Item to be added to the collection RadPivotGrid table row object Override this method to change the default logic for rendering the item Use this method to simulate item command event that bubbles to and can be handled automatically or in a custom manner, handling .ItemCommand event. command to bubble, for example 'Page' command argument, for example 'Next' Contains settings for PivotGrid resizing. This property is set to allow column resizing in PivotGrid This property is set to enable realtime resizing. Gets or sets a value determining whether the html element will be resized during column resizing. A value determining whether the html element will be resized during column resizing. FOR FUTURE USE Defines the client events handlers. Gets or sets the client-side script that executes when a RadProgressBar client-initialize event is raised. Gets or sets the client-side script that executes when a RadProgressBar client-load event is raised. Gets or sets the client-side script that executes before the progress bar value property is changed. Gets or sets the client-side script that executes after the progress bar value property is changed. Gets or sets the client-side script that executes after the progress bar value reaches its max value. The orientation of the ProgressBar. Possible values are horizontal and vertical. The orientation is horizontal. The orientation is vertical. For internal use only. Gets or sets the value. Gets or sets the indeterminate state. Specifies the type of RadProgressBar. The supported types are Value, Percent and Chunk. Specifies the number of chunks. Default is 5. This property is applicable only when the type of the ProgressBar is set to chunk. Specifies the underlying value of the ProgressBar. Specifies the minimum value of the ProgressBar. Specifies the maximum value of the ProgressBar. Specifies if the progress direction will be reversed. Specifies if the progress state is Indeterminate. Specifies if the progress label will be shown. Specifies if the progress label will be shown. The orientation of the ProgressBar. Possible values are horizontal and vertical. Configures the progress animation settings. Defines the client events handlers. Specifies the type of the ProgressBar. The supported types are Value, Percent and Chunk. The value of the progress is considered a number. The value of the progress is considered a percent. The value of the progress bar is considered as chunks. The default stroke for layer shapes. Accepts a valid CSS color string or object with detailed configuration. Sets the duration of the progress bar animation. Enable/Disable the chunks animation. Serialization JS converter class for Stroke For internal use only. RadRadioButtonList class A strongly-typed resource class, for looking up localized strings, etc. Returns the cached ResourceManager instance used by this class. Overrides the current thread's CurrentUICulture property for all resource lookups using this strongly typed resource class. Looks up a localized string similar to Cancel. Looks up a localized string similar to Finish. Looks up a localized string similar to Next. Looks up a localized string similar to Previous. RibbonBarGalleryItem text is rendered below the image element RibbonBarGalleryItem text is rendered next to the image element RibbonBarGalleryItem text is not rendered Gets the parent group of the clicked galleryItem. Gets the parent gallery of the clicked galleryItem. Gets the parent gallery of the clicked galleryItem. Gets the galleryItem that has been clicked. This Class defines RibbonBarApplicationMenuAuxiliaryPane Gets or sets the header of the ApplicationMenuAuxiliaryPane. The header of the ApplicationMenuAuxiliaryPane. The default value is empty string. Use the property to set the header that appears at the top of the ApplicationMenuAuxiliaryPane text. Gets or sets the that defines the content template. The footer template. This Class defines RibbonBarApplicationMenuFooterPane Gets or sets the that defines the content template. The footer template. This Class defines RibbonBarApplicationMenuItemBase collection that inherits List collection. Adds the specified item. The item. Inserts the specified index. The index. The item. Adds the range. The collection. This Class defines RibbonBarApplicationMenuItem that inherits WebControl and IRibbonBarCommandItem. Gets or sets the text of the ApplicationMenuItem. The text of the ApplicationMenuItem. The default value is empty string. Use the property to set the displayed text of the ApplicationMenuItem. Gets or sets the value property of the ApplicationMenuItem. You can use it to associate custom data with the ApplicationMenuItem. This example illustrates how to use the Value property on ApplicationMenuItemClick event. protected void RadRibbonBar1_ApplicationMenuItemClick(object sender, RibbonBarApplicationMenuItemClickEventArgs e) { if (e.Item.Value == "TriggersSomeAction") { // trigger the action } } Protected Sub RadRibbonBar1_ApplicationMenuItemClick(sender As Object, e As RibbonBarApplicationMenuItemClickEventArgs) If e.Item.Value = "TriggersSomeAction" Then ' trigger the action End If End Sub Gets or sets the image URL of the ApplicationMenuItem. The URL to the image. The default value is empty string. Use the ImageUrl property to specify a custom image to be displayed for the ApplicationMenuItem. Gets or sets the command name associated with the MenuItem that is passed to the Command event. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. This Class defines RibbonBarApplicationSplitMenuItem that inherits RibbonBarApplicationMenuItem Gets a RibbonBarApplicationMenuItemCollection object that contains the items of the ApplicationSplitMenuItem. A RibbonBarApplicationMenuItemCollection that contains the items of the ApplicationSplitMenuItem. By default the collection is empty (the ApplicationSplitMenuItem has no items). Use the Items property to access the items of the ApplicationSplitMenuItem. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of the items inside the collection. applicationSplitMenuItem.Items[0].Text = "SampleMenuItemText"; applicationSplitMenuItem.Items(0).Text = "SampleMenuItemText" Gets or sets the header of the ApplicationSplitMenuItem. The header of the ApplicationSplitMenuItem. The default value is empty string. Use the property to set the header that appears at the top of the popup menu of the ApplicationSplitMenuItem text. Gets or sets the access key that allows you to navigate to the SplitMenuItems's child items The access key for quick navigation to the SplitMenuItems's child items. The default value is , which indicates that this property is not set. The specified access key is neither null, nor a single character string. Gets a reference to the RibbonBar instance. RadRibbonBar instance. If not set, the returned is null. Use the property to get the RibbonBar instance. Gets the type of the RibbonBarItem. Usefull when iterating through the Items collection of RibbonBarGroup Gets or sets the small (or in Clip ImageRenderingMode both small and large) image's URL of a certain item. The URL to the image. The default value is empty string. Use the ImageUrl property to specify a custom image that will be used when the item has Size = RibbonBarItemSize.Small or RibbonBarItemSize.Medium, when in Dual mode and all sizes in Clip mode. Gets or sets the tooltip of a certain item. The text displayed in the RibbonbBar's enhanced ToolTip. The default value is empty string. When the ToolTip value is empty, the default ASP ToolTip is displayed with the Text of the item as a value. When ToolTip is set, the enhanced RibbonBar tooltip is shown instead of the default one. Gets or sets the small (or in Clip ImageRenderingMode both small and large) disabled image's URL of a certain item. The URL to the image. The default value is empty string. Use the DisabledImageUrl property to specify a custom image that will be used when the item has Size = RibbonBarItemSize.Small or RibbonBarItemSize.Medium, when in Dual mode and all sizes in Clip mode and at the same time disabled. Gets or sets the large image's URL of a certain item. The URL to the image. The default value is empty string. Use the ImageUrlLarge property to specify a custom image that will be used when the item has Size = RibbonBarItemSize.Large. Gets or sets the large image's URL of a certain item for disabled state. The URL to the image. The default value is empty string. Use the DisabledImageUrlLarge property to specify a custom image that will be used when the item has Size = RibbonBarItemSize.Large and is disabled. Gets or sets the size of a certain item. This property is used to determine a combination of Text, ImageUrl and ImageUrlLarge which should be displayed at initial load of the RibbonBar for a specific item. The value is from the enum RibbonBarItemSize. The default value is RibbonBarItemSize.Small. Use the Size property to specify the item's initial size: - For small icon - RibbonBarItemSize.Small; - For small icon with text - RibbonBarItemSize.Medium; - For large icon with text - RibbonBarItemSize.Large. Gets/sets the Image Rendering Mode, localy for the item. The value is from the enum RibbonBarImageRenderingMode. It depends of the value of ImageRenderingMode property of RadRibbonBar. In case ImageRenderingMode is not explicitly set (meaning RibbonBar's ImageRenderingMode is Auto), it's considered as follows: - If ImageUrl is set and ImageUrlLarge is not set - the mode is Clip; - Any other case - Dual. Gets or sets the text of a certain item. The text of an item. The default value is empty string. Use the property to set the displayed text for an item. Gets or sets the rendered alt text of the item's image dom element. alt text of an item's image. The default value is empty string. Use the property to set the alt text for the item's image element, when needed for accessibility. Gets or sets the value property of the button. You can use it to associate custom data with the button. This example illustrates how to use the Value property on ButtonClick event. protected void RadRibbonBar1_ButtonClick(object sender, RibbonBarButtonClickEventArgs e) { if (e.Button.Value == "TriggersSomeAction") { // trigger the action } } Protected Sub RadRibbonBar1_ButtonClick(sender As Object, e As RibbonBarButtonClickEventArgs) If e.Button.Value = "TriggersSomeAction" Then ' trigger the action End If End Sub Gets or sets the command name associated with the Button that is passed to the Command event. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. This partial class RibbonBarMenu that inherits RibbonBarMenuBaseItem. Returns the Visible menu items. All visible items in the Menu. Searches the RibbonBarMenu for the first RibbonBarMenuItem which Value property is equal to the specified value. A RibbonBarMenuItem whose Value property is equal to the specifed value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Reads the XML. The reader. Gets a RibbonBarMenuItemCollection object that contains the items of the Menu. A RibbonBarMenuItemCollection that contains the items of the Menu. By default the collection is empty (the Menu has no items). Use the Items property to access the items of the Menu. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of the items inside the collection. menu.Items[0].Text = "SampleMenuItemText"; menu.Items(0).Text = "SampleMenuItemText" Gets or sets the parent web control. The parent web control. This Class defines RibbonBarGalleryCategory collection that inherits List collection. This Class defines RibbonBarGalleryCategory collection that inherits List collection. This Class defines RibbonBarGalleryItem collection that inherits List collection. Gets or sets the title of a certain category. The title of a category. The default value is empty string. Use the property to set the displayed title for a category. Gets a RibbonBarGalleryItemCollection object that contains the items of the Category. A RibbonBarGalleryItemCollection that contains the items of the Category. By default the collection is empty (the Category has no items). Use the Items property to access the categories of the Category. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. Gets or sets the text of a certain item. The text of an item. The default value is empty string. Use the property to set the displayed text for an item. Gets or sets the commandArgument of a certain item. The commandArgument of an item. The default value is empty string. Use the property to set commandArgument of the item. The CommandArgument will be passed as an argument when the item raises an event. Gets or sets the image URL of a certain item. The URL to the image. The default value is empty string. Use the ImageUrl property to specify a custom image that will be displayed for the item. Gets or sets a value indicating whether this is selected. true if selected; otherwise, false. Clears the selection. The property of all items is set to false. Gets or sets the commandName of the gallery. The commandName of the gallery. The default value is empty string. Use the property to set commandName of the gallery. The CommandName will be passed as an argument when the gallery raises an event. Gets or sets the number of columns in the gallery. The the number of columns in the gallery. The default value is 5. Use the property to set the number of columns in the gallery. The Columns property will determine the width of the Gallery. Gets or sets the number of columns in the expanded gallery. The the number of columns in the expanded gallery. The default value is 5. Use the property to set the number of columns in the expanded gallery. The ExpandedColumns property will determine the width of the Gallery when it is expanded. Gets or sets the height of the gallery when expanedd. Gets or sets the height of each RibbonBarGalleryItem in pixels. Gets or sets the width of each RibbonBarGalleryItem in pixels. Gets the selected gallery item of the control. The gallery item that should be selected. Gets or sets the position of the item text relative to its image. The value is from the enum RibbonBarGalleryItemTextPosition. The default value is RibbonBarGalleryItemTextPosition.Bottom. Use the ItemTextPosition property to specify the item's text position: - Below the image - RibbonBarGalleryItemTextPosition.Bottom; - Next to the image - RibbonBarGalleryItemTextPosition.Inline; - Not visible - RibbonBarGalleryItemTextPosition.None. Gets a RibbonBarGalleryCategoryCollection object that contains the categories of the Gallery. A RibbonBarGalleryCategoryCollection that contains the categories of the Gallery. By default the collection is empty (the Gallery has no categories). Use the Categories property to access the categories of the Gallery. You can also use the Categories property to manage the categories. You can add, remove or modify categories from the Categories collection. This Class defines RibbonBarGalleryCategory collection that inherits List collection. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute For internal use only. Gets or sets the current item index, which should be persisted across postbacks. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. Defines the appointment sorting mode for TimelineView In Global mode the appointments are sorted as a single list. In PerSlot mode the appointments are sorted independently in each slot. Defines the styling mode for appointments. Appointments with set background or border color are rendered using the Simple style - without rounded corners or gradiented background. All others are rendered using their default style - with rounded corners and gradiented background. Appointments are rendered using the simple style - without rounded corners or gradiented background. Appointments rendered with rounded corners and gradiented background. Custom background and border colors are supported. Gradiented backgrounds for custom colors are not available in IE6. Specifies resource resource marker type in RadScheduler AgendaView. For internal use only. Using the Telerik RadScheduler control, you can build powerful ASP.NET applications to allow users to create and manage tasks. RadScheduler displays and edits scheduled appointments that are stored in a separate data source. A variety of data binding options allows you to work with data sources that are as simple or as powerful as you want. RadScheduler RadScheduler control class. This Class describes the Client Properties and Events of RadScheduler. For internal use only. Supports creating new Appointment instances. Creates a new Appointment instance. A new Appointment instance. For internal use only. Exports to PDF. Returns the results of a callback event that targets a control. The result of the callback. Processes a callback event that targets a control. A string that represents an event argument to pass to the event handler. Rebinds this instance. Exports an appointment to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the appointment in iCalendar format. The appointment which should be exported. Exports an appointment to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the appointment in iCalendar format. The appointment which should be exported. The time zone offset to apply to the exported appointments. Exports the specified appointments to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the iCalendar representation of the supplied appointments. A collection of appointments which should be exported. Exports the specified appointments to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the iCalendar representation of the supplied appointments. An IEnumerable of appointments which should be exported. Exports the specified appointments to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the iCalendar representation of the supplied appointments. A collection of appointments which should be exported. The time zone offset to apply to the exported appointments. Exports the specified appointments to iCalendar format. The return value should be saved as a text file with an "ics" extension. A string containing the iCalendar representation of the supplied appointments. An IEnumerable of appointments which should be exported. The time zone offset to apply to the exported appointments. Creates a new appointment instance. This method is used internally by RadScheduler and can be used by custom appointment providers. A new appointment instance. Normally this is an instance of the Appointment class. This method can be overriden by inheritors to create instances of custom classes. An alternative method for working with custom appointments is to use the AppointmentFactory property. Returns the UTC date that corresponds to midnight on the client for the selected date. Client's date and time in UTC. The UTC date that corresponds to midnight on the client for the selected date. Shows the inline edit form. The appointment which is edited. Its properties are used to populate the edit form. Shows the inline edit form. The appointment which is edited. Its properties are used to populate the edit form. A boolean value indicating whether to edit the recurring series. Shows the advanced edit form. The appointment which is edited. Its properties are used to populate the edit form. Shows the advanced edit form. The appointment which is edited. Its properties are used to populate the edit form. A boolean value indicating whether to edit the recurring series. Shows the inline insert form. Specifies the start time for the insert form. It is used to determine the row in which the form is shown. Shows the inline insert form. The time slot object where the insert form will be shown Shows the advansed insert form. Specifies the start time for the insert form. It is used to determine the row in which the form is shown. Shows the all-day inline insert form Specifies the start time for the insert form. It is used to determine the row in which the form is shown. Retrieves a TimeSlot object from its client-side index String representation of the TimeSlot's index The TimeSlot that corresponds to the passed index Hides the active insert or edit form (if any). Converts a date time object from UTC to client date format using the TimeZoneOffset property. The date to convert. Must be in UTC format. The date in client format which corresponds to the supplied UTC date RadScheduler always stores dates in UTC format to allow support for multiple time zones. The UtcToDisplay method must be used when a date (e.g. Appointment.Start) should be presented to the client in some way - e.g. displayed in a label. Appointment appointment = RadScheduler1.Appointments[0]; Label1.Text = RadScheduler1.UtcToDisplay(appointment.Start).ToString() Dim appointment As Appointment = RadScheduler1.Appointments(0) Label1.Text = RadScheduler1.UtcToDisplay(appointment.Start).ToString() Converts a date time object from client date format to UTC using the TimeZoneOffset property. The date to convert. Must be in client format. The date in UTC format which corresponds to the supplied client format date. RadScheduler always stores dates in UTC format to allow support for multiple time zones. The DisplayToUtc method must be used when a date is supplied to RadScheduler to be persisted in some way. For example updating the Appointment.Start property from a textbox. Appointment appointment = RadScheduler1.Appointments[0]; DateTime startInClientFormat = DateTime.Parse(TextBox1.Text); appointment.Start = RadScheduler1.DisplayToUtc(startInClientFormat); RadScheduler1.Update(appointment); Dim appointment As Appointment = RadScheduler1.Appointments(0) Dim startInClientFormat As DateTime = DateTime.Parse(TextBox1.Text) appointment.Start = RadScheduler1.DisplayToUtc(startInClientFormat) RadScheduler1.Update(appointment) Inserts the specified appointment in the Appointments collection, expands the series (if it is recurring) and inserts persists it through the provider. The appointment to insert. Updates the specified appointment and persists the changes through the provider. This method can be used, along with PrepareToEdit to create and persist a recurrence exceptions. Appointment occurrence = RadScheduler1.Appointments[0]; Appointment recurrenceException = RadScheduler1.PrepareToEdit(occurrence, false); recurrenceException.Subject = "This is a recurrence exception"; RadScheduler1.UpdateAppointment(recurrenceException); Dim occurrence As Appointment = RadScheduler1.Appointments(0) Dim recurrenceException as Appointment = RadScheduler1.PrepareToEdit(occurrence, False) recurrenceException.Subject = "This is a recurrence exception" RadScheduler1.UpdateAppointment(recurrenceException) The appointment to update. Updates the specified appointment and persists the changes through the provider. Use this overload when the underlying data source requires both original and modified data to perform an update operation. One such example is LinqDataSource. This method can be used, along with PrepareToEdit to create and persist a recurrence exceptions. Appointment occurrence = RadScheduler1.Appointments[0]; Appointment recurrenceException = RadScheduler1.PrepareToEdit(occurrence, false); Appointment modifiedAppointment = recurrenceException.Clone(); modifiedAppointment.Subject = "This is a recurrence exception"; RadScheduler1.UpdateAppointment(modifiedAppointment, recurrenceException); Dim occurrence As Appointment = RadScheduler1.Appointments(0) Dim recurrenceException as Appointment = RadScheduler1.PrepareToEdit(occurrence, False) Dim modifiedAppointment = recurrenceException.Clone() modifiedAppointment.Subject = "This is a recurrence exception" RadScheduler1.UpdateAppointment(modifiedAppointment, recurrenceException) The appointment to update. The original appointment. Use Appointment.Clone to obtain a copy of the appointment before updating its properties. Prepares the specified appointment for editing. If the specified appointment is not recurring, the method does nothing and returns the same appointment. If the appointment is recurring and editSeries is set to true the method returns the recurrence parent. Otherwise, the method clones the appointment and updates it state to recurrence exception. Appointment occurrence = RadScheduler1.Appointments[0]; Appointment recurrenceException = RadScheduler1.PrepareToEdit(occurrence, false); recurrenceException.Subject = "This is a recurrence exception"; RadScheduler1.UpdateAppointment(recurrenceException); Dim occurrence As Appointment = RadScheduler1.Appointments(0) Dim recurrenceException as Appointment = RadScheduler1.PrepareToEdit(occurrence, False) recurrenceException.Subject = "This is a recurrence exception" RadScheduler1.UpdateAppointment(recurrenceException) The appointment to edit. if set to true [edit series]. Deletes the appointment or the recurrence series it is part of. When deleting an appointment that is part of recurrence series and deleteSeries is set to false this method will update the master appointment to produce a recurrence exception. The appointment to delete. if set to true delete complete recurrence series. Removes the associated recurrence exceptions through the provider. The recurrence master. Updates the appointment by dismissing its reminder. The appointment to update. The original appointment. Indicates whether to instantiate a clent-side object for the advanced insert form (applicable only in Web Service mode). Indicates whether to instantiate a clent-side object for the advanced edit form (applicable only in Web Service mode). Gets a reference to the object that allows you to set the properties of the grouping operation in a Telerik RadScheduler control. A reference to the SchedulerExportSettings that allows you to set the properties of the grouping operation in a Telerik RadScheduler control. Use the ExportSettings property to control the settings of the grouping operations in a Telerik RadScheduler control. This property is read-only; however, you can set the properties of the SchedulerGroupingSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadScheduler control in the form Property-Subproperty, where Subproperty is a property of the SchedulerExportSettings object (for example, GroupingSettings-ExpandTooltip). Nest a <GroupingSettings> element between the opening and closing tags of the Telerik RadScheduler control. The properties can also be set programmatically in the form Property.Subproperty (for example, GroupingSettings.ExpandTooltip). Common settings usually include the tool tips for the sorting controls. Fires when a scheduler is exporting. Gets the time zones enabled. The time zones enabled. Gets a collection of Appointment objects that represent individual appointments in the RadScheduler control. A collection of the currently loaded Appointment objects. Gets a collection of Appointment objects that represent individual appointments in the RadScheduler control. A collection of the currently loaded Appointment objects. A factory for appointment instances. The default factory returns instances of the Appointment class. RadScheduler needs to create appointment instances in various stages of the control life cycle. You can use custom appointment classes by either implementing an IAppointmentFactory or by overriding the CreateAppointment method. A collection of all resources loaded by RadScheduler. Returns visible start date of the current view. All tasks rendered in the current view will be within the range specified by the VisibleRangeStart and VisibleRangeEnd properties. Returns visible end date of the current view. All tasks rendered in the current view will be within the range specified by the VisibleRangeStart and VisibleRangeEnd properties. Gets a value indicating whether the recurring series are being edited at the moment, as opposed to a single appointment of the series. This property is also used to indicate the target of the delete and move operations. true if the recurring series are being edited at the moment; false otherwise. Gets a boolean value that indicates if recurrence support has been configured for this instance of RadScheduler. True when the DataRecurrenceField and DataRecurrenceParentKeyField fields are set or when using a custom data provider. False if either of the above conditions is not satisfied or when the EnableRecurrenceSupport property is set to false. Gets a boolean value that indicates if reminders support has been configured for this instance of RadScheduler. True when the DataReminderField field is set or when using a custom data provider. False if the above conditions is not satisfied or when the Reminders.Enabled property is set to false. One of the SchedulerViewType values. The default is DayView. Gets or sets the current view type. Gets the name of the resource to group by. Can also be in the format "Date,[Resource Name]" when grouping by date. The resource to group by. Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. Gets or sets a value indicating whether the user can use the advanced insert/edit form. true if the user should be able to use the advanced insert/edit form; false otherwise. The default value is true. Gets or sets a value indicating whether "advanced" mode is the default edit mode. true if the "advanced" mode is the default edit mode; false if "inline" is default edit mode. The default value is true. Gets or sets a value indicating whether "advanced" mode is the default insert mode. true if the "advanced" mode is the default insert mode; false if "inline" is default insert mode. The default value is false. Gets the Advanced form settings. The Advanced form settings. Gets or sets a value indicating whether a delete confirmation dialog should be displayed when the user clicks the "delete" button of an appointment. true if the confirmation dialog should be displayed; false otherwise. The default value is true. Gets or sets a value indicating whether a confirmation dialog should be displayed when the user moves a recurring appointment. true if the confirmation dialog should be displayed; false otherwise. The default value is false. Gets or sets a value indicating whether RadScheduler is in read-only mode. true if RadScheduler should be read-only; false otherwise. The default value is false. By default the user is able to insert, edit and delete appointments. Use the ReadOnly to disable the editing capabilities of RadScheduler. Gets or sets the ODataDataSource used for data binding. Gets a collection of ResourceType objects that represent the resource types used by RadScheduler. Gets a collection of ResourceStyleMapping objects can be used to associate resources with particular cascading style sheet (CSS) classes. Resources are matched by all (boolean AND) specified properties. Gets or sets the time zone offset to use when displaying appointments. The time zone offset to use when displaying appointments. The default value is TimeSpan.Zero. This property is ignored if TimeZoneID is set. Gets or sets the time zone offset to use when determining todays date. The time zone offset to use when determining todays date. The default value is the system's time zone offset. This value is ignored when TimeZoneOffset is set. The meaning of this property is different depending on the current view type. In day view mode SelectedDate gets or sets the currently displayed date. In week and month view modes SelectedDate gets or sets the highlighted date in the current week or month. Gets or sets the number of rows each time label spans. The number of rows each time label spans. The default value is 2 Gets or sets the number of minuties which a single row represents An integer specifying how many minutes a row represents. The default value is 30. Gets or sets the number of rows that are hovered when the mouse is over the appointment area. An integer specifying the number of rows that are hovered when the mouse is over the appointment area. The default value is 2. This value also determines the initial length of inserted appointments. Gets or sets the time used to denote the start of the day. If you need to set DayStartTime="00:00:00" and DayEndTime="23:59:59", it is recommended to set ShowFullTime="true" instead. The time used to denote the start of the day. This property is ignored in month view mode. If you need to set DayStartTime="00:00:00" and DayEndTime="23:59:59", it is recommended to set ShowFullTime="true" instead. Gets or sets the time used to denote the end of the day. If you need to set DayStartTime="00:00:00" and DayEndTime="23:59:59", it is recommended to set ShowFullTime="true" instead. The time used to denote the end of the day. This property is ignored in month view mode. If you need to set DayStartTime="00:00:00" and DayEndTime="23:59:59", it is recommended to set ShowFullTime="true" instead. Gets or sets the time used to denote the start of the work day. The time used to denote the start of the work day. The effect from this property is only visual. This property is ignored in month view mode. Gets or sets the time used to denote the end of the work day. The time used to denote the end of the work day. The effect from this property is only visual. This property is ignored in month view mode. Gets or sets a value that indicates whether the resource editing in the advanced form is enabled. A value that indicates whether the resource editing in the advanced form is enabled. Gets or sets a value that indicates whether the attribute editing in the advanced form is enabled. A value that indicates whether the attribute editing in the advanced form is enabled. Gets or sets the first day of the week. Used this property to specify the first day rendered in week view. Gets or sets the last day of the week. This property is applied in week and month view. Gets or sets a value specifying the way RadScheduler should behave when its content overflows its dimensions. One of the OverflowBehavior values. The default value is OverflowBehavior.Scroll. By default RadScheduler will render a scrollbar should its content exceed the specified dimensions (set via the Width and Height properties). If OverflowBehavior.Expand is set RadScheduler will expand vertically. The Height property must not be set in that case. Gets or sets a value indicating whether to render the hours column in day and week view. true if the hours column is rendered in day and week view; otherwise, false. Gets or sets a value indicating whether to render date headers for the current view. true if the date headers for the current view are rendered; otherwise, false. Gets or sets a value indicating whether to render resource headers for the current view. true if the resource headers for the current view are rendered; otherwise, false. Gets or sets a value indicating whether to render the header. true if the header is rendered; otherwise, false. Gets or sets a value indicating whether to render the footer. true if the footer is rendered; otherwise, false. Gets or sets a value indicating whether to render the navigation links.. true if the header is rendered; otherwise, false. Gets or sets a value indicating whether to render the tabs for switching between the view types. true if the tabs is rendered; otherwise, false. Gets or sets a value indicating whether to render the all day pane. true if the header is rendered; otherwise, false. Gets or sets the edit form date format string. The edit form date format string. Gets or sets the edit form time format string. The edit form time format string. Gets or sets the hours panel time format string. The hours panel time format string. Gets or sets a value indicating whether to display the complete day (24-hour view) or the range between DayStartTime and DayEndTime. true if showing the complete day (24-hour view); otherwise, false. Defines the styling mode for appointments. AppointmentStyleMode.Auto - Appointments with set background or border color are rendered using the Simple style - without rounded corners or gradiented background. All others are rendered using their default style - with rounded corners and gradiented background. AppointmentStyleMode.Simple - Appointments are rendered using the simple style - without rounded corners or gradiented background. AppointmentStyleMode.Default - Appointments rendered with rounded corners and gradiented background. Custom background and border colors are supported. Gradiented backgrounds for custom colors are not available in IE6. Gets or sets the resource grouping direction of the RadScheduler. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating where RadScheduler will look for its .resx localization files. The localization path. Gets the timeline view. The timeline view. Gets the WeekView settings. The WeekView. Gets the Day view settings. The day view. Gets the Multi-day view settings. The multi day view. Gets the Month view settings. The month view. Gets the Agenda view settings. The agenda view. Gets the Year view settings. The year view. Gets the appointment context menu settings. The appointment context menu settings. Gets the time slot context menu settings. The time slot context menu settings. Gets or sets a value indicating whether to enable the date picker for quick navigation. true if the date picker for quick navigation is enabled; otherwise, false. Gets or sets the height of RadScheduler rows. The height of a RadScheduler row Gets or sets the width of each content column. The width of each content column Gets or sets the width of each row header. The width of each row header Gets or sets the minimum height of the inline insert/edit template. The height is applied to the textbox inside the default inline template. It will be ignored when using custom templates for the inline form. The minimum height of the inline insert/edit template. Gets or sets the minimum width of the inline insert/edit template. The minimum width of the inline insert/edit template. Gets or sets the height. The height. Gets or sets a value indicating whether the appointment start and end time should be rendered exactly. true if the appointment start and end time should be rendered exactly; false if the appointment start and end time should be snapped to the row boundaries. The default value is false. Currently, exact time rendering is supported only in Day, Week and MultiDay views. Gets a collection of RadSchedulerContextMenu objects that represent the time slot context menus of the RadScheduler control. Gets a collection of RadSchedulerContextMenu objects that represent the Appointment context menus of the RadScheduler control. A RadSchedulerContextMenuCollection that contains all the Appointment context menus of the RadScheduler control. By default, if the AppointmentContextMenus collection contains RadSchedulerContextMenus, the first one is displayed on the right-click of each Appointment. To specify a different context menu for a Appointment, use its ContextMenuID property. The following code example demonstrates how to populate the AppointmentContextMenus collection declaratively. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <telerik:RadScheduler runat="server" ID="RadScheduler1"> <AppointmentContextMenus> <telerik:RadSchedulerContextMenu runat="server" ID="ContextMenu1"> <Items> <telerik:RadMenuItem Text="Open" Value="CommandEdit" /> <telerik:RadMenuItem IsSeparator="True" /> <telerik:RadMenuItem Text="Categorize"> <Items> <telerik:RadMenuItem Text="Development" Value="1" /> <telerik:RadMenuItem Text="Marketing" Value="2" /> <telerik:RadMenuItem Text="Personal" Value="3" /> <telerik:RadMenuItem Text="Work" Value="4" /> </Items> </telerik:RadMenuItem> <telerik:RadMenuItem IsSeparator="True" /> <telerik:RadMenuItem Text="Delete" ImageUrl="Images/delete.gif" Value="CommandDelete" /> </Items> </telerik:RadSchedulerContextMenu> </AppointmentContextMenus> </telerik:RadScheduler> </form> </body> </html> Gets or sets the name of the validation group to be used for the integrated validation controls. Overridden. Gets or sets the ID property of the data source control that the RadScheduler should use to retrieve its data source. Gets or sets the provider instance to be used by RadScheduler. Use this property with providers that are created at runtime. For ASP.NET providers defined in web.config use the ProviderName property. The provider instance to be used by RadScheduler. Gets or sets the name of the current appointment provider used by RadScheduler. The provider must be defined in the RadScheduler section of web.config. The name of the current appointment provider used by RadScheduler as defined in web.config. Gets the current provider context. The context object contains additional information about the currently performed operation, that can be used to improve and optimize provider implementations. The current provider context. The context object can be of type UpdateAppointmentContext or CreateRecurrenceExceptionContext. Gets or sets the key field for appointments in the data source specified by the DataSourceID property. The name of the key field for appointments in the data source specified by DataSourceID. Gets or sets the subject field for appointments in the data source specified by the DataSourceID property. The name of the subject field for appointments in the data source specified by DataSourceID. Gets or sets the time zone field for appointments in the data source specified by the DataSourceID property. The name of the time zone field for appointments in the data source specified by DataSourceID. Gets or sets the description field for appointments in the data source specified by the DataSourceID property. The name of the description field for appointments in the data source specified by DataSourceID. This property is optional. If it's not specified the description field will not be visible in the insert/edit forms. Setting this property to a non-empty string will enable the Description field regardless of the value of EnableDescriptionField. Gets or sets the reminder field for appointments in the data source specified by the DataSourceID property. The name of the reminder field for appointments in the data source specified by DataSourceID. This property is optional. If it's not specified the reminder drop-down will not be visible in the insert/edit forms. Setting this property to a non-empty string will enable the reminder drop-down regardless of the value of Reminders-Enabled. Gets the reminders. The reminders. Gets or sets the end field for appointments in the data source specified by the DataSourceID property. The name of the end field for appointments in the data source specified by DataSourceID. Gets or sets the start field for appointments in the data source specified by the DataSourceID property. The name of the start field for appointments in the data source specified by DataSourceID. Gets or sets the recurrence rule field for appointments in the data source specified by the DataSourceID property. The name of the recurrene rule field for appointments in the data source specified by DataSourceID. Gets or sets the recurrence parent key field for appointments in the data source specified by the DataSourceID property. The name of the recurrence parent key field for appointments in the data source specified by DataSourceID. Specifies the database fields (column names) which should be loaded as appointment attributes. An array of strings representing the names of the database fields which should be populated as appointment custom attributes. By default RadScheduler does not populate any database fields as custom attributes. You should use the CustomAttributeNames property when you want RadScheduler to populate the Attributes collection of the appointments. Gets or sets the current time zone RadScheduler ins operating in The time zone ID. Gets or sets the comparer instance used to determine the appointment ordering within the same slot. By default, appointments are ordered by start time and duration. Gets or sets the maximum recurrence candidates limit. This limit is used to prevent lockups when evaluating long recurring series. The default value should not be changed under normal conditions. The maximum recurrence candidates limit. Gets or sets a value indicating whether the user can create and edit recurring appointments. true if the user is allowed to create and edit recurring appointments; false otherwise. The default value is true. Gets or sets a value indicating whether the user can view and edit the description field of appointments. true if the user is allowed to view and edit the description field of appointments; false otherwise. The default value is false. Gets the web service to be used for binding this instance of RadScheduler. The web service settings. Gets or sets a value indicating whether appointments editing is allowed. true if appointments editing is allowed; otherwise, false. Gets or sets a value indicating whether appointments deleting is allowed. true if appointments deleting is allowed; otherwise, false. Gets or sets a value indicating whether appointments inserting is allowed. true if appointments inserting is allowed; otherwise, false. Gets or sets the appointment template. The appointment template. Gets or sets the inline insert template. The inline insert template. Gets or sets the inline edit template. The inline edit template. Gets or sets the advanced insert template. The advanced insert template. Gets or sets the advanced edit template. The advanced edit template. Gets or sets the resource header template. The resource header template. Occurs when a button is clicked within the appointment template. The AppointmentCommand event is raised when any button is clicked withing the appointment template. This event is commonly used to handle button controls with a custom CommandName value. void RadScheduler1_AppointmentCommand(object sender, AppointmentCommandEventArgs e) { if (e.CommandName == "Delete") { Delete(e.Container.Appointment); } } Sub RadScheduler1_AppointmentCommand(sender As Object, e As AppointmentCommandEventArgs) If e.CommandName = "Delete" Then Delete(e.Container.Appointment) End If End Sub Occurs when an appointment context menu item is clicked, before processing default commands. The AppointmentContextMenuItemClicking event is raised when an appointment context menu item is clicked, before are processing default commands. Occurs after an appointment context menu item is clicked. The AppointmentContextMenuItemClicked event is raised after an appointment context menu item is clicked. Occurs when a time slot context menu item is clicked, before processing default commands. The TimeSlotContextMenuItemClicking event is raised when a time slot context menu item is clicked, before are processing default commands. Occurs after a time slot context menu item is clicked. The TimeSlotContextMenuItemClicked event is raised after a time slot context menu item is clicked. Occurs when an appointment is about to be inserted in the database through the provider. The insert operation can be cancelled by setting the SchedulerCancelEventArgs.Cancel property of SchedulerCancelEventArgs to true. void RadScheduler1_AppointmentInsert(object sender, SchedulerCancelEventArgs e) { if (e.Appointment.Subject == String.Empty) { e.Cancel = true; } } Sub RadScheduler1_AppointmentInsert(sender As Object, e As SchedulerCancelEventArgs) If e.Appointment.Subject = String.Empty Then e.Cancel = True End If End Sub Occurs when an appointment is about to be updated through the provider. The AppointmentUpdateEventArgs hold a reference both to the original and the modified appointment. Any modifications on the original appointments are discarded. The update operation can be cancelled by setting the AppointmentUpdateEventArgs.Cancel property of AppointmentUpdateEventArgs to true. void RadScheduler1_AppointmentUpdate(object sender, AppointmentUpdateEventArgs e) { e.ModifiedAppointment.End = e.ModifiedAppointment.End.AddHours(1); } Sub RadScheduler1_AppointmentUpdate(sender As Object, e As AppointmentUpdateEventArgs) e.ModifiedAppointment.End = e.ModifiedAppointment.End.AddHours(1) End Sub Occurs when an appointment is about to be deleted from the database through the provider. The delete operation can be cancelled by setting the SchedulerCancelEventArgs.Cancel property of SchedulerCancelEventArgs to true. void RadScheduler1_AppointmentDelete(object sender, SchedulerCancelEventArgs e) { if (e.Appointment.Attributes["ReadOnly"] == "true") { e.Cancel = true; } } Sub RadScheduler1_AppointmentDelete(sender As Object, e As SchedulerCancelEventArgs) If e.Appointment.Attributes("ReadOnly") = "true" Then e.Cancel = True End If End Sub Occurs when an appointment template has been instantiated. You can use this event to modify the appointment template before data binding. void RadScheduler1_AppointmentCreated(object sender, AppointmentCreatedEventArgs e) { Label testLabel = (Label) e.Container.FindControl("Test"); testLabel.Text = "Test"; } Sub RadScheduler1_AppointmentCreated(sender As Object, e As AppointmentCreatedEventArgs) Dim testLabel As Label = CType(e.Container.FindControl("Test"), Label) testLabel.Text = "Test" End Sub Occurs when an appointment has been added to the Appointments collection from the data source. You can use this event to make adjustments to the appointments as they are being loaded. void RadScheduler1_AppointmentDataBound(object sender, SchedulerEventArgs e) { e.Appointment.Start = e.Appointment.Start.AddHours(1); } Sub RadScheduler1_AppointmentDataBound(sender As Object, e As SchedulerEventArgs) e.Appointment.Start = e.Appointment.Start.AddHours(1) End Sub Occurs when an appointment has been clicked. You can use this event to perform additional actions when an appointment has been clicked. void RadScheduler1_AppointmentClick(object sender, SchedulerEventArgs e) { Response.Redirect("Page.aspx); } Sub RadScheduler1_AppointmentClick(sender As Object, e As SchedulerEventArgs) Response.Redirect("Page.aspx) End Sub Occurs when the RadScheduler is about to execute a navigation command. You can use this event to customize the action when the RadScheduler is about to execute a navigation command. The event can be cancelled by setting the SchedulerNavigationCommandEventArgs.Cancel property of SchedulerNavigationCommandEventArgs to true. void RadScheduler1_NavigationCommand(object sender, SchedulerNavigationCommandEventArgs e) { if (e.Command == SchedulerNavigationCommand.NavigateToNextPeriod) { e.Cancel = true; } } Sub RadScheduler1_NavigationCommand(sender As Object, e As SchedulerNavigationCommandEventArgs) If e.Command = SchedulerNavigationCommand.NavigateToNextPeriod Then e.Cancel = True End If End Sub Occurs when a navigation command has been executed. You can use this event to perform custom actions when a navigation command has been processed. void RadScheduler1_NavigationComplete(object sender, SchedulerNavigationCompleteEventArgs e) { Label1.Text = RadScheduler1.SelectedDate; } Sub RadScheduler1_NavigationComplete(sender As Object, e As SchedulerNavigationCompleteEventArgs) Label1.Text = RadScheduler1.SelectedDate End Sub Occurs when an insert/edit form is being created. You can use this event to perform custom actions when a form is about to be created. The event can be cancelled by setting the SchedulerFormCreatingEventArgs.Cancel property of SchedulerFormCreatingEventArgs to true. void RadScheduler1_FormCreating(object sender, SchedulerFormCreatingEventArgs e) { if (e.Mode == SchedulerFormMode.Insert) { e.Cancel = true; } } Sub RadScheduler1_FormCreating(sender As Object, e As SchedulerFormCreatingEventArgs) If e.Mode = SchedulerFormMode.Insert Then e.Cancel = True End If End Sub Occurs when an insert/edit form has been created. You can use this event to make modifications to the form template. void RadScheduler1_FormCreated(object sender, SchedulerFormCreatedEventArgs e) { if (e.Container.Mode == SchedulerFormMode.Insert) { Label startDate = (Label) e.Container.FindControl("StartDate"); startDate.Text = e.Container.Appointment.Start; } } Sub RadScheduler1_FormCreated(sender As Object, e As SchedulerFormCreatedEventArgs) If e.Container.Mode = SchedulerFormMode.Insert Then Dim startDate As Label = CType(e.Container.FindControl("StartDate"), Label) startDate.Text = e.Container.Appointment.Start End If End Sub Occurs when the Cancel button of an edit form is clicked, but before RadScheduler exits edit mode. You can use this event to provide an event-handling method that performs a custom routine, such as stopping the cancel operation if it would put the appointment in an undesired state. To stop the cancel action set the AppointmentCancelingEditEventArgs.Cancel property of AppointmentCancelingEditEventArgs to true. void RadScheduler1_FormCreated(object sender, SchedulerFormCreatedEventArgs e) { if (e.Container.Mode == SchedulerFormMode.Insert) { TextBox startDate = (TextBox) e.Container.FindControl("StartDate"); if (startDate.Text == String.Empty) { e.Cancel = true; } } } Sub RadScheduler1_FormCreated(sender As Object, e As SchedulerFormCreatedEventArgs) If e.Container.Mode = SchedulerFormMode.Insert Then Dim startDate As TextBox = CType(e.Container.FindControl("StartDate"), TextBox) If startDate.Text = String.Empty Then e.Cancel = true End If End If End Sub Occurs when a time slot has been created. You can use this event to make modifications to the time slots. void RadScheduler1_TimeSlotCreated(object sender, TimeSlotCreatedEventArgs e) { e.TimeSlot.CssClass = "holidayTimeSlot"; } Sub RadScheduler1_TimeSlotCreated(sender As Object, e As TimeSlotCreatedEventArgs) e.TimeSlot.CssClass = "holidayTimeSlot" End Sub Occurs when a resource header has been created. You can use this event to make modifications to the resouce headers. void RadScheduler1_ResourceHeaderCreated(object sender, ResourceHeaderCreatedEventArgs e) { e.Container.Controls.Add(new LiteralControl("Test")); } Sub RadScheduler1_ResourceHeaderCreated(sender As Object, e As ResourceHeaderCreatedEventArgs) e.Container.Controls.Add(new LiteralControl("Test")) End Sub Occurs when an occurrence is about to be removed. The OccurrenceDeleteEventArgs hold a reference both to the master and the occurrence appointment. The operation can be cancelled by setting the Cancel property of OccurrenceDeleteEventArgs to true. void RadScheduler1_OccurrenceDelete(object sender, OccurrenceDeleteEventArgs e) { e.Cancel = true; } Sub RadScheduler1_OccurrenceDelete(sender As Object, e As OccurrenceDeleteEventArgs) e.Cancel = true End Sub Occurs when an appointment that represents a recurrence exception is about to be created. The RecurrenceExceptionCreatedEventArgs hold a reference both to the master and the exception appointment. The operation can be cancelled by setting the Cancel property of RecurrenceExceptionCreatedEventArgs to true. void RadScheduler1_RecurrenceExceptionCreated(object sender, RecurrenceExceptionCreatedEventArgs e) { e.Cancel = true; } Sub RadScheduler1_RecurrenceExceptionCreated(sender As Object, e As RecurrenceExceptionCreatedEventArgs) e.Cancel = true End Sub Occurs when the scheduler is about to request resources from the Web Service. Resources need to be populated from the server when using resource grouping. Doing so also reduces the client-side initialization time. This operation requires the WebPermission to be granted for the Web Service URL. This permission is not granted by default in Medium Trust. You can disable the population of the resources from the server and still use client-side rendering for grouped views. To do so you need to set the WebServiceSettings.ResourcePopulationMode to Manual and populate the resources from the OnInit method of the page. The ResourcesPopulatingEventArgs contains additional information about the request that is about to be made. You can use its properties to modify the URL, supply credentials and so on. The operation can be cancelled by setting the ResourcesPopulatingEventArgs.Cancel property of ResourcesPopulatingEventArgs to true. void RadScheduler1_ResourcesPopulating(object sender, ResourcesPopulatingEventArgs e) { e.Cancel = true; } Sub RadScheduler1_ResourcesPopulating(sender As Object, e As ResourcesPopulatingEventArgs) e.Cancel = true End Sub Occurs when the scheduler is about to request appointments from the provider / data source. You can use this event to supply additional information to the providers' GetAppointments(ISchedulerInfo) method. In order to send additional data to the provider you need to inherit or implement from scratch, adding your custom properties in the process. Replace the object with your implementation and access it from the providers' GetAppointments(ISchedulerInfo) method. The operation can be cancelled by setting the AppointmentsPopulatingEventArgs.Cancel property of to true. void RadScheduler1_AppointmentsPopulating(object sender, AppointmentsPopulatingEventArgs e) { MySchedulerInfo info = new MySchedulerInfo(e.SchedulerInfo); // Copy existing data info.UserID = 42; e.ScheduulerInfo = info; } Private Sub RadScheduler1_AppointmentsPopulating(sender As Object, e As AppointmentsPopulatingEventArgs) Dim info As New MySchedulerInfo(e.SchedulerInfo) ' Copy existing data info.UserID = 42 e.ScheduulerInfo = info End Sub Occurs when a reminder has been snoozed. The event arguments contain: The snoozed reminder The minutes the reminder was snoozed for. Positive values indicate that the reminder will be snoozed for the next N minutes; Negative values indicate that the reminder is snoozed until -N minutes before the appointment start. The appointment the reminder belongs to The operation can be cancelled by setting the ReminderSnoozeEventArgs.Cancel property of ReminderSnoozeEventArgs to true. If the operation is not cancelled RadScheduler will update the appointment. void RadScheduler1_ReminderSnooze(object sender, ReminderSnoozeEventArgs e) { e.Cancel = true; } Sub RadScheduler1_ReminderSnooze(sender As Object, e As ReminderSnoozeEventArgs) e.Cancel = true End Sub Occurs when a reminder has been dismissed. The event arguments contain: The dismissed reminder The original appointment with non-modified reminders The modified appointment with updated reminders The modified appointment with updated reminders The operation can be cancelled by setting the ReminderDismissEventArgs.Cancel property of ReminderDismissEventArgs to true. If the operation is not cancelled RadScheduler will update the appointment. void RadScheduler1_ReminderDismiss(object sender, ReminderDismissEventArgs e) { e.Cancel = true; } Sub RadScheduler1_ReminderDismiss(sender As Object, e As ReminderDismissEventArgs) e.Cancel = true End Sub Gets or sets the OnClientAppointmentClick. The OnClientAppointmentClick. Gets or sets the OnClientAppointmentInserting. The OnClientAppointmentInserting. Gets or sets the OnClientAppointmentInserting. The OnClientAppointmentInserting. Gets or sets the OnClientAppointmentResizeStart. The OnClientAppointmentResizeStart. Gets or sets the OnClientAppointmentResizeEnd. The OnClientAppointmentResizeEnd. Gets or sets the OnClientAppointmentResizing. The OnClientAppointmentResizing. Gets or sets the OnClientAppointmentDeleting. The OnClientAppointmentDeleting. Gets or sets the OnClientAppointmentEditing. The OnClientAppointmentEditing. Gets or sets a value indicating the client-side event handler that is called when an appointment is about to be moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientAppointmentMoveStartHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentMoveStart="onClientAppointmentMoveStartHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentMoveStart client-side event handler is called when an appointment is about to be moved. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with four properties: get_appointment(), the instance of the appointment. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is being moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientAppointmentMovingHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var targetSlot = eventArgs.get_targetSlot();
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentMoving="onClientAppointmentMovingHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentMoving client-side event handler is called when an appointment is being moved. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with four properties: get_appointment(), the instance of the appointment. get_targetSlot(), the slot that the appointment currently occupies. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment has been moved. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientAppointmentMoveEndHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var newStartTime = eventArgs.get_newStartTime();
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentMoveEnd="onClientAppointmentMoveEndHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentMoveEnd client-side event handler is called when an appointment has been moved. The event will also be fired when the move operation has been aborted by the user. In this case the get_isAbortedByUser() property of the event arguments will be set to "true". The event will also fire if the appointment is dropped in its original location, but no postback will occur as the appointment is not altered. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with six properties: get_appointment(), the instance of the appointment. get_newStartTime(), the new start time of the appointment. get_editingRecurringSeries(), a boolean value indicating whether the user has selected to edit the whole series. get_targetSlot(), the target slot that the appointment has been moved to. get_isAbortedByUser(), indicates whether the move operation has been aborted as a result of user action. set_cancel(), set to true to cancel the move operation. This event can be cancelled.
Gets or sets the on client time slot click. The on client time slot click. Gets or sets a value indicating the client-side event handler that is called when the recurrence action confirmation dialog is about to be shown. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientRecurrenceActionDialogShowingHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var action = eventArgs.get_recurrenceAction();

if (action == Telerik.Web.UI.RecurrenceAction.Edit)
{
alert("Overriding recurrence action dialog to 'Edit series' for appointment '" + appointment.get_subject() + "'"); eventArgs.set_cancel(true);
eventArgs.set_editSeries(true);
}
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRecurrenceActionDialogShowing="onClientRecurrenceActionDialogShowingHandler">
....
</telerik:RadScheduler>
If specified, the OnClientRecurrenceActionDialogShowing client-side event handler is called when the recurrence action confirmation dialog is about to be shown. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. set_cancel(), set to true to suppress the confirmation dialog. set_editSeries(), set to true or false to override the result from the dialog (only if it has been cancelled by calling eventArgs.set_cancel(true)). This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the recurrence action confirmation dialog has been closed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientRecurrenceActionDialogClosedHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var editSeries = eventArgs.get_editSeries();

alert("The user has set editSeries to '" + editSeries + "' for appointment '" + appointment.get_subject() + "'"); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRecurrenceActionDialogClosed="onClientRecurrenceActionDialogClosedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientRecurrenceActionDialogClosed client-side event handler is called when the recurrence action confirmation dialog has been closed. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. get_editSeries(), the selected option from the dialog. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an edit/insert form has been created. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientFormCreatedHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var formElement = eventArgs.get_formElement();
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientFormCreated="onClientFormCreatedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientFormCreated client-side event handler is called when an edit/insert form has been created. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the instance of the appointment. get_formElement(), the DOM element of the form. get_mode(), enumerable of type Telerik.Web.UI.SchedulerFormMode. See SchedulerFormMode for the list of possible values. get_editingRecurringSeries(), a boolean indicating if the user has chosen to edit the recurring series (true) or a single occurrence (false). This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment has been right-clicked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientAppointmentContextMenuHandler(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
// ...
eventArgs.get_domEvent().preventDefault(); // Prevent displaying the browser menu
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentContextMenu="onClientAppointmentContextMenuHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentContextMenu client-side event handler is called when an appointment has been right-clicked. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the instance of the appointment. get_domEvent(), the original DOM event. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an empty time slot has been right-clicked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientTimeSlotContextMenuHandler(sender, eventArgs)
{
var time = eventArgs.get_time();
// ...
eventArgs.get_domEvent().preventDefault(); // Prevent displaying the browser menu
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientTimeSlotContextMenu="onClientTimeSlotContextMenuHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentContextMenu client-side event handler is called when an empty time slot has been right-clicked. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with four properties: get_targetSlot(), the target slot. get_time(), the time that corresponds to the slot. get_isAllDay(), a boolean indicating if this is an all-day slot (the time should be discarded in this case). get_domEvent(), the original DOM event. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler is about to request appointments from the Web Service. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentsPopulatingHandler(sender, eventArgs)
{
alert("Data loading");
eventArgs.get_schedulerInfo().CustomProperty = "My Data"; }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentsPopulating="clientAppointmentsPopulatingHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentsPopulating client-side event handler is called when the scheduler is about to request appointments. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised before the appointments are retrieved from the data service. The event will be raised again each time new data is about to be retrieved from the web service. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler has received appointments from the Web Service. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentsPopulatedHandler(sender)
{
alert("Appointments populated");
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentsPopulated="clientAppointmentsPopulatedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentsPopulated client-side event handler is called when the scheduler has received appointments. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised after the appointments are retrieved from the data service. The event will be raised again each time new data has been retrieved from the web service. One parameter is passed to the handler: sender, the scheduler client object; This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is received from the Web Service and is about to be rendered. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentDataBoundHandler(sender, eventArgs)
{
alert("Appointment loaded");
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentDataBound="clientAppointmentDataBoundHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentDataBound client-side event handler is called when an appointment is received and is about to be rendered. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised after the appointments are retrieved from the data service. The event will be raised for each appointment that has been retrieved from the web service. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the instance of the appointment; get_data(), the original data object retrieved from the web service. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment has been serialized to a data object and is about to be sent to the Web Service. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentSerializedHandler(sender, eventArgs)
{
eventArgs.get_data().myProperty = 1234;
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentSerialized="clientAppointmentSerializedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentSerialized client-side event handler is called when an appointment has been serialized to a data object and is about to be sent to the Web Service. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised before the appointment is sent to the data service. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the instance of the appointment; get_data(), the constructed data object that will be sent to the web service. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is received from the Web Service and hase been rendered. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentCreatedHandler(sender, eventArgs)
{
eventArgs.get_appointment().get_element().style.border = "1px solid red";
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentCreated="clientAppointmentCreatedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentCreated client-side event handler is called when an appointment is received and has been rendered. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised after the appointments are retrieved from the data service. The event will be raised for each appointment that has been retrieved from the web service. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with one property: get_appointment(), the appointment that has been rendered. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler is about to request resources from the Web Service. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientResourcesPopulatingHandler(sender, eventArgs)
{
alert("Resources loading");
eventArgs.get_schedulerInfo().CustomProperty = "My Data"; }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientResourcesPopulating="clientResourcesPopulatingHandler">
....
</telerik:RadScheduler>
If specified, the OnClientResourcesPopulating client-side event handler is called when the scheduler is about to request resources. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised before the resources are retrieved from the data service. The event will be raised only once, at the time of the initial load. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler has received resources from the Web Service. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientResourcesPopulatedHandler(sender)
{
alert("Resources loaded");
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientResourcesPopulated="clientResourcesPopulatedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientResourcesPopulated client-side event handler is called when the scheduler has received resources. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised after the resources have been retrieved from the data service. The event will be raised only once, at the time of the initial load. One parameter is passed to the handler: sender, the scheduler client object; This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler has been populated with data. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientDataBoundHandler(sender, eventArgs)
{
alert("Data loaded");
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientDataBound="clientDataBoundHandler">
....
</telerik:RadScheduler>
If specified, the OnClientDataBound client-side event handler is called when the scheduler has been populated with data. In the case of server-side binding, the event will be raised immediately after the control is initialized. When client-side binding is used, the event will be raised when both the appointments and the resources are retrieved from the data service. The event will be raised again each time new data is retrieved from the web service. One parameter is passed to the handler: sender, the scheduler client object; This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a request to the Web Service has succeeded. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientRequestSuccessHandler(sender, eventArgs)
{
alert("Operation code: " + eventArgs.get_result().Code);
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRequestSuccess="clientRequestSuccessHandler">
....
</telerik:RadScheduler>
If specified, the OnClientRequestSuccess client-side event handler is called when a request to the Web Service has succeeded. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with one property: get_result(), the object received from the server as. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a request to the Web Service has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientRequestFailedHandler(sender, eventArgs)
{
alert("Request failed!");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRequestFailed="clientRequestFailedHandler">
....
</telerik:RadScheduler>
If specified, the OnClientRequestFailed client-side event handler is called when a request to the Web Service has failed. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_errorMessage(), the error message sent from the server. set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is about to be stored via Web Service call. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentWebServiceInserting(sender, eventArgs)
{
alert("Insert cancelled");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentWebServiceInserting="clientAppointmentWebServiceInserting">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentWebServiceInserting client-side event handler is called when an appointment is about to be stored via Web Service call. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the appointment that is about to be inserted. set_cancel(), set to true cancel the operation. get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is about to be deleted via Web Service call. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentWebServiceDeleting(sender, eventArgs)
{
alert("Delete cancelled");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentWebServiceDeleting="clientAppointmentWebServiceDeleting">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentWebServiceDeleting client-side event handler is called when an appointment is about to be deleted via Web Service call. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the appointment that is about to be deleted. get_editingRecurringSeries(), indicates whether the recurring series are being deleted. set_cancel(), set to true cancel the operation. get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment is about to be updated via Web Service call. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientAppointmentWebServiceUpdating(sender, eventArgs)
{
alert("Update cancelled");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentWebServiceUpdating="clientAppointmentWebServiceUpdating">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentWebServiceUpdating client-side event handler is called when an appointment is about to be updated via Web Service call. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the appointment that is about to be updated. set_cancel(), set to true cancel the operation. get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a recurrence exception is about to be created via Web Service call. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientRecurrenceExceptionCreating(sender, eventArgs)
{
alert("Operation cancelled");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRecurrenceExceptionCreating="clientRecurrenceExceptionCreating">
....
</telerik:RadScheduler>
If specified, the OnClientRecurrenceExceptionCreating client-side event handler is called when a recurrence exception is about to be created via Web Service call. In the case of server-side binding, the event will not be raised. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the appointment that represents the recurrence exception that is about to be stored. set_cancel(), set to true cancel the operation. get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when recurrence exceptions are about to be removed via Web Service call. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientRecurrenceExceptionsRemoving(sender, eventArgs)
{
alert("Operation cancelled");
eventArgs.set_cancel(true); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientRecurrenceExceptionsRemoving="clientRecurrenceExceptionsRemoving">
....
</telerik:RadScheduler>
If specified, the OnClientRecurrenceExceptionsRemoving client-side event handler is called when recurrence exceptions are about to be removed via Web Service call. In the case of server-side binding, the event will not be raised. When client-side binding is used, the event will be raised when the user chooses to remove the recurrence exceptions of a given series through the advanced form. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the master appointment that represents the recurrence series. set_cancel(), set to true cancel the operation. get_schedulerInfo(), the schedulerInfo object that will be passed to the web service method. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the scheduler is about to execute a navigation command. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientNavigationCommandHandler(sender, eventArgs)
{
if (eventArgs.get_command() == Telerik.Web.UI.SchedulerNavigationCommand.NavigateToNextPeriod)
alert("Navigating to next period"); }
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientNavigationCommand="clientNavigationCommandHandler">
....
</telerik:RadScheduler>
If specified, the OnClientNavigationCommand client-side event handler is called when the scheduler is about to execute a navigation command. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_command(), the navigation command that is being processed. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a navigation command has been completed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function clientNavigationCompleteHandler(sender, eventArgs)
{
if (eventArgs.get_command() == Telerik.Web.UI.SchedulerNavigationCommand.SwitchToDayView)
alert("Displaying day view");
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnNavigationComplete="clientNavigationCompleteHandler">
....
</telerik:RadScheduler>
If specified, the OnNavigationComplete client-side event handler is called when a navigation command has been completed. The event will be raised only when client-side binding is used. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with one properties: get_command(), the navigation command that is being processed. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an apointment context menu item is clicked, before RadScheduler processes the click event. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function appointmentContextMenuItemClicking(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var clickedItem = eventArgs.get_item();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentContextMenuItemClicking="appointmentContextMenuItemClicking">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentContextMenuItemClicking client-side event handler is called when an apointment context menu item is clicked, before RadScheduler processes the click event. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. get_item(), the clicked menu item. set_cancel(), used to cancel the event. This event can be cancelled. Cancelling it will prevent any further processing of the command.
Gets or sets a value indicating the client-side event handler that is called when an apointment context menu item is clicked, after RadScheduler has processed the event. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function appointmentContextMenuItemClicked(sender, eventArgs)
{
var appointment = eventArgs.get_appointment();
var clickedItem = eventArgs.get_item();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientAppointmentContextMenuItemClicked="appointmentContextMenuItemClicked">
....
</telerik:RadScheduler>
If specified, the OnClientAppointmentContextMenuItemClicking client-side event handler is called when an apointment context menu item is clicked, after RadScheduler has processed the event. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_appointment(), the instance of the appointment. get_item(), the clicked menu item. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when a time slot context menu item is clicked, before RadScheduler processes the click event. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function appointmentTimeSlotMenuItemClicking(sender, eventArgs)
{
var timeSlot = eventArgs.get_slot();
var clickedItem = eventArgs.get_item();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientTimeSlotContextMenuItemClicking="appointmentTimeSlotMenuItemClicking">
....
</telerik:RadScheduler>
If specified, the OnClientTimeSlotContextMenuItemClicking client-side event handler is called when a time slot context menu item is clicked, before RadScheduler processes the click event. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_slot(), the instance of the time slot. get_item(), the clicked menu item. set_cancel(), used to cancel the event. This event can be cancelled. Cancelling it will prevent any further processing of the command.
Gets or sets a value indicating the client-side event handler that is called when a time slot context menu item is clicked, after RadScheduler has processed the event. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function appointmentTimeSlotMenuItemClicked(sender, eventArgs)
{
var timeSlot = eventArgs.get_slot();
var clickedItem = eventArgs.get_item();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientTimeSlotContextMenuItemClicked="appointmentTimeSlotMenuItemClicked">
....
</telerik:RadScheduler>
If specified, the OnClientTimeSlotContextMenuItemClicking client-side event handler is called when a time slot context menu item is clicked, after RadScheduler has processed the event. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with two properties: get_slot(), the instance of the time slot. get_item(), the clicked menu item. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment reminder is due and is about to be triggered. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function reminderTriggering(sender, eventArgs)
{
var appointment = eventArgs.get_appoitment();
var reminder = eventArgs.get_reminder();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientReminderTriggering="reminderTriggering">
....
</telerik:RadScheduler>
If specified, the OnClientReminderTriggering client-side event handler is called when an appointment reminder is about to be triggered, before the pop-up dialog is shown. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. get_reminder(), the reminder. set_cancel(), used to cancel the event. This event can be cancelled. Doing so effectively ignores the reminder.
Gets or sets a value indicating the client-side event handler that is called when an appointment reminder is about to be snoozed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function reminderSnoozing(sender, eventArgs)
{
var appointment = eventArgs.get_appoitment();
var reminder = eventArgs.get_reminder();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientReminderSnoozing="reminderSnoozing">
....
</telerik:RadScheduler>
If specified, the OnClientReminderSnoozing client-side event handler is called when an appointment reminder has been snoozed by the user, before the command is sent to the server. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. get_reminder(), the snoozed reminder. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when an appointment reminder is about to be dismissed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function reminderDismissing(sender, eventArgs)
{
var appointment = eventArgs.get_appoitment();
var reminder = eventArgs.get_reminder();
// ...
}
</script>
<telerik:RadScheduler ID="RadScheduler1"
runat="server"
OnClientReminderDismissing="reminderDismissing">
....
</telerik:RadScheduler>
If specified, the OnClientReminderDismissing client-side event handler is called when an appointment reminder has been dismissed by the user, before the command is sent to the server. Two parameters are passed to the handler: sender, the scheduler client object; eventArgs with three properties: get_appointment(), the instance of the appointment. get_reminder(), the reminder. set_cancel(), used to cancel the event. This event can be cancelled.
The RadSchedulerRecurrenceEditor is a lightweight control that encapsulates all of the User Interface elements needed to display and edit RadScheduler recurrence rules. This Abstract partial Class defines the RecurrenceEditor object. Wraps the panel for creating recurring appointments in a separate class. RecurrenceEditor This Class adds the Style classes in the RecurrenceEditor. When implemented by a class, enables a server control to process an event raised when a form is posted to the server. A that represents an optional event argument to be passed to the event handler. Gets or sets the reference to the calendar that will be used for picking dates. This property allows you to use an existing RadCalendar instance for the RecurrenceEditor date picker. The instance of the RadCalendar control if set; otherwise null. Gets or sets the ID of the calendar that will be used for picking dates. This property allows you to use an existing RadCalendar instance for the RecurrenceEditor date picker. The RecurrenceEditor will look for the RadCalendar instance in a way similar to how ASP.NET validators work. It will not go beyond the current naming container which means that you will not be able to configure a calendar that is inside a control in another naming container. You can still share a calendar, but you will have to pass a direct object reference via the SharedCalendar property. The string ID of the RadCalendar control if set; otherwise String.Empty. Gets or sets the date format string. The default value of this property is inferred from the Thread.CurrentThread.CurrentCulture.DateTimeFormat.ShortDatePattern property. The date format string. Gets or sets a value indicating the base z-index of the recurrence editor. An integer value that specifies the desired base z-index. The default value is 2500. The z-index value is used to position any detachable elements (like RadCalendar pop-ups) over other elements in the form. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets the first day of the week. This property is used when building Monthly and Yearly recurrence rules. The start date of the first occurrence. The StartDate and EndDate must be set in order to obtain the recurrence rule. The end date of the first occurrence. The StartDate and EndDate must be set in order to obtain the recurrence rule. The currently selected recurrence rule. The currently selected recurrence rule (as text). Specifies the frequency of a recurrence. Indicates recurrence with no end. Indicates recurrence with specific number of occurrences. Indicates recurrence with end date. Represents settings for RadScheduler's Agenda view. This Class defines the GroupableViewSettings of RadScheduler. This abstract class gets and sets the ViewSettings. Gets or sets a value indicating whether the view is in read-only mode. true if view should be read-only; false otherwise. The default value is false. By default the user is able to insert, edit and delete appointments. Use the ReadOnly to disable the editing capabilities of RadScheduler. Gets or sets a value indicating whether to render date headers for the current view. true if the date headers for the current view are rendered; otherwise, false. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Gets or sets the resource to group by. The resource to group by. Gets or sets the resource grouping direction. Gets or sets a value indicating whether to render resource headers for the current view. true if the resource headers for the current view are rendered; otherwise, false. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Gets or sets the Year view header date format string. The Year view header date format string. For additional information, please read this MSDN article. Gets or sets a value indicating whether to render month headers for the year view. true if the month headers for the year view are rendered; otherwise, false. Gets or sets the day header date format string in Year View. The day header date format string in Year View. For additional information, please read this MSDN article. Gets or sets the column header date format string in Year View. The column header date format string in Year View. For additional information, please read this MSDN article. Gets or sets the month header date format string in Year View. The month header date format string in Year View. For additional information, please read this MSDN article. A containter for the appointment content. It determines the html rendered by the appointment object. Gets the appointment. The appointment. Gets or sets the appointment container. The appointment container. Represents settings for RadScheduler's Agenda view. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Gets or sets the Agenda view header date format string. The Agenda view header date format string. For additional information, please read this MSDN article. Gets or sets the number of visible days in agenda view. The number of days. Gets or sets a value indicating whether to render column headers for the agenda view. true if the column headers for the agenda view are rendered; otherwise, false. Gets or sets the width of the resource column. The width of the resource column Gets or sets the width of the date column. The width of the date column Gets or sets the width of the time column. The width of the time column Gets or sets the width of the appointment column. The width of the appointment column Gets or sets the resource marker type. For internal use only. For internal use only. Creates default recurrence rule for newly created recurring appointments. For internal use only. This interface defines the ISchedulerTimeSlot model. A list of the appointments that start in this time slot. The control that represents this time slot. The start time of the time slot. The end time of the time slot. The duration of the time slot. The unique index of the time slot. An optional CSS class name that will be rendered for the time slot. The resource associated with the time slot. The resource associated with the time slot in grouped views, otherwise null. For internal use only. Gets the assembly list providers Gets the default assembly provider. The default assembly provider. Initializes the xml provider with default file path - App_Data/WhiteList.xml Initializes the xml provider with user-supplied file path. Full path to an assembly white list file. Represents a script reference - including tracking its loaded state in the client browser Request param name for the serialized combined scripts string Request param name for the hidden field name Containing Assembly Script name Culture to render the script in Reference to the Assembly object (if loaded by LoadAssembly) Gets the script corresponding to the object script text Loads the associated Assembly Assembly reference Equals override to compare two ScriptEntry objects comparison object true iff both ScriptEntries represent the same script GetHashCode override corresponding to the Equals override above hash code for the object Deserialize a list of ScriptEntries Serialized list looks like: ;Assembly1.dll Version=1:Culture:MVID1:ScriptName1Hash:ScriptName2Hash; Assembly2.dll Version=2:Culture:MVID1:ScriptName3Hash; External=ScriptPathHash1:ScriptPathHash2 serialized list list of scripts From a relative path and a specified style sheet folder, returns the relative path of that file in that folder (Secure Path). The relative path to the file inside the project file structure. The Secure Path of the relative path. Throws an exception if the relative path falls outside of the style sheet folder. Gets the secure path of a file, inside a script folder, from its hash. The hash of the secure path of the file. The secure path of the file; null if the hash does not match a file in any of the secure folders. Loads the content of the file specified with its secure path. The path to the file. The content of the file. Assembly reference to be used by the RadScriptManager Can accept either normal or fully qualified assembly name. The assembly reference to be used by the RadScriptManager Can accept either normal or fully qualified assembly name. Collection to hold a list of white-listed assemblies. If is enabled exception will be thrown whenever RadScriptManager tries to load assembly that is not listed in the white list collection. Provides data for the event of the control. Initializes a new instance of the class. The item of the searchBox context. Gets or sets the SearchContextItem. The SearchContextItem. Represents the method that handles the event of the control. This class gets and sets the localization properties of RadSearchBox. Gets or sets the ShowAllResults string. The ShowAllResults string. Gets or sets the DefaultItemText string. The DefaultItemText string. Gets or sets the LoadingItemsMessage string. The LoadingItemsMessage string. RadDropDownTree Checkboxes mode Telerik RadSearchBox for ASP.NET AJAX provides the user the ability to write text in an input field with an optional autocomplete functionality. This method should return object that implements ISearchBoxRenderer or Inherits the SearchBoxRenderer class. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. For testing purposes. Occurs when a search has been triggered. Occurs when a button has been clicked. Occurs before a select command is sent to the datasource. If specified, the OnClienLoad client-side event handler is called after the searchBox is fully initialized on the client. A single parameter - the searchBox client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadSearchBox ID="RadSearchBox1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadSearchBox>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadSearchBox client-side object is initialized.
If specified, the OnClientSearch client-side event handler is called when a search is triggered in the SearchBox. This happens when the default seach button or an item from the dropdown is clicked, or Enter key is pressed. The event handler receives two parameters: the instance of the searchBox client-side object and event args. This event cannot be cancelled. <script type="text/javascript">
function onClientSearchHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadSearchBox ID="RadSearchBox1"
runat= "server"
OnClientSearch="onClientSearchHandler">
....
</telerik:RadSearchBox>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when a search is triggered in the SearchBox. This happens when the default seach button or an item from the dropdown is clicked, or Enter key is pressed.
If specified, the OnClientButtonCommand client-side event handler is called when a button from the Buttons Collection is clicked. The event handler receives two parameters: the instance of the searchBox client-side object and event args. This event cannot be cancelled. <script type="text/javascript">
function onClientButtonCommandHandler(sender, args)
{
alert(sender.get_id());
}
</script>
<telerik:RadSearchBox ID="RadSearchBox1"
runat= "server"
OnClientButtonCommand="onClientButtonCommandHandler">
....
</telerik:RadSearchBox>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when a button from the Buttons Collection is clicked.
If specified, the OnClientDataRequesting client-side event handler is called before a search is triggered in RadSearchBox . The event handler receives two parameters: the instance of the searchBox client-side object and event args. This event can be cancelled. <script type="text/javascript">
function onClientDataRequestingHandler(sender, args)
{
alert(args.get_text());
}
</script>
<telerik:RadSearchBox ID="RadSearchBox1"
runat= "server"
OnClientDataRequesting="onClientDataRequestingHandler">
....
</telerik:RadSearchBox>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called before a search is triggered in RadSearchBox.
Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. Used to customize the appearance and position of the buttons displayed by RadListBox. Gets or sets a value indicating whether the AutoComplete functionality of the RadSearchBox is enabled. Gets or sets a value indicating whether the default search button is rendered. Gets or sets a value indicating whether a loading icon should be shown while a request it pending. Gets or sets a value indicating whether the first matching result will be highlighted upon drop down opening. Gets or sets how many results are shown in the dropdown. Defines the minimum number of characters that must be typed before a search is made. The minimum number of characters that must be typed before a search is made. Gets or sets a value that indicates whether the filter logic is case-sensitive or not. Gets or sets a message when the input of the RadSearchBox is empty. The message which will be shown when the input of the RadSearchBox is empty. Gets or sets the RadSearchBox's input value. The value shown in the input of the RadSearchBox. Gets or sets a value indicating whether the RadSearchBox should apply “Contains” or “StartsWith” filter logic. Gets or sets the DataTextField. The DataTextField. Gets or sets the DataValueField. The DataValueField. Gets or sets the DataContextKeyField. This property will define the data column used as a context field. The DataContextKeyField. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets an array of data-field names that will be used to populate the 's DataItem property. Note: Values set to this property are case-sensitive! The field names should be coma-separated. An array that contains the names of the fields contained in the 's DataItem property. Gets or sets a value indicating how the DropDownItems text should be formatted. Gets the RadSearchBox SearchBoxButtons collection. Gets the RadSearchBox SearchContext. Gets the settings for the web service used to provide search results. An WebServiceSettings that represents the web service used to provide search results. Use the WebServiceSettings property to configure the web service used to provide search results. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public SearchBoxItemData[] GetResult(SearchBoxContext context) { } } <System.Web.Script.Services.ScriptService()> _ Public Class WebService Inherits System.Web.Services.WebService <WebMethod> _ Public Function GetResult(context As SearchBoxContext) As SearchBoxItemData() End Function End Class Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadSearchBox. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadSearchBox. ASPX: <telerik:RadSearchBox ID="RadSearchBox1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> </telerik:RadSearchBox> void Page_Load(object sender, EventArgs e) { RadSearchBox1.ExpandAnimation.Type = AnimationType.Linear; RadSearchBox1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadSearchBox1.ExpandAnimation.Type = AnimationType.Linear RadSearchBox1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when the dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadSearchBox. You can specify the Type and Duration. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadSearchBox. ASPX: <telerik:RadSearchBox ID="RadSearchBox1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> </telerik:RadSearchBox> void Page_Load(object sender, EventArgs e) { RadSearchBox1.CollapseAnimation.Type = AnimationType.Linear; RadSearchBox1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadSearchBox1.CollapseAnimation.Type = AnimationType.Linear RadSearchBox1.CollapseAnimation.Duration = 300 End Sub
Determines whether the Screen Boundaries Detection is enabled or not. Determines whether the Direction Detection is enabled or not. Gets the localization. The localization. Gets or sets a value indicating where RadSearchBox will look for its .resx localization files. The localization path. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets or sets the label of the control. The label of the control. Gets or sets the css class of the label. The label CSS class. Gets or sets the width of the control's label Class holding settings which are used to determine the masked input behavior Constructur of the MaskedTextBoxSetting Validates the specified control. The control. Validates the specified control with supplied context. The control. The context. Gets or sets the display mask which is shown when the is not focused. The display mask which is shown when the is not focused. Gets or sets the mask. The mask. Gets or sets the prompt char. The prompt char. Gets or sets the prompt character used in the display mask. The prompt character used in the display mask. Gets or sets a value which determines if empty mask parts are allowed. A value which determines if empty mask parts are allowed. Gets or sets if the values of numeric range parts of the mask to have a fixed width. Enforces the values of numeric range parts of the mask to have a fixed width. Gets or sets alignment of numeric ranges. The alignment of numeric ranges. Gets or sets if the numberic ranges will be rounded. Determines if the numberic ranges will be rounded. Gets or sets if the prompt will be hidden when is blurred. The hide on blur. Gets or sets the time, in milliseconds, the InvalidStyle should be displayd. Must be a positive integer. The Time, in milliseconds, the InvalidStyle should be displayd. Must be a positive integer. For internal use only. For internal use only. This Class defines the SearchBoxData object. Gets or sets the end of items. The end of items. Gets or sets the items. The items. Clears the selection. The property of all items is set to false. Gets or sets the selected index of the control. The index that should be selected. Set the selected index to -1 to clear the selection. Gets the currently selected item in the searchContext. SelectedItem can be null in client-side binding scenarios. Gets or Sets the DataSource of the SearchContext for the control. Gets or Sets the ID of the DataSource control of the SearchContext for the control. Gets the RadSearchBox SearchContextItemCollection. Gets or sets the DataTextField. The DataTextField. Gets or sets the DataKeyField. The DataKeyField. Gets or sets the ID of the Model from the ODataDataSource control used for data binding. Gets or sets whether the DefaultItem should be shown. By default it is shown and if no item is selected it is the selected one. Gets the settings for the web service used to provide SearchContext items. An WebServiceSettings that represents the web service used to provide search results. Gets or sets the TabIndex of the SearchContext control. The default value is zero. Gets or sets the width of the SearchContext's input area. The width of the SearchContext's input area. Gets or sets the css class of the dropdown. The dropdown CSS class. Gets or sets the css class of the search context element. The search context CSS class. Gets or sets whether the SearchContext is enabled. The default value is zero. Occurs after a context item is data bound to the RadSearchBox control. This event provides you with the last opportunity to access the data item before it is displayed on the client. After this event is raised, the data item is nulled out and no longer available. If specified, the OnClientItemDataBound client-side event handler is called after a SearchContextItem is bound to a dataItem as a result of a client-side binding to RadODataDataSource control. The event handler receives two parameters: the instance of the searchBox context client-side object and event args This event cannot be cancelled. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after a SearchContextItem is bound to a dataItem as a result of a client-side binding to RadODataDataSource control This method should return object that implements ISearchBoxRenderer or Inherits the SearchBoxRenderer class. Raises the ItemDataBound event. This method should return object that implements ISearchBoxRenderer or Inherits the SearchBoxRenderer class. This method marks the Parameter object so its state will be recorded in view state. Gets or sets the text of a certain item. The text of an item. The default value is empty string. Use the property to set the displayed text for an item. Gets or sets the key of a certain item. The text of an item. The default value is null Use the property to bind the context information which will be used upon search operation. Gets or sets the path to the image of a certain item. The path to the image of an item. The default value is empty string. Use the property to set the path to the image used by the item. Gets or sets a value indicating whether this item is selected. true if selected; otherwise, false. Gets or sets the data item. The data item. This class represents each item which will be passed to the client as a result from the web service call. Text for the item to pass to the client. Key for the item to pass to the client. ImageUrl for the item to pass to the client. A JS converter implementation for SliderItemBinding instances Serializes a SliderItemBinding to a key/value pair collection An instance of SliderItemBinding The JS converter that handles the serialization. SliderItemBinding in a converted key/value pair colleciton format The class for creating a Compact button. The main class from which Styled buttons are derived. The base class for the RadSocialShare buttons. Common constructor. Constructor with a SocialNetType as a parameter. The SocialNetType of the button that will be created. Get/Set the the social net type of the button. Takes a member of the enum. Get/Set the url to share. The default value is empty string which results in sharing the page on which the button resides. Get/Set the title of the shared message. The default value is an empty string which results in sharing the title of the current page or the url itself if there isn't a title. Get/Set the tooltip of the button. Get/Set the the text of the button label. Get/Set the url of a custom icon for the button. Get/Set the width of thr button's custom icon. 16px by default. Get/Set the height of thr button's custom icon. 16px by default. Get/Set the width of the social dialog popup. Get/Set the height of the social dialog popup. Get/Set the top of the social dialog. By default it is centered. Get/Set the left of the social dialog popup. By default it is centered. Get/Set custom CssClass for the social button. Get/Set the title of the compact dialog. The class for creating a Google PlusOne Standard button. Get/Set the size of the button. Takes a member of the enum. Get/Set the annotation type of the button. Takes a member of the enum. Get/Set the width of the button - used when annotation is displayed The class for creating a LinkedIn Standard button. Get/Set the counter mode for the button. Takes a member of the enum. Get/Set ShowZeroCount value for the button (whether a counter will be shown if its value will be zero). Defines a Pinterest button for the www.pinterest.com social network The button type for the Pinterest button Get/Set the image's URL to be pinned. Get/Set the description of the pinned image. This is equivalent to the title for other social networks. Get/Set the URL from which the action on Pinterest is made. It is used in both for Pin-it and Follow buttons Get/Set the counter mode for the button. Takes a member of the enum. The class for creating a Twitter Standard button. Get/Set the counter mode for the button. Takes a member of the enum. Defines a Yammer button related to the yammer.com social network The type of button to create for the respective instance Define the Yammer network, to which the button is related Representer of the StateLoad event. The source of the event. A instance that contains the event data. Adds custom setting to the object KeyValuePair that should be added to the state Representer of the StateSave event. The source of the event. A instance that contains the event data. Class holding all settings associated with accessibility support. Gets or sets the 'summary' attribute for the outer table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Gets or sets the 'caption' attribute for the outer table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'caption' attribute for the respective table. Gets or sets the 'summary' attribute for the column header table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Gets or sets the 'caption' attribute for the column header table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'caption' attribute for the respective table. Gets or sets the 'summary' attribute for the row header table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Gets or sets the 'caption' attribute for the row header table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'caption' attribute for the respective table. Gets or sets the 'summary' attribute for the data table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Gets or sets the 'caption' attribute for the data table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'caption' attribute for the respective table. Gets or sets the 'summary' attribute for the table which wraps the RadPivtoGrid control when the configuration panel is shown. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Gets or sets the 'caption' attribute for the table which wraps the RadPivtoGrid control when the configuration panel is shown. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'caption' attribute for the respective table. Represents the method that handles the event of the control. Provides data for the event of the control. Initializes a new instance of the class. The datasource of the control. The text value of the control. Boolean value defining whether all results should be displayed. Instance of the userContext Dictionary object. Initializes a new instance of the class. The datasource of the control. The text value of the control. Boolean value defining whether all results should be displayed. Instance of the userContext Dictionary object. The selected item from the search context. Gets the DataSource of the control when the event is raised. The DataSource of the control when the event is raised. Gets the text value of the control when the event is raised. The text value of the control when the event is raised. Gets whether should return all matched items. Boolean value indicating whether should return all matched items. Gets the currenctly selected from the search context. An instance of the currently selected from the search context. Gets the user context added in the ClientDataRequesting event. An instance of the user context set in the ClientDataRequesting event. The type of object which the WebService method accepts as an input parameter. Gets the text used as a search criteria. Gets whether all results should be displayed. Gets the currently selected SearchContextItem Null when no item is selected or the SearchContext is not enabled. Gets the user context added in the ClientDataRequesting event. This class represents each item which will be passed to the client as a result from the web service call. Text for the item to pass to the client. Value for the item to pass to the client. Custom dataItem for the item to pass to the client. Telerik RadSpell Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Gets the value that corresponds to this Web server control. This property is used primarily by control developers. One of the enumeration values. Gets or sets the URL for the spell dialog handler the relative path for the spell dialog handler Gets or sets the location of a CSS file, that will be added in the dialog window. If you need to include more than one file, use the CSS @import url(); rule to add the other files from the first. This property is needed if you are using a custom skin. It allows you to include your custom skin CSS in the dialogs, which are separate from the main page. Gets or sets the location of a JavaScript file, that will be added in the dialog window. If you need to include more than one file, you will need to combine the scripts into one first. This property is needed if want to override some of the default functionality without loading the dialog from an external ascx file. Gets or sets an additional querystring appended to the dialog URL. A String, appended to the dialog URL Gets or sets the value indicating whether the spell will allow adding custom words. The default is true Gets or sets the URL which the AJAX call will be made to. Check the help for more information. Gets or sets the text of the button that will start the spellcheck. This property is localizable. The default is Spell Check Gets or sets the type of the button that will start the spellcheck. The default is PushButton Values allowed: PushButton/LinkButton/ImageButton/ None. Setting the value to None will not render a button. The only way to start a spellcheck will be through the client-side API. Gets or sets the class of the client side text source object. A string containing the name of the JavaScript class. The default is HtmlElementTextSource -- a built in implementation that obtains the source from a HTML element. The text source is a JavaScript object. It has to provide two methods: GetText() and SetText(newValue). <script type="text/javascript"> function DifferentControlsSource() { this.GetText = function() { return document.getElementById('before').value; } this.SetText = function(newValue) { document.getElementById('after').value = newValue; } } </script> The ID of the control to check. The ID can be both a server-side ID, or a client-side ID. RadSpell will find the appropriate server control and use its ClientID to attach to it. An array of IDs of the control to check. The IDs can be server-side or client-side. RadSpell will find the appropriate server control and use its ClientID to attach to it. Note that you cannot mix server and client IDs in this list - use only one kind. Gets or sets the fully qualified type name that will be used to store and read the custom dictionary. The type name must be fully qualified if the type is in a GAC-deployed assembly. The type must implement the ICustomDictionarySource interface. spell1.CustomDictionarySourceTypeName = "RadSpellExtensions.CustomDictionarySource, RadSpellExtensions, Version=1.0.0.0, Culture=neutral, PublicKeyToken=b5e57ccb698eab8e"; spell1.CustomDictionarySourceTypeName = "RadSpellExtensions.CustomDictionarySource, RadSpellExtensions, Version=1.0.0.0, Culture=neutral, PublicKeyToken=b5e57ccb698eab8e" Gets or sets the suffix for the custom dictionary files. The default is -Custom The filenames are formed with the following scheme: Language + CustomDictionarySuffix + ".txt". Different suffixes can be used to create different custom dictionaries for different users. Gets or sets the assembly qualified name of the SpellDialog type. The default is string.Empty Gets or sets the virtual path of the UserControl that represents the SpellDialog. The default is string.Empty Gets or sets the dictionary language used for spellchecking. The default is en-US The language name is used to find a corresponding dictionary file. Spellchecking in en-US will work only if a file en-US.TDF can be found inside the folder pointed to by DictionaryPath. Gets or sets the path for the dictionary files. The default is ~/RadControls/Spell/TDF/ This is the path that contains the TDF files, and the custom dictionary TXT files. Gets or sets a the edit distance. If you increase the value, the checking speed decreases but more suggestions are presented. Applicable only in EditDistance mode. The default is 1 This property takes effect only if the SpellCheckProvider property is set to EditDistanceProvider. Configures the spellchecker engine, so that it knows whether to skip URL's, email addresses, and filenames and not flag them as erros. Gets or sets a value indicating whether whether the ControlToCheck property provides a client element ID or a server side control ID. The default is false. When true RadSpell will look for the server-side control and get its ClientID. When false the ControlToCheck property will be interpreted as a client-side ID and will be used to attach to the target control. Gets or sets the localization language for the user interface. The localization language for the user interface. The default value is en-US. Gets a value indicating if the target control has been spellchecked. Spellchecking the entire text by the client would set the property to true on postback. The property is used by the SpellCheckValidator class. You can set it on the client side with RadSpell's SetSpellChecked(false) on various events, say a TEXTAREA's OnChange. Allows the use of a custom spell checking provider. It must implement the ISpellCheckProvider interface. The default is PhoneticProvider Specifies the spellchecking algorithm which will be used by RadSpell. The default is PhoneticProvider Gets or sets the supported languages. The supported languages will be displayed in a drop-down list, and the user can select the language for spellchecking. A string array containing the codes and names of the languages (code, name, code, name...) <radS:RadSpell ID="spell1" Runat="server" ControlToCheck="textBox1" SupportedLanguages="en-US,English,fr-FR,French"> </radS:RadSpell> Gets or sets the value used to configure the spellchecker engine to ignore words containing: UPPERCASE, some CaPitaL letters, numbers; or to ignore repeated words (very very) Gets or sets the name of the client-side function that will be called when the spell control is initialized on the page. The function should accept two parameters: sender (the spell client object) and arguments. function onSpellLoad(sender, args) { log("spell: " + sender.get_id() + " ready."); } Gets or sets the name of the client-side function that will be called when the spell check starts. The function should accept two parameters: sender (the spell client object) and arguments. function onCheckStarted(sender, args) { log("spell: " + sender.clientId + " started for: " + sender.targetControlId); } Gets or sets the name of the client-side function that will be called when the spell check is finished. The function should accept two parameters: sender (the spell client object) and arguments. function onCheckFinished(sender, args) { log("spell: " + sender.clientId + " finished for: " + sender.targetControlId); } Specifies the name of the client-side function that will be called when the user cancels the spell check. The function should accept two parameters: sender (the spell client object) and arguments. function onCheckCancelled(sender, args) { log("spell: " + sender.clientId + " cancelled for: " + sender.targetControlId); } Specifies the name of the client-side function that will be called before the spell check dialog closes. The function should accept two parameters: sender (the dialog opener client object) and arguments. function onDialogClosed(sender, args) { alert("spell: " + sender.get_id()+ " dialog closed"); } Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Gets or sets the value, indicating whether to render links to the embedded client scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed script files by hand. Gets or sets a value indicating where the soell will look for its .resx localization files. By default these files should be in the App_GlobalResources folder. However, if you cannot put the resource files in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource files. A relative path to the dialogs location. For example: "~/controls/RadControlsResources/". If specified, the LocalizationPath property will allow you to load the spell localization files from any location in the current web application. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the tabindex of the RadSpell SpellCheck Button. The tabindex of the RadSpell SpellCheck Button. telerik RadSplitter is a flexible UI component for ASP.NET applications which allows users to manage effectively the content size and layout. Gets the collection of child items in the RadSplitter control. A SplitterItemsCollection that represents the children within the RadSplitter control. The default is empty collection. Use this property to retrieve the child items of the RadSplitter control. You can also use it to programmatically add or remove items. The following example demonstrates how to programmatically add items. void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadPane pane1 = new RadPane(); RadSplitter1.Items.Add(pane1); RadSplitbar splitBar1 = new RadSplitBar(); RadSplitter1.Items.Add(splitBar1); RadPane pane2 = new RadPane(); RadSplitter1.Items.Add(pane2); } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Not Page.IsPostBack Then Dim pane1 As RadPane = New RadPane() RadSplitter1.Items.Add(pane1) Dim splitBar1 As RadSplitbar = New RadSplitBar() RadSplitter1.Items.Add(splitBar1) Dim pane2 As RadPane = New RadPane() RadSplitter1.Items.Add(pane2) End If End Sub Sets/gets the pixels that should be substracted from the splitter height when its height is defined in percent Resize the splitter in 100% of the page Whether the Splitter should be visible during its initialization or not Sets/gets the height of the splitter Sets/gets the width of the splitter Sets/gets whether the rendering of the splitter panes is previewed during the resize Sets/gets whether the splitter will be resized when the browser window is resized. The Width or Height properties should be defined in percent. Sets/gets whether the splitter will resize when the parent pane is resized Specify the orientation of the panes inside the splitter Set/Get the way the panes are resized Set/Get size of the splitter border Set/Get size of the splitter panes border Set/Get size of the split bars - in pixels Gets or sets a value indicating the client-side event handler that is called when the RadSplitter control is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSplitter that fired the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, args)
{
alert(sender.get_id());
}
</script>
<radspl:RadSplitter ID="RadSplitter1"
runat= "server"
OnClientLoad="OnClientLoad">
....
</radspl:RadSplitter>
Gets or sets a value indicating the client-side event handler that is called when the RadSplitter is resized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientResized client-side event handler is called when the RadSplitter is resized. Two parameters are passed to the handler: sender, the event object eventArgs with the following methods: get_oldWidth - the width of the splitter before the resize get_oldHeight - the height of the splitter before the resize This event cannot be cancelled. The following example demonstrates how to use the OnClientResized property.
<script type="text/javascript">
function OnClientResizedHandler(sender, eventArgs)
{
alert(sender.get_id());
}
</script>
<radspl:RadSplitter ID="RadSplitter1"
runat= "server"
OnClientResized="OnClientResizedHandler">
....
</radspl:RadSplitter>
Gets or sets a value indicating the client-side event handler that is called before the RadSplitter is resized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSplitter that fired the event args with the following methods: get_newWidth - the new width that will be applied to the RadSplitter object get_newHeight - the new height that will be applied to the RadSplitter object This event can be cancelled. The following example demonstrates how to use the OnClientResizing property.
<script type="text/javascript">
function OnClientResizing(sender, args)
{
alert(sender.get_id());
args.set_cancel(true);//cancel the event
}
</script>
<radspl:RadSplitter ID="RadSplitter1"
runat= "server"
OnClientResizing="OnClientResizing">
....
</radspl:RadSplitter>
Gets or sets the at the specified index. The zero-based index of the item to get or set. The item at the specified index. Gets the cell context menu. Gets the row header context menu. Gets the col header context menu. This class defines the Spreadsheet provider collection that implements ProviderCollection. Adds a provider to the collection. The provider to be added. The collection is read-only. is null. The of is null.- or -The length of the of is less than 1. This class defines the Configuration Section of RadSpreadsheet. Gets the providers. The providers. Gets the default provider. The default provider. A context menu control used with the control. The SpreadsheetContextMenu object is used to assign context menus to cells, row and column headers. The following example demonstrates how to add context menus declaratively <telerik:RadSpreadsheet ID="RadSpreadsheet1" runat="server"> <ContextMenus> <telerik:CellContextMenu> <Items> <telerik:RadMenuItem Text="Menu1Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu1Item2"></telerik:RadMenuItem> </Items> </telerik:CellContextMenu> <telerik:RowHeaderContextMenu> <Items> <telerik:RadMenuItem Text="Menu2Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu2Item2"></telerik:RadMenuItem> </Items> </telerik:RowHeaderContextMenu> <telerik:ColumnHeaderContextMenu> <Items> <telerik:RadMenuItem Text="Menu3Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu3Item2"></telerik:RadMenuItem> </Items> </telerik:ColumnHeaderContextMenu> </ContextMenus> </telerik:RadSpreadsheet> This partial Class describes the client properties and events in RadContextMenu. A navigation control used to create context menus. The RadContextMenu control is used to display context-aware options for various targets. Those targets are specified through the property. RadContextMenu supports the following targets: - Used to associate a context menu with an ASP.NET Server control. Accepts the control ID as an argument. - Used to associate a context menu with an HTML element. Accepts the HTML element id as an argument. - Used to specify document-wide context menu. - Used to associate a context menu with all elements with the specified tag name (e.g. IMG, INPUT). Gets the collection containing the targets to which right-click RadContextMenu will attach. A ContextMenuTargetCollection containing the targets to which RadContextMenu will attach. RadContextMenu can attach to four target types: ASP.NET control, element on the page, document, set of client-side elements, specified by tagName. This example demonstrates how to specify that the RadContextMenu will be displayed when a specific textbox and all images on the page clicked.
<img src="http://demos.telerik.com/aspnet-ajax/Common/Img/qsfRentCarDemoThumb.gif" />
<img src="http://demos.telerik.com/aspnet-ajax/Common/Img/qsfSalesDashboardDemoThumb.gif" />
<asp:TextBox ID="TextBox1" runat="server"/gt;
<Telerik:RadContextMenu ID="RadContextMenu1"
runat= "server">
<Targets>
<Telerik:RadContextMenuControlTarget ControlID="TextBox1"/>
<Telerik:RadContextMenuTagNameTarget TagName="img"/>
</Targets>
</Telerik:RadContextMenu>
Gets or sets a value indicating the client-side event handler that is called when the RadContextMenu is to be displayed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShowing client-side event handler is called before the context menu is shown on the client. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_cancel()/set_cancel(cancel) and get_domEvent (a reference to the browser event). The OnClientShowing event can be cancelled. To do so, set the cancel property to false from the event handler (e.g. eventArgs.set_cancel(true);). The following example demonstrates how to use the OnClientShowing property.
<script type="text/javascript">
var shouldDisplayContextMenu = confirm("Do you want to enable context menus on this page?"); function onClientShowingHandler(sender, eventArgs)
{
eventArgs.set_cancel(!shouldDisplayContextMenu);
}
</script>
<Telerik:RadContextMenu ID="RadContextMenu1"
runat= "server"
OnClientShowing="onClientShowingHandler">
....
</Telerik:RadContextMenu>
Gets or sets a value indicating the client-side event handler that is called when the RadContextMenu is displayed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShown client-side event handler is called after the context menu is shown on the client. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property, get_domEvent (a reference to the browser event). The following example demonstrates how to use the OnClientShown property.
<input type="text" id="txtContextMenuState" value="hidden" /> <script type="text/javascript">
function onClientShownHandler(sender, eventArgs)
{
document.getElementById("txtContextMenuState").value = "shown";
}
</script>
<Telerik:RadContextMenu ID="RadContextMenu1"
runat= "server"
OnClientShown="onClientShownHandler">
....
</Telerik:RadContextMenu>
Gets or sets a value indicating the client-side event handler that is called when the RadContextMenu is to be hidden. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientHiding client-side event handler is called before the context menu is hidden on the client. Two parameters are passed to the handler: sender, the menu client object; eventArgs with two properties, get_cancel()/set_cancel(cancel) and get_domEvent (a reference to the browser event). The OnClientHiding event can be cancelled. To do so, set the cancel property to false from the event handler (e.g. eventArgs.set_cancel(true);). The following example demonstrates how to use the OnClientHiding property.
<script type="text/javascript">
function onClientShowingHandler(sender, eventArgs)
{
var shouldHide = confirm("Do you want to hide the context menu?") eventArgs.set_cancel(!shouldHide);
}
</script>
<Telerik:RadContextMenu ID="RadContextMenu1"
runat= "server"
OnClientHiding="onClientHidingHandler">
....
</Telerik:RadContextMenu>
Gets or sets a value indicating the client-side event handler that is called when the RadContextMenu is hidden. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientHidden client-side event handler is called after the context menu is hidden on the client. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property, get_domEvent (a reference to the browser event). The following example demonstrates how to use the OnClientHidden property.
<input type="text" id="txtContextMenuState" /> <script type="text/javascript">
function onClientHiddenHandler(sender, eventArgs)
{
document.getElementById("txtContextMenuState").value = "hidden";
}
</script>
<Telerik:RadContextMenu ID="RadContextMenu1"
runat= "server"
OnClientHidden="onClientHiddenHandler">
....
</Telerik:RadContextMenu>
Gets or sets a value indicating if the currently selected item will be tracked and highlighted. The localization strings to be used in RadSpreadsheet. Gets or sets the text of the context menu cut command. The text of the context menu cut command. Gets or sets the text of the context menu copy command. The text of the context menu copy command. Gets or sets the text of the context menu paste command. The text of the context menu paste command. Gets or sets the text of the context menu hide row command. The text of the context menu hide row command. Gets or sets the text of the context menu delete row command. The text of the context menu delete row command. Gets or sets the text of the context menu hide column command. The text of the context menu hide column command. Gets or sets the text of the context menu delete column command. The text of the context menu delete column command. Gets or sets the filter menu filter by condition text. The filter menu filter by condition text. Gets or sets the filter menu filter by value text. The filter menu filter by value text. Gets or sets the filter menu sort ascending text. The filter menu sort ascending text. Gets or sets the filter menu sort descending text. The filter menu sort descending text. Gets or sets the filter menu clear sorting text. The filter menu clear sorting text. Gets or sets the filter menu apply text. The filter menu apply text. Gets or sets the filter menu clear text. The filter menu clear text. Gets or sets the filter menu none text. The filter menu none text. Gets or sets the filter menu text contains text. The filter menu text contains text. Gets or sets the filter menu text does not contain text. The filter menu text does not contain text. Gets or sets the filter menu text starts with text. The filter menu text starts with text. Gets or sets the filter menu text ends with text. The filter menu text ends with text. Gets or sets the filter menu date is text. The filter menu date is text. Gets or sets the filter menu date is not text. The filter menu date is not text. Gets or sets the filter menu date is before text. The filter menu date is before text. Gets or sets the filter menu date is after text. The filter menu date is after text. Gets or sets the filter menu is equal to text. The filter menu date is equal to text. Gets or sets the filter menu is not equal to text. The filter menu date is not equal to text. Gets or sets the filter menu is greater than or equal to text. The filter menu date is greater than or equal to text. Gets or sets the filter menu is greater than text. The filter menu date is greater than text. Gets or sets the filter menu is less than or equal to text. The filter menu date is less than or equal to text. Gets or sets the filter menu is less than text. The filter menu date is less than text. Gets or sets the custom format save text. The custom format save text. Gets or sets the custom format cancel text. The custom format cancel text. Gets or sets the custom format number text. The custom format number text. Gets or sets the custom format currency text. The custom format currency text. Gets or sets the custom format datetime text. The custom format datetime text. Gets or sets the validation any value text. The validation any value text. Gets or sets the validation number text. The validation number text. Gets or sets the validation text text. The validation text text. Gets or sets the validation date text. The validation date text. Gets or sets the validation custom formula text. The validation custom formula text. Gets or sets the validation list text. The validation list text. Gets or sets the validation criteria text. The validation criteria text. Gets or sets the validation ignore blank text. The validation ignore blank text. Gets or sets the validation show list button text. The validation show list button text. Gets or sets the validation show calendar button text. The validation show calendar button text. Gets or sets the validation greater than text. The validation greater than text. Gets or sets the validation less than text. The validation less than text. Gets or sets the validation between text. The validation between text. Gets or sets the validation not between text. The validation not between text. Gets or sets the validation equal to text. The validation equal to text. Gets or sets the validation not equal to text. The validation not equal to text. Gets or sets the validation greater than or equal to text. The validation greater than or equal to text. Gets or sets the validation less than or equal to text. The validation less than or equal to text. Gets or sets the validation data text. The validation data text. Gets or sets the validation min text. The validation min text. Gets or sets the validation max text. The validation max text. Gets or sets the validation value text. The validation value text. Gets or sets the validation reject text. The validation reject text. Gets or sets the validation warning text. The validation warning text. Gets or sets the validation on invalid data text. The validation on invalid data text. Gets or sets the validation hint message text. The validation hint message text. Gets or sets the validation hint empty message text. The validation hint empty message text. Gets or sets the validation save text. The validation save text. Gets or sets the validation cancel text. The validation cancel text. Gets or sets the validation remove text. The validation remove text. Gets or sets the validation min number required text. The validation min number required text. Gets or sets the validation max number required text. The validation max number required text. Gets or sets the validation text value required text. The validation text value required text. Gets or sets the validation min date required text. The validation min date required text. Gets or sets the validation max date required text. The validation max date required text. Gets or sets the validation custom value required text. The validation custom value required text. Gets or sets the hyperlink save text. The hyperlink save text. Gets or sets the hyperlink cancel text. The hyperlink cancel text. Gets or sets the hyperlink remove text. The hyperlink remove text. Gets or sets the hyperlink title text. The hyperlink title text. Gets or sets the hyperlink url label text. The hyperlink url label text. Gets or sets the text of the toolbar home tab. The text of the toolbar home tab. Gets or sets the text of the toolbar insert tab. The text of the toolbar insert tab. Gets or sets the text of the toolbar data tab. The text of the toolbar data tab. Gets or sets the text of the toolbar save tool. The text of the toolbar save tool. Gets or sets the text of the toolbar undo tool. The text of the toolbar undo tool. Gets or sets the text of the toolbar redo tool. The text of the toolbar redo tool. Gets or sets the text of the toolbar cut tool. The text of the toolbar cut tool. Gets or sets the text of the toolbar copy tool. The text of the toolbar copy tool. Gets or sets the text of the toolbar paste tool. The text of the toolbar paste tool. Gets or sets the text of the toolbar bold tool. The text of the toolbar bold tool. Gets or sets the text of the toolbar italic tool. The text of the toolbar italic tool. Gets or sets the text of the toolbar underline tool. The text of the toolbar underline tool. Gets or sets the text of the toolbar hyperlink tool. The text of the toolbar hyperlink tool. Gets or sets the text of the toolbar borders all tool. The text of the toolbar borders all tool. Gets or sets the text of the toolbar borders inside tool. The text of the toolbar borders inside tool. Gets or sets the text of the toolbar borders inside horizontal tool. The text of the toolbar borders inside horizontal tool. Gets or sets the text of the toolbar borders inside vertical tool. The text of the toolbar borders inside vertical tool. Gets or sets the text of the toolbar borders outside tool. The text of the toolbar borders outside tool. Gets or sets the text of the toolbar borders left tool. The text of the toolbar borders left tool. Gets or sets the text of the toolbar borders top tool. The text of the toolbar borders top tool. Gets or sets the text of the toolbar borders right tool. The text of the toolbar borders right tool. Gets or sets the text of the toolbar borders bottom tool. The text of the toolbar borders bottom tool. Gets or sets the text of the toolbar borders no tool. The text of the toolbar borders no tool. Gets or sets the text of the toolbar border color tool. The text of the toolbar border color tool. Gets or sets the text of the toolbar horizontal alignment tool. The text of the toolbar horizontal alignment tool. Gets or sets the text of the toolbar align left tool. The text of the toolbar align left tool. Gets or sets the text of the toolbar align center tool. The text of the toolbar align center tool. Gets or sets the text of the toolbar align right tool. The text of the toolbar align right tool. Gets or sets the text of the toolbar align justify tool. The text of the toolbar align justify tool. Gets or sets the text of the toolbar vertical alignment tool. The text of the toolbar vertical alignment tool. Gets or sets the text of the toolbar align top tool. The text of the toolbar align top tool. Gets or sets the text of the toolbar align middle tool. The text of the toolbar align middle tool. Gets or sets the text of the toolbar align bottom tool. The text of the toolbar align bottom tool. Gets or sets the text of the toolbar text wrap tool. The text of the toolbar text wrap tool. Gets or sets the text of the toolbar format tool. The text of the toolbar format tool. Gets or sets the text of the toolbar format automatic tool. The text of the toolbar format automatic tool. Gets or sets the text of the toolbar format number tool. The text of the toolbar format numer tool. Gets or sets the text of the toolbar format percent tool. The text of the toolbar format percent tool. Gets or sets the text of the toolbar format financial tool. The text of the toolbar format financial tool. Gets or sets the text of the toolbar format currency tool. The text of the toolbar format currency tool. Gets or sets the text of the toolbar format date tool. The text of the toolbar format date tool. Gets or sets the text of the toolbar format time tool. The text of the toolbar format time tool. Gets or sets the text of the toolbar format date time tool. The text of the toolbar format date time tool. Gets or sets the text of the toolbar format duration tool. The text of the toolbar format duration tool. Gets or sets the text of the toolbar more formats tool. The text of the toolbar more formats tool. Gets or sets the text of the toolbar format increase decimal tool. The text of the toolbar format increase decimal tool. Gets or sets the text of the toolbar format decrease decimal tool. The text of the toolbar format decrease decimal tool. Gets or sets the text of the toolbar format freeze panes tool. The text of the toolbar format freeze panes tool. Gets or sets the text of the toolbar format freeze rows tool. The text of the toolbar format freeze rows tool. Gets or sets the text of the toolbar format freeze columns tool. The text of the toolbar format freeze columns tool. Gets or sets the text of the toolbar format unfreeze panes tool. The text of the toolbar format unfreeze panes tool. Gets or sets the text of the toolbar font size tool. The text of the toolbar font size tool. Gets or sets the text of the toolbar font family tool. The text of the toolbar font family tool. Gets or sets the text of the toolbar background color tool. The text of the toolbar background color tool. Gets or sets the text of the toolbar text color tool. The text of the toolbar text color tool. Gets or sets the text of the toolbar merge cells tool. The text of the toolbar merge cells tool. Gets or sets the text of the toolbar merge horizontally tool. The text of the toolbar merge horizontally tool. Gets or sets the text of the toolbar merge vertically tool. The text of the toolbar merge vertically tool. Gets or sets the text of the toolbar unmerge tool. The text of the toolbar unmerge tool. Gets or sets the text of the toolbar insert cells tool. The text of the toolbar insert cells tool. Gets or sets the text of the toolbar add column left tool. The text of the toolbar add column left tool. Gets or sets the text of the toolbar add column right tool. The text of the toolbar add column right tool. Gets or sets the text of the toolbar add row above tool. The text of the toolbar add row above tool. Gets or sets the text of the toolbar add row below tool. The text of the toolbar add row below tool. Gets or sets the text of the toolbar delete cells tool. The text of the toolbar delete cells tool. Gets or sets the text of the toolbar delete row tool. The text of the toolbar delete row tool. Gets or sets the text of the toolbar delete column tool. The text of the toolbar delete column tool. Gets or sets the text of the toolbar sort tool. The text of the toolbar sort tool. Gets or sets the text of the toolbar sort ascending tool. The text of the toolbar sort ascending tool. Gets or sets the text of the toolbar sort descending tool. The text of the toolbar sort descending tool. Gets or sets the text of the toolbar filter tool. The text of the toolbar filter tool. Gets or sets the text of the toolbar validation tool. The text of the toolbar validation tool. Gets or sets the text of the toolbar grid lines tool. The text of the toolbar grid lines tool. Gets or sets the text of the use keyboard message dialog. The text of the use keyboard message dialog. Gets or sets the title of the use keyboard message dialog. The title of the use keyboard message dialog. Gets or sets the text of the use keyboard message dialog ok button. The text of the use keyboard message dialog ok button. Gets or sets the title of the validation dialog. The title of the validation dialog. Gets or sets the title of the format dialog. The title of the format dialog. Gets or sets the text of the modify merged dialog. The text of the modify merged dialog. Gets or sets the text of the range disabled dialog. The text of the range disabled dialog. Gets or sets the text of the overflow dialog. The text of the overflow dialog. Gets or sets the text of the unsupported selection dialog. The text of the unsupported selection dialog. Gets or sets the text of the incompatible ranges dialog. The text of the incompatible ranges dialog. Gets or sets the text of the no fill direction dialog. The text of the no fill direction dialog. Gets or sets the text of the duplicate sheet name dialog. The text of the duplicate sheet name dialog. Gets or sets the text of the confirmation dialog ok button. The text of the confirmation dialog ok button. Gets or sets the text of the confirmation dialog cancel button. The text of the confirmation dialog cancel button. Gets or sets the title of the confirmation dialog. The title of the confirmation dialog. Gets or sets the text of the confirmation dialog. The text of the confirmation dialog. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. An attempt is made to call on a provider after the provider has already been initialized. The name of the provider has a length of zero. Gets or sets value that determines how many attempts will to open the file will be done, in case of IOException. Gets or sets the delay between each open file attempt. Value in Miliseconds. Gets or sets the name of the current tasks provider used by Spreadsheet. The provider must be defined in the Spreadsheet section of web.config. The name of the current tasks provider used by Spreadsheet as defined in web.config. Gets or sets the provider instance to be used by Spreadsheet. Use this property with providers that are created at runtime. For ASP.NET providers defined in web.config use the ProviderName property. The provider instance to be used by Spreadsheet. Gets a toolbar with a collection of tools that will be shown in the Spreadsheet. Gets a collection of context menus that will be shown in the Spreadsheet. Gets the template for the filter menu that will be shown in the Spreadsheet. Gets the template for the custom format dialog that will be shown in the Spreadsheet. Gets the template for the validation dialog that will be shown in the Spreadsheet. Gets the template for the hyperlink dialog that will be shown in the Spreadsheet. Gets the real skin name for the control user interface. If Skin is not set, returns "Default", otherwise returns Skin. Gets or sets a value indicating the number of columns. Gets or sets a value indicating the width of the columns. Gets or sets a value indicating the height of the column headers. Gets or sets a value indicating the number of rows. Gets or sets a value indicating the height of the rows. Gets or sets a value indicating the width of the row headers. Gets the resolved render mode. The resolved render mode. Gets or sets the OnClientChange. The OnClientChange. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating where RadSpreadsheet will look for its .resx localization files. The localization path. For internal use only. This Class sets the styles for the FilterMenu. This Class sets the styles for the FilterMenu. This Class sets the styles for the FilterMenu. This Class sets the styles for the Toolbar. This Class sets the styles for the Icons in spreadsheet. This Class sets the styles for the Hyperlink dialog. Gets a collection of groups that will be shown in the Spreadsheet toolbar. Gets a collection of groups that will be shown in the Spreadsheet toolbar. Gets or sets text of the tab. The text of the tab. Gets a collection of tools that will be shown in the Spreadsheet toolbar. Gets or sets a value indicating whether this Tool is visible. true if visible; otherwise, false. Gets or sets a value indicating whether this Tool label is visible. true if the label is visible; otherwise, false. Gets or sets the Tool name. It will be used by RadSpreadsheet to find the command which should be executed when the user clicks this tool. The tool name. A control which contains controls. Only one page view can be visible at a time. RadMultiPage is usually used with RadTabStrip to create paged data entry forms. Use the property to associate a RadMultiPage control with RadTabStrip. This Class defines RadMultiPage- you can use the RadMultiPage control to organize the content of tabbed pages. RadMultiPage acts as a container for RadPageView controls, where each RadPageView represents the content of a page associated with a tab in a RadTabStrip control. Separated from the tab strip labels, the content can be positioned anywhere on the page. Finds a RadPageView with the specified ID. The ID of the RadPageView A RadPageView with the specified ID. Null (Nothing) is returned if there is no RadPageView with the specified ID. Gets or sets the index of the selected RadMultiPage. The index of the currently selected RadMultiPage. The default value is -1, which means that no RadMultiPage is selected. Gets the selected pageview. Returns the pageview which is currently selected. If no pageview is selected (the SelectedIndex property is -1) the SelectedPageView property will return null (Nothing in VB.NET). Gets a RadPageViewCollection that represents the RadMultiPage controls int the current RadMultiPage instance. Gets or sets a value indicating whether to render only the currently selected RadMultiPage. True if only the current RadMultiPage should be rendered; otherwise false. The default value is false which means all pageviews will be rendered. Use the RenderSelectedPageOnly to make the RadMultiPage control render only the selected RadMultiPage. This can save output size because by default all pageviews are rendered. If RenderSelectedPageOnly is set to true RadMultiPage will make a request to the server in order to change the selected pageview. Gets or sets the visibility and position of scroll bars in the RadMultiPage control. One of the values. The default value is None. Use this property to customize the visibility and position of scroll bars. By default any overflowing content is visible. When set to true enables support for WAI-ARIA Occurs when page views are added programmatically to the RadMultiPage control. It also occurs after postback when the RadMultiPage control recreates its page views from ViewState. The example below starts by defining a dynamic page view and adding a control (i.e. Label) to the new page view. protected void Page_Load(object sender, System.EventArgs e) { if (!Page.IsPostBack) { PageView view = new RadPageView(); view.ID = "dynamicPageView"; RadMultiPage1.PageViews.Add(view); } } protected void RadMultiPage1_PageViewCreated(object sender, Telerik.Web.UI.RadMultiPageEventArgs e) { Label l = new Label(); l.ID = "dynamicLabel"; l.Text = "Programatically created label"; e.PageView.Controls.Add(l); } Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) If Not Page.IsPostBack Then Dim view As PageView = New RadPageView() view.ID = "dynamicPageView" RadMultiPage1.PageViews.Add(view) End If End Sub Protected Sub RadMultiPage1_PageViewCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadMultiPageEventArgs) Handles RadMultiPage1.PageViewCreated Dim l As New Label() l.ID = "dynamicLabel" l.Text = "Programatically created label" e.PageView.Controls.Add(l) End Sub Use this event when you need to create page views from code behind. Controls added dynamically should be created in the PageViewCreated event handler. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Specifies the type of the created during data binding tiles. Specifies the field, containing the tile type value of the created during data binding tiles. Specifies the Shape property value of the Tiles created during data binding. Specifies the field, containing the Shape property value of the tiles created during data binding. Specifies the field, containing the Name property value of the TileGroup in which the created tiles will be added during data binding. Specifies the field, containing the NavigateUrl property value of the tiles created during data binding. Specifies the value of the Target property of the tiles created during data binding. Specifies the field, containing the Target property value of the tiles created during data binding. Specifies the field, containing the Name property value of the tiles created during data binding. Specifies the field, containing the Title-Text property value of the tiles created during data binding. Specifies the field, containing the Title-ImageUrl property value of the tiles created during data binding. Specifies the field, containing the Badge-Value property value of the tiles created during data binding. Specifies the field, containing the Badge-ImageUrl property value of the tiles created during data binding. Specifies the field, containing the Badge-PredefinedType property value of the tiles created during data binding. Specifies the content template that will be used as ContentTemplate template of the RadContentTemplateTile tiles created during data binding. Gets or sets the HTML template, which will be used as ContentTemplate property value of the tile after it is bound to client datasource item. Specifies the field, containing the ClientContentTemplate property Gets or sets the HTML template, which will be used as ClientTepmlate property value of the tile after live data request. Specifies the field, containing the ClientTepmlate property value of the RadLiveTile tiles created during data binding. Specifies the field, containing the UpdateInterval property value of the RadLiveTile tiles created during data binding. Specifies the field, containing the ImageUrl property value of the RadIconTile tiles created during data binding. Specifies the field, containing the ImageUrl property value of the RadImageAndTextTile tiles created during data binding. Specifies the field, containing the Text property value of the RadImageAndTextTile tiles created during data binding. Specifies the field, containing the ImageUrl property value of the RadImageTile tiles created during data binding. Specifies the field, containing the Text property value of the RadTextTile tiles created during data binding. Specifies the binding settings, wich will be applied on every created during data binding tile. Specifies the binding settings, wich will be applied on every created during data binding RadTextTile tile. Specifies the binding settings, wich will be applied on every created during data binding RadImageTile tile. Specifies the binding settings, wich will be applied on every created during data binding RadImageAndTextTile tile. Specifies the binding settings, wich will be applied on every created during data binding RadIconTile tile. Specifies the binding settings, wich will be applied on every created during data binding RadContentTemplateTile tile. Specifies the binding settings, wich will be applied on every created during data binding RadLiveTile tile. Specifies the content template that will be used as PeekTemplate template of the tiles created during data binding. Gets or sets the HTML template, which will be used as ContentTemplate property value of the tile after it is bound to client datasource item. Specifies the field, containing the ClientTilePeekTemplate property, which will be used as TilePeekTemplate property value of the tile after it is bound to client datasource item. This enum is used to list the tile types that will be created on databindig. Represents RadTextTile Represents RadImageTile Represents RadImageAndTextTile Represents RadIconTile Represents RadContentTemplateTile Represents RadLiveTile Default constructor Contains the tiles, which triggers data state is changed. The enumerator that holds the possible values for the Animation property in TilePeekTemplateSettings. No animation. This is the default value. Numeric value: 0 Shows the PeekTemplate container with a size increase from 0 to the size set in its properties. Numeric value: 1 Shows the PeekTemplate container with a change of the opacity from transparent to opaque. Numeric value: 2 Slides the PeekTemplate container down from its titlebar. Numeric value: 4 Defines the badge rendered in the bottom right corner of the tile. Use the Badge property to configure the badge behavior. Defines the title rendered in the bottom left corner of the tile. Use the Title property to configure the tile behavior. Defines the peek template configuration settings. Use the PeekTemplateSettings property to configure the peek template behavior. Gets or sets the DataItem used for resolving the PeekTemplate on databinding. Raises the SelectionStateChanged event. Raises the Click event of the RadBaseTile control. A EventArgs that contains the event data. Returns false if there is no peek template or there are no children in the peek container Creates a PostBackOptions object that represents the RadTileList control's postback behavior, and returns the client script generated as a result of the PostBackOptions. The client script that represents the RadTileList control's PostBackOptions. Gets or sets the URL of the page to navigate to, without posting the page back to the server. Gets or sets the target window or frame in which to display the Web page content linked to when the NavigateUrl property when the control is clicked. Gets or sets the shape of the tile. Square Toolbars are rendered around the editor content area.
Wide Toolbars are rendered in a moveable window.
Gets or sets the selected state of the tile. The default value is false. Use the Selected property to determine whether the tile is selected or not. Gets or sets a value determinig if selection of the tile is enabled. Not applicable for tiles inside a RadTileList, whether they can be selected is controlled by the TileList's SelectionMode property. The default value is false. Use the Selected property to determine whether the tile is selected or not. Gets or sets the Name proerty of a tile. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadTileList selection or clicks on a tile. Gets or sets the URL of the page to post to from the current page when a tile from RadBaseTile is clicked. The URL of the Web page to post to from the current page when a tile from the RadBaseTile control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets the control, where the ContentTemplate will be instantiated in. You can add controls programmatically here. You can use this property to programmatically add controls to the content area. If you add controls to the ContentContainer the NavigateUrl property will be ignored. RadContentTemplateTile.ContentContainer.Controls.Add(new LiteralControl("this will appear in the RadContentTemplateTile")); Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the peek tempate. You cannot set this property twice, or when you added controls to the PeekContentContainer. Gets or sets value, which shows that the tile is created declaratively. Gets or sets a value indicating the client-side event handler that is called when the tile is loaded on the client. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientLoad client-side event handler is called when the tile is loaded on the client. Two parameters are passed to the handler: sender, the tile object. args. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, args)
{
var tile = sender;
}
</script>
<radsld:RadTextTile ID="RadRadTextTile1"
runat= "server"
OnClientLoad="OnClientLoad">
....
</radsld:RadTextTile>
Gets or sets the name of the JavaScript function which handles the selecting of the tile client-side event. The clientTileSelecting client-side event occurs before the tile is selected. The clientTileSelecting event can be cancelled by setting its cancel client-side property to false. function onclientTileSelecting(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the selection of the tile client-side event. The clientTileSelected client-side event occurs after th tile is selected. The clientTileSelected event is called after the tile is selected. function onclientTileSelected(sender, args) { } Gets or sets the name of the JavaScript function that will be called when the tile is clicked. The event is cancelable. Gets or sets the name of the JavaScript function that will be called when the tile is clicked, after the OnClientClicking event. This event is raised after the Selected property setter is called. Adds or removes an event handler method from the Click event. The event is fired when the RadButton control is clicked. Creates an RadImageTile tile. Gets or sets the url of the image which will be renderd in the tile. Gets or sets the width of the image displayed as a content of the control Gets or sets the height of the image displayed as a content of the control Creates a RadImageAndTextTile tile. Gets or sets the url of the image which will be renderd in the tile. Gets or sets the width of the image displayed in the content of the control Gets or sets the height of the image displayed in the content of the control Gets or sets the url of the image which will be renderd in the tile. Creates a RadIconTile tile. Gets or sets the url of the image which will be renderd in the tile. Gets or sets the width of the image displayed as a content of the control Gets or sets the height of the image displayed as a content of the control Creates a RadTextTile tile. Gets the control, where the ContentTemplate will be instantiated in. You can add controls programmatically here. You can use this property to programmatically add controls to the content area. If you add controls to the ContentContainer the NavigateUrl property will be ignored. RadContentTemplateTile.ContentContainer.Controls.Add(new LiteralControl("this will appear in the RadContentTemplateTile")); Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the control content area. You cannot set this property twice, or when you added controls to the ContentContainer. If you set ContentTemplate the NavigateUrl property will be ignored. Get/Set the animation effect of the PeekTemplate conent element. Takes one of the members of the Telerik.Web.UI.PeekTemplateAnimation enumerator. The default value is None. Gets/Sets the duration of the animation in milliseconds. Gets or sets the name of a jquery extension method, which will be applied as easing on the animation. Possible values are: swing, easeLinear, easeInQuad, easeOutQuad, easeInOutQuad, easeInCubic, easeOutCubic, easeInOutCubic, easeInQuart, easeOutQuart, easeInOutQuart, easeInQuint, easeOutQuint, easeInOutQuint, easeInSine, easeOutSine, easeInOutSine, easeInExpo, easeOutExpo, easeInOutExpo, easeInCirc, easeOutCirc, easeInOutCirc, easeInElastic, easeOutElastic, easeInOutElastic, easeInBack, easeOutBack, easeInOutBack, easeInBounce, easeOutBounce, easeInOutBounce, Creates a RadLiveTile tile. Defines the setting configuring the animation of the client template which occurs on data update. Gets or sets the HTML template that will be instantiated in the tile after live data request. Gets or sets a string value which can be send as an argument on data request. Gets or sets when the interval (in milliseconds) after which the tile will automatically update the content. The value is in milliseconds and defaults to zero (disabled). Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public object WebServiceMethodName(object context) { } } Gets or sets the ODataDataSource used for data binding the client template. Gets or sets a OData service DataModelID. The OData service DataModelID. Gets or sets the name of the JavaScript function which handles the templateDataBound client-side event. The templateDataBound client-side event occurs after the client template is data bound. Gets or sets the name of the JavaScript function which handles the dataLoading client-side event. The dataLoading client-side event occurs before the data request is executed. The OnClientDataLoading event can be cancelled by setting its cancel client-side property to false. function onDataLoading(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which is executed after the data request returns the data successfully. Gets or sets the name of the JavaScript function which is executed after the data request returns error. Creates a RadTextTile tile. Gets or sets the url of the image which will be renderd in the tile. The enumerator that holds the possible values for the Animation property in TilePeekTemplateSettings. No animation. This is the default value. Numeric value: 0 Shows the PeekTemplate container with a size increase from 0 to the size set in its properties. Numeric value: 1 Shows the PeekTemplate container with a change of the opacity from transparent to opaque. Numeric value: 2 Slides the PeekTemplate container down from its titlebar. Numeric value: 4 This enum is used to list the valid scrolling types provided in the TileList. Scrolling mode is automatically set to Native or Accelerated depending on the device touch capabilities. No scrollbar is displayed. The displayed scrollbar is the one provided by the browser. The displayed scrollbar is custom styled and accelerated. Best suitable for touch devices. This enumeration controls the Selection Mode of RadTileList. The default behaviour - tiles can not be selected. Only one tile can be selected at a time. Allows selection of multiple tiles. JavaScript converter that converts the tile related types to JSON objects. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. For internal use only. Gets or sets the Selected property. The selected indices. Gets or sets the IsEnabled. The IsEnabled. Gets or sets the Visible property. Gets or sets the Visible property. For internal use For internal use Gets or sets the type. The type. The index of the allTiles index of the tile triggering the evnt. The offset. The old selection value of the tile. The offset. For internal use only. Gets or sets the selected indices. The selected indices. Gets or sets a list of array with GroupIndex and UniqueTileID. The selected indices. Gets or sets a list of array with the titles of the groups. The titles of the groups. Gets or sets a list of array with the names of the groups. The names of the groups. Gets or sets the IsEnabled. The IsEnabled. Find a tile by name. Tile name RadBaseTile Get all the tiles in a RadTileList Generic List of type RadBaseTile Get all selected tiles in a RadTileList Generic List of type RadBaseTile Unselects all selected tiles Gets the first group, which has a given Name or null TileGroup Creates a PostBackOptions object that represents the RadTileList control's postback behavior, and returns the client script generated as a result of the PostBackOptions. The client script that represents the RadTileList control's PostBackOptions. Loads the posted content of the list control, if it is different from the last posting. The key identifier for the control, used to index the postCollection. A that contains value information indexed by control identifiers. true if the posted content is different from the last posting; otherwise, false. Invokes the OnSelectionChanged method, when there are tiles in _selectionStateChangedTiles is true. Gets the settings the data binding setting for the RadTileList. Raises the TileClick event of the RadTileList control. A TileListEventArgs that contains the event data. Raises the TileDataBound event of the RadTileList control. A TileListEventArgs that contains the event data. Raises the TileCreated event of the RadTileList control. A TileListEventArgs that contains the event data. Raises the SelectionChanged event. The instance containing the event data. Gets or sets the height of the RadTileList control Gets or sets the width of the RadTileList control Gets a TileGroupCollection object that contains the tile groups of the TileList. Gets or sets in how many rows the tiles will be ordered. Gets or sets the value defining the scroll behavior of the TileList control. Auto Scrolling mode is automatically set to Native or Accelerated depending on the device touch capabilities.
None The scroll bars are hidden and the scrolling is disabled in the TileList container.
NativeThe default behaviour - The native browser horizontal scroll bar is used for scrolling.
Accelerated The native browser horizontal scroll bar is hidden and a custom touch scroll extender is used for scrolling.
Gets or sets the value indicating the TileList selection mode, giving the tiles ability to be selected on context menu click. None The default behaviour - tiles can not be selected.
Single Only one tile can be selected at a time.
Multiple Allows selection of multiple tiles.
Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadTileList selection or clicks on a tile. Gets or sets a value indicating whether a drag and drop functionality is enabled. Gets or sets the URL of the page to post to from the current page when a tile from RadTileList is clicked. The URL of the Web page to post to from the current page when a tile from the RadTileList control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets or sets a bool value that indicates whether the tiles are cleared before data binding. Gets or sets a bool value that indicates whether all existing tiles are deleted before client data binding. Adds or removes an event handler method from the TileClick event. The event is fired when a tile is clicked. Adds or removes an event handler method from the TileDataBound event. The event is fired after a data bound tile is created. Adds or removes an event handler method from the TileCreated event. The event is fired after a tile is created during data binding or restoring the data bound tiles after postback. Occurs when the selected index has changed. Gets or sets a value indicating the client-side event handler that is called after the client object of RadTileList is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientLoad property to specify a JavaScript function that is executed after the client object of RadTileList is initialized. A single parameter is passed to the handler, which is the client-side RadTileList object. The following example demonstrates how to use the OnClientLoad property. <script language="javascript">
function ClientLoadHandler(sender)
{
// perform actions after the TileList is initialized
}
</script>

<telerik:RadTileList id="RadTileList1" runat="server" OnClientLoad="ClientLoadHandler">
</telerik:RadTileList>
Gets or sets the name of the JavaScript function which handles the selecting of a tile client-side event. The clientTileSelecting client-side event occurs before a tile is selected. The clientTileSelecting event can be cancelled by setting its cancel client-side property to false. function onclientTileSelecting(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function which handles the selection of a tile client-side event. The clientTileSelected client-side event occurs after a tile is selected. The clientTileSelected event is called after a tile is selected. function onclientTileSelected(sender, args) { } Gets or sets the name of the JavaScript function that will be called when a tile in a RadTileList is clicked. The event is cancelable. Gets or sets the name of the JavaScript function that will be called when a tile in a RadTileList is clicked, after the OnClientClicking event. Gets or sets the name of the JavaScript function that will be called before a tile dragging starts. Gets or sets the name of the JavaScript function that will be called, when a tile is dragged. Gets or sets the name of the JavaScript function that will be called, before a tile is dropped. Gets or sets the name of the JavaScript function that will be called, after a tile is dropped. Gets or sets the name of the JavaScript function that will be called, before a tile is created. The event is cancelable. Gets or sets the name of the JavaScript function that will be called, after a tile is databound. Gets or sets the name of the JavaScript function that will be called, after the TileList is databound. Gets or sets the name of the JavaScript function that will be called, after the client PeekTemplate is databound. Gets or sets the name of the JavaScript function that will be called, after the contentTemplate of RadContentTemplateTile is databound. Gets or sets the current TileGroups Gets or Sets the a collection of selected tiles by UniqueID One parameter constructor Contains the tile, which triggers the event. Gets a value indicating whether the peek template should be shown on mouse in. Gets a value indicating whether the peek template should be hidden on mouse out. Get/Set the animation effect of the PeekTemplate conent element. Takes one of the members of the Telerik.Web.UI.PeekTemplateAnimation enumerator. The default value is None. Gets/Sets the duration of the animation in milliseconds. Gets or sets when the interval after which the peek template will automatically show (in milliseconds). The value is in milliseconds. Defaults to 10000. Zero is equal to disabled. Use together with property to control how and when the peek template will be shown. The counter is reset when the peek template shows, not when it hides. In order to make sure there is a certain interval between the hiding and subsequent showing the value of the must also be taken into account Gets or sets when the interval (in milliseconds) after which the peek template will automatically be closed. The value is in milliseconds and defaults to 7000. Zero is equal to disabled. Use together with property to control how and when peek template will be shown. Gets or sets the name of a jquery extension method, which will be applied as easing on the animation. Possible values are: swing, easeLinear, easeInQuad, easeOutQuad, easeInOutQuad, easeInCubic, easeOutCubic, easeInOutCubic, easeInQuart, easeOutQuart, easeInOutQuart, easeInQuint, easeOutQuint, easeInOutQuint, easeInSine, easeOutSine, easeInOutSine, easeInExpo, easeOutExpo, easeInOutExpo, easeInCirc, easeOutCirc, easeInOutCirc, easeInElastic, easeOutElastic, easeInOutElastic, easeInBack, easeOutBack, easeInOutBack, easeInBounce, easeOutBounce, easeInOutBounce, Gets or sets the number value of the badge. Gets or sets the url of the image which will be renderd in the badge. Gets or sets predefined image of the badge. The enumerator that holds the possible values for predefined images of the badge. Gets all tiles inside the group. Gets all tiles inside the group. Gets or sets the Name property of a tile group. Gets or sets the Title property of a tile group. Gets the children of the group. The enumerator that holds the possible values for different tile shapes. This property sets/gets the src of a title image, which will be displayed at the bottom left corner of the tile. This property sets/gets the title text, which will be displayed at the bottom left corner of the tile. Helper Class containing Static methods to be used for TileList's StatePersistence An ArrayList collection with the TileGroupIndices structure This partial class defines the rendering RadToolBarItem. This partial class defines the rendering RadToolBarItem. This partial class defines the rendering RadToolBarItem. This abstract partial class defines the RadToolBarItem object that inherits ControlItem. Represents a single item in the RadToolBar class. The RadToolBar control is made up of a list of toolbar items represented by RadToolBarItem objects (RadToolBarButton, RadToolBarDropDown, RadToolBarSplitButton). All toolbar items are stored in the Items collection of the toolbar. You can access the toolbar to which the item belongs by using the ToolBar property. To create the toolbar items for a RadToolBar control, use one of the following methods: Use declarative syntax to create static toolbar items. Use a constructor to dynamically create new instances of either toolbar item classes (RadToolBarButton, RadToolBarDropDown, RadToolBarSplitButton). These RadToolBarItem objects can then be added to the Items collection of the RadToolBar. Bind the RadToolBar control to a data source. Each toolbar item has a Text property. The Button items (RadToolBarButton and RadToolBarSplitButton) have a Value property. The value of the Text property is displayed in the RadToolBar control, while the Value property is used to store any additional data about the toolbar item. Returns true if the control is rendered by the ControlItem itself; false if it was added by the user to the Controls collection. The ID property is reserved for internal use. Please use the Value property or use the Attributes collection if you need to assign custom data to the item. Gets the zero based index of the item. Gets or sets the access key that allows you to quickly navigate to the Web server control. The access key for quick navigation to the Web server control. The default value is String.Empty, which indicates that this property is not set. The specified access key is neither null, String.Empty nor a single character string. Gets the RadToolBar instance which contains the item. Use this property to obtain an instance to the RadToolBar object containing the item. Gets or sets the text displayed for the current item. The text an item in the RadToolBar control displays. The default is empty string. Use the Text property to specify or determine the text an item displays displays in the RadToolBar control. Gets or sets the ID. The ID. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. The following example demonstrates how to specify the image to display for a button using the ImageUrl property. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/inbox.gif" Text="Index" />
<telerik:RadToolBarButton ImageUrl="~/Img/outbox.gif" Text="Outbox" />
</Items>
</telerik:RadToolBar>
Gets or sets the path to an image to display when the user moves the mouse over the item. The path to the image to display when the user moves the mouse over the item. The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/inbox.gif" HoveredImageUrl="~/Img/inboxOver.gif" Text="Index" />
</Items>
</telerik:RadToolBar>
Use the HoveredImageUrl property to specify the image that will be used when the user moves the mouse over the item. If the HoveredImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the Cascading Style Sheet (CSS) class that contains the sprite image for this item and the positioning for it. The CSS that is used in sprite image scenarios. String.Empty. By default, the image in an item is defined by the ImageUrl property. You can use SpriteCssClass to specify a class that will position a sprite instead of using image. Gets or sets the Cascading Style Sheet (CSS) class applied when the user moves the mouse over the toolbar item. The CSS class applied when the user moves the mouse over the toolbar item. The default value is String.Empty. By default the visual appearance of a hovered toolbar items is defined in the skin CSS file. You can use the HoveredCssClass property to specify unique appearance for the toolbar item when it is hovered. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolbar item is clicked. The CSS class applied when the toolbar item is clicked. The default value is String.Empty. By default the visual appearance of clicked toolbar items is defined in the skin CSS file. You can use the ClickedCssClass property to specify unique appearance for the toolbar item when it is clicked. Gets or sets the path to an image to display for the item when the user clicks it. The path to the image to display when the user clicks the item. The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarDropDown ImageUrl="~/Img/inbox.gif" ClickedImageUrl="~/Img/inboxClicked.gif" Text="DropDown1" > <Items>
<telerik:RadToolBarButton Text="Mail1" ClickedImageUrl="~/Img/mail1Clicked.gif" /> </Items>
</telerik:RadToolBarDropDown>/
</Items>
</telerik:RadToolBar>
Use the ClickedImageUrl property to specify the image that will be used when the user clicks the item. If the ClickedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the path to an image to display when the item is disabled. The path to the image to display when the item is disabled. The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/inbox.gif" DisabledImageUrl="~/Img/inboxDisabled.gif" Text="Index" />
</Items>
</telerik:RadToolBar>
Use the DisabledImageUrl property to specify the image that will be used when the item is disabled. If the DisabledImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the Cascading Style Sheet (CSS) class applied when the toolbar item is disabled. The CSS class applied when the toolbar item is disabled. The default value is String.Empty. By default the visual appearance of disabled toolbar items is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for the toolbar item when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolBar item is focused after tabbing to it, or by using its AccessKey The CSS class applied when the toolBar item is focused. The default value is String.Empty. <style type="text/css"> .myFocusedCssClass .rtbText { font-weight:bold !important; color:red !important; } </style> <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton FocusedCssClass="myFocusedCssClass" Text="Bold" />
</Items>
</telerik:RadToolBar>
By default the visual appearance of focused toolBar items is defined in the skin CSS file. You can use the FocusedCssClass property to specify unique appearance for the toolBar item when it is focused.
Gets or sets the path to an image to display when the user focuses the item either by tabbing to it or by using the AccessKey The path to the image to display when the user user focuses the item either by tabbing to that it or by using the AccessKey. The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/bold.gif" FocusedImageUrl="~/Img/boldFocused.gif" Text="Bold" />
</Items>
</telerik:RadToolBar>
Use the FocusedImageUrl property to specify the image that will be used when the item gets the focus after tabbing or using its AccessKey. If the FocusedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the Cascading Style Sheet (CSS) class applied on the outmost element (<LI>). The CSS class applied on the wrapping element (<LI>). The default value is empty string. You can use the OuterCssClass property to specify unique appearance for the item, or to insert elements that are before/after the link element. Gets or sets the position of the item image according to the item text. The position of the item image according to the item text. The default value is ToolBarImagePosition.Left. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/bold.gif" ImagePosition="Right" Text="Bold" />
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating whether the item image should have sprite support. True if the item should have sprite support; otherwise False. The default value is False. Gets or Sets OverFlow state Gets or Sets ShowText state Gets or Sets ShowImage state For internal use only For internal use only For internal use only This partial class specifies the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class specifies the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class implements the rendering of RadToolBarButton. This partial class defines RadToolBarButton. Represents a single button in the RadToolBar class. When the user clicks a toolbar button, the RadToolBar control can either navigate to a linked Web page or simply post back to the server. If the NavigateUrl property of a toolbar button is set, the RadToolBar control navigates to the linked page. By default, a linked page is displayed in the same window or frame as the RadToolBar control. To display the linked content in a different window or frame, use the Target property. Defines properties that must be implemented to allow a control to act like a RadToolBarButton item in a RadToolBar. Gets or sets a value, indicating if the item will perform a postback. Used to indicate that an item should not perform a postback when the containing RadToolBar performs postback through. Gets or sets the value associated with the toolbar item. The value associated with the item. The default value is empty string. Use the Value property to specify or determine the value associated with the item. Gets or sets the URL to link to when the item is clicked. The URL to link to when the item is clicked. The default value is empty string. Use the NavigateUrl property to specify the URL to link to when the item is clicked. Use "~" (tilde) in front of an URL within the same ASP.NET application. When specifying external URL do not forget the protocol (e.g. "http://"). Gets or sets the target window or frame to display the Web page content linked to when the toolbar item is clicked. The target window or frame to load the Web page linked to when the item is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string. Use the Target property to specify the frame or window that displays the Web page linked to when the toolbar item is clicked. The Web page is specified by setting the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. Gets or sets the template for displaying the item. A ITemplate implemented object that contains the template for displaying the item. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets or sets the command name associated with the toolbar item that is passed to the ItemCommand event of the RadToolBar instance. The command name of the toolbar item. The default value is an empty string. Gets or sets an optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName An optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName. The default value is an empty string. Gets or sets a value indicating whether clicking the button causes page validation to occur. true if clicking the button causes page validation to occur; otherwise, false. Gets or sets the URL of the Web page to post to from the current page when the button control is clicked. The URL of the Web page to post to from the current page when the button control is clicked. Gets or sets the name for the group of controls for which the button control causes validation when it posts back to the server. The name for the group of controls for which the button control causes validation when it posts back to the server. Gets the RadToolBar instance which contains the item. Use this property to obtain an instance to the RadToolBar object containing the item. Gets or sets the text displayed for the current item. The text an item in the RadToolBar control displays. The default is empty string. Use the Text property to specify or determine the text an item displays displays in the RadToolBar control. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display when the user moves the mouse over the item. The path to the image to display when the user moves the mouse over the item. The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/inbox.gif" HoveredImageUrl="~/Img/inboxOver.gif" Text="Index" />
</Items>
</telerik:RadToolBar>
Gets or sets the Cascading Style Sheet (CSS) class applied when the user moves the mouse over the toolbar item. The CSS class applied when the user moves the mouse over the toolbar item. The default value is String.Empty. By default the visual appearance of a hovered toolbar items is defined in the skin CSS file. You can use the HoveredCssClass property to specify unique appearance for the toolbar item when it is hovered. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolbar item is clicked. The CSS class applied when the toolbar item is clicked. The default value is String.Empty. By default the visual appearance of clicked toolbar items is defined in the skin CSS file. You can use the ClickedCssClass property to specify unique appearance for the toolbar item when it is clicked. Gets or sets the path to an image to display for the item when the user clicks it. The path to the image to display when the user clicks the item. The default value is empty string. Use the ClickedImageUrl property to specify the image that will be used when the user clicks the item. If the ClickedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display when the item is disabled. The path to the image to display when the item is disabled. The default value is empty string. Use the DisabledImageUrl property to specify the image that will be used when the item is disabled. If the DisabledImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolbar item is disabled. The CSS class applied when the toolbar item is disabled. The default value is String.Empty. By default the visual appearance of disabled toolbar items is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for the toolbar item when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolBar item is focused after tabbing to it, or by using its AccessKey The CSS class applied when the toolBar item is focused. The default value is String.Empty. By default the visual appearance of focused toolBar items is defined in the skin CSS file. You can use the FocusedCssClass property to specify unique appearance for the toolBar item when it is focused. Gets or sets the path to an image to display when the user focuses the item either by tabbing to it or by using the AccessKey The path to the image to display when the user user focuses the item either by tabbing to that it or by using the AccessKey. The default value is empty string. Use the FocusedImageUrl property to specify the image that will be used when the item gets the focus after tabbing or using its AccessKey. If the FocusedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the position of the item image according to the item text. The position of the item image according to the item text. The default value is ToolBarImagePosition.Left. Initializes a new instance of the RadToolBarButton class. Use this constructor to create and initialize a new instance of the RadToolBarButton class using default values. The following example demonstrates how to add items to RadToolBar controls. RadToolBarButton button = new RadToolBarButton(); button.Text = "Create New"; button.CommandName = "CreateNew"; button.ImageUrl = "~/ToolBarImages/CreateNew.gif"; RadToolBar1.Items.Add(button); Dim button As New RadToolBarButton() button.Text = "Create New" button.CommandName = "CreateNew" button.ImageUrl = "~/ToolBarImages/CreateNew.gif" RadToolBar1.Items.Add(button) Initializes a new instance of the RadToolBarButton class with the specified text data. Use this constructor to create and initialize a new instance of the RadToolBarButton class using the specified text. The following example demonstrates how to add items to RadToolBar controls. RadToolBarButton button = new RadToolBarButton("Create New"); button.CommandName = "CreateNew"; button.ImageUrl = "~/ToolBarImages/CreateNew.gif"; RadToolBar1.Items.Add(button); Dim button As New RadToolBarButton("Create New") button.CommandName = "CreateNew" button.ImageUrl = "~/ToolBarImages/CreateNew.gif" RadToolBar1.Items.Add(button) The text of the button. The Text property is set to the value of this parameter. Initializes a new instance of the RadToolBarButton class with the specified text, checked state and group name data. Use this constructor to create and initialize a new instance of the RadToolBarButton class using the specified text, checked state and group name. When this constructor used, the CheckOnClick property of the created RadToolBarButton is automatically set to true. The following example demonstrates how to add items to RadToolBar controls. RadToolBarButton alighLeftButton = new RadToolBarButton("Left", false, "Alignment"); alighLeftButton.CommandName = "AlignLeft"; alighLeftButton.ImageUrl = "~/ToolBarImages/AlignLeft.gif"; RadToolBar1.Items.Add(alighLeftButton); RadToolBarButton alignCenterButton = new RadToolBarButton("Center", false, "Alignment"); alignCenterButton.CommandName = "AlignCenter"; alignCenterButton.ImageUrl = "~/ToolBarImages/AlignCenter.gif"; RadToolBar1.Items.Add(alignCenterButton); RadToolBarButton alignRightButton = new RadToolBarButton("Right", false, "Alignment"); alignRightButton.CommandName = "AlignRight"; alignRightButton.ImageUrl = "~/ToolBarImages/AlignRight.gif"; RadToolBar1.Items.Add(alignRightButton); Dim alighLeftButton As RadToolBarButton = New RadToolBarButton("Left", False, "Alignment") alighLeftButton.CommandName = "AlignLeft" alighLeftButton.ImageUrl = "~/ToolBarImages/AlignLeft.gif" RadToolBar1.Items.Add(alighLeftButton) Dim alignCenterButton As RadToolBarButton = New RadToolBarButton("Center", False, "Alignment") alignCenterButton.CommandName = "AlignCenter" alignCenterButton.ImageUrl = "~/ToolBarImages/AlignCenter.gif" RadToolBar1.Items.Add(alignCenterButton) Dim alignRightButton As RadToolBarButton = New RadToolBarButton("Right", False, "Alignment") alignRightButton.CommandName = "AlignRight" alignRightButton.ImageUrl = "~/ToolBarImages/AlignRight.gif" RadToolBar1.Items.Add(alignRightButton) The text of the button. The Text property is set to the value of this parameter. The checked state of the button. The Checked property is set to the value of this parameter. The group to which the button belongs. The Group property is set to the value of this parameter. Creates a copy of the current RadToolBarButton object. A RadToolBarButton which is a copy of the current one. Use the Clone method to create a copy of the current button. All properties of the clone are set to the same values as the current ones. Gets a reference to the owner of the RadToolBarButton. The IToolBarItemContainer control (RadToolBar, RadToolBarDropDown, RadToolBarSplitButton) which holds the RadToolBarButton. Gets the data item that is bound to the button An Object that represents the data item that is bound to the button. The default value is null (Nothing in Visual Basic), which indicates that the button is not bound to any data item. The return value will always be null unless accessed within a ButtonDataBound event handler. This property is applicable only during data binding. Use it along with the ButtonDataBound event to perform additional mapping of fields from the data item to RadToolBarButton properties. The following example demonstrates how to map fields from the data item to RadToolBarButton properties. It assumes the user has subscribed to the ButtonDataBound event. private void RadToolBar1_ButtonDataBound(object sender, Telerik.Web.UI.RadToolBarButtonEventArgs e) { e.Button.ImageUrl = "image" + (string)DataBinder.Eval(e.Button.DataItem, "ID") + ".gif"; e.Button.NavigateUrl = (string)DataBinder.Eval(e.Button.DataItem, "URL"); } Sub RadToolBar1_ButtonDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadToolBarButtonEventArgs) Handles RadToolBar1.ButtonDataBound e.Button.ImageUrl = "image" & DataBinder.Eval(e.Button.DataItem, "ID") & ".gif" e.Button.NavigateUrl = CStr(DataBinder.Eval(e.Button.DataItem, "URL")) End Sub Gets or sets whether the button is separator. Gets or sets whether the button has a check state. Gets or sets if the button is checked. The Checked property of the button depends on the CheckOnClick property. If the CheckOnClick property is set to false, the Checked property will be ignored. When a button's Checked state is set to true, all the buttons that belong to the same group in the RadToolBar get their Checked state set to false. Gets or sets the group to which the button belongs. The Group property of the button depends on the CheckOnClick property. When several buttons in the RadToolBar are assigned to the same group, checking one of them will uncheck the one that is currently checked. If the CheckOnClick property is set to false, the Group property will be ignored. Gets or sets the Cascading Style Sheet (CSS) class applied when the toolbar button is checked. The CSS class applied when the toolbar button is checked. The default value is string.Empty. By default the visual appearance of clicked toolbar buttons is defined in the skin CSS file. You can use the ClickedCssClass property to specify unique appearance for the toolbar button when it is clicked. Gets or sets the path to an image to display for the button when its Checked state is "true". The path to the image to display when its Checked state is "true". The default value is empty string. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton ImageUrl="~/Img/alignLeft.gif" CheckedImageUrl="~/Img/alignLeftChecked.gif" Text="Left" />
<telerik:RadToolBarButton ImageUrl="~/Img/alignRight.gif" CheckedImageUrl="~/Img/alignRightChecked.gif" Text="Right" />
</Items>
</telerik:RadToolBar>
Use the CheckedImageUrl property to specify the image that will be used when the button is checked. If the CheckedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets a value indicating if a checked button will get unchecked when clicked. If a checked button will get unchecked when clicked. The default value is false. Gets or sets the template for displaying the button. A ITemplate implemented object that contains the template for displaying the item. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The following template demonstrates how to add a Calendar control in a certain ToolBar button. ASPX: <telerik:RadToolBar runat="server" ID="RadToolBar1">
<Items>
<telerik:RadToolBarDropDown Text="Date">
<Items> <telerik:RadToolBarButton Text="Date">
<ItemTemplate>
<asp:Calendar runat="server" ID="Calendar1" />
</ItemTemplate>
</telerik:RadToolBarDropButton> </Items>
</telerik:RadToolBarDropDown>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating whether clicking on the button will postback. True if the toolbar button should postback; otherwise false. By default all the items will postback provided the user has subscribed to the ButtonClick event. If you subscribe to the ButtonClick all toolbar buttons will postback. To turn off that behavior you should set the PostBack property to false. Gets or sets the value associated with the toolbar button. The value associated with the button. The default value is empty string. Use the Value property to specify or determine the value associated with the button. Gets or sets the URL to link to when the button is clicked. The URL to link to when the button is clicked. The default value is empty string. The following example demonstrates how to use the NavigateUrl property <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarButton Text="News" NavigateUrl="~/News.aspx" />
<telerik:RadToolBarButton Text="External URL" NavigateUrl="http://www.example.com" />
</Items>
</telerik:RadToolBar>
Use the NavigateUrl property to specify the URL to link to when the button is clicked. Use "~" (tilde) in front of an URL within the same ASP.NET application. When specifying external URL do not forget the protocol (e.g. "http://").
Gets or sets the target window or frame to display the Web page content linked to when the toolbar button is clicked. The target window or frame to load the Web page linked to when the button is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string. Use the Target property to specify the frame or window that displays the Web page linked to when the toolbar button is clicked. The Web page is specified by setting the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The following example demonstrates how to use the Target property ASPX: <telerik:RadToolBar runat="server" ID="RadToolBar1"> <Items> <telerik:RadToolBarButton Target="_blank" NavigateUrl="http://www.google.com" /> </Items> </telerik:RadToolBar> Gets or sets the command name associated with the toolbar button that is passed to the ItemCommand event of the RadToolBar instance. The command name of the toolbar button. The default value is an empty string. Gets or sets an optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName An optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName. The default value is an empty string. Gets or sets a value indicating whether validation is performed when the RadToolBarButton is clicked true if validation is performed when the RadToolBarButton is clicked otherwise, false. The default value is true. By default, page validation is performed when the button is clicked. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. You can specify or determine whether validation is performed when the button is clicked on both the client and the server by using the CausesValidation property. To prevent validation from being performed, set the CausesValidation property to false. Gets or sets the name of the validation group to which the RadToolBarButton belongs. The name of the validation group to which this RadToolBarButton belongs. The default is an empty string (""), which indicates that this property is not set. This property works only when CausesValidation is set to true. Gets or sets the URL of the page to post to from the current page when the RadToolBarButton is clicked. The URL of the Web page to post to from the current page when the RadToolBarButton is clicked. The default value is an empty string (""), which causes the page to post back to itself. This partial class defines the rendering of RadToolBarDropDown. This partial class defines the rendering of RadToolBarDropDown. This partial class defines the RadToolBarDropDown. Represents a dropdown in the RadToolBar class. Defines properties that toolbar button containers (RadToolBarDropDown, RadToolBarSplitButton) should implement. Defines properties that toolbar item container (RadToolBar) should implement Gets the collection of child items. A RadToolBarItemCollection that represents the child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. Initializes a new instance of the RadToolBarDropDown class. Use this constructor to create and initialize a new instance of the RadToolBarDropDown class using default values. The following example demonstrates how to add items to RadToolBar controls. RadToolBarDropDown dropdown = new RadToolBarDropDown(); dropdown.Text = "Manage"; dropdown.ImageUrl = "~/ToolbarImages/Manage.gif"; RadToolBar1.Items.Add(dropdown); Dim dropdown As New RadToolBarDropDown() dropdown.Text = "Manage" dropdown.ImageUrl = "~/ToolbarImages/Manage.gif" RadToolBar1.Items.Add(dropdown) Initializes a new instance of the RadToolBarDropDown class with the specified text data. Use this constructor to create and initialize a new instance of the RadToolBarDropDown class using the specified text. The following example demonstrates how to add items to RadToolBar controls. RadToolBarDropDown dropdown = new RadToolBarDropDown("Manage"); RadToolBar1.Items.Add(dropdown); Dim dropdown As New RadToolBarDropDown("Manage") RadToolBar1.Items.Add(dropdown) The text of the dropdown. The Text property is set to the value of this parameter. Gets a RadToolBarButtonCollection object that contains the child buttons of the dropdown. A RadToolBarButtonCollection that contains the child buttons of the dropdown. By default the collection is empty (the dropdown has no buttons). Use the Buttons property to access the child buttons of the dropdown. You can also use the Buttons property to manage the children of the dropdown. You can add, remove or modify buttons from the Buttons collection. The following example demonstrates how to programmatically modify the properties of child buttons. manageDropDown.Buttons[0].Text = "Users"; manageDropDown.Buttons[0].ImageUrl = "~/ToolbarImages/ManageUsers.gif"; manageDropDown.Buttons[0].Text = "Users" manageDropDown.Buttons[0].ImageUrl = "~/ToolbarImages/ManageUsers.gif" Gets or sets the expand direction of the drop down. The expand direction of the drop down. The default value is ToolBarDropDownExpandDirection.Down. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarDropDown ImageUrl="~/Img/bold.gif" ExpandDirection="Up" Text="Bold" />
</Items>
</telerik:RadToolBar>
Gets or sets the width of the dropdown in pixels. Gets or sets the height of the dropdown in pixels. Gets or sets the value. The value. "Value property is not supported by RadToolBarDropDown This Class specifies the rendering of RadToolBarSplitButton. This partial class defines the RadToolBarSplitButton object. This Class specifies the rendering of RadToolBarSplitButton. This partial class defines the RadToolBarSplitButton object. This partial class defines the RadToolBarSplitButton. Represents a splitbutton in the RadToolBar class. Initializes a new instance of the RadToolBarSplitButton class. Use this constructor to create and initialize a new instance of the RadToolBarSplitButton class using default values. The following example demonstrates how to add items to RadToolBar controls. RadToolBarSplitButton splitButton = new RadToolBarSplitButton(); splitButton.Text = "News"; splitButton.ImageUrl = "~/News.gif"; RadToolBar1.Items.Add(splitButton); Dim splitButton As New RadToolBarSplitButton() splitButton.Text = "News" splitButton.ImageUrl = "~/News.gif" RadToolBar1.Items.Add(splitButton) Initializes a new instance of the RadToolBarSplitButton class with the specified text data. Use this constructor to create and initialize a new instance of the RadToolBarSplitButton class using the specified text. The following example demonstrates how to add items to RadToolBar controls. RadToolBarSplitButton splitButton = new RadToolBarSplitButton("News"); RadToolBar1.Items.Add(splitButton); Dim splitButton As New RadToolBarSplitButton("News") RadToolBar1.Items.Add(splitButton) The text of the split button. The Text property is set to the value of this parameter. Gets a RadToolBarButtonCollection object that contains the child buttons of the split button. A RadToolBarButtonCollection that contains the child buttons of the split button. By default the collection is empty (the split button has no buttons). Use the Buttons property to access the child buttons of the split button. You can also use the Buttons property to manage the children of the current tab. You can add, remove or modify buttons from the Buttons collection. The following example demonstrates how to programmatically modify the properties of child buttons. registerPurchaseSplitButton.Buttons[0].Text = "Cache Purchase"; registerPurchaseSplitButton.Buttons[0].ImageUrl = "~/ToolBarImages/RegisterCachePurchase.gif"; registerPurchaseSplitButton.Buttons[1].Text = "Check Purchase"; registerPurchaseSplitButton.Buttons[1].ImageUrl = "~/ToolBarImages/RegisterCheckPurchase.gif"; registerPurchaseSplitButton.Buttons[0].Text = "Cache Purchase" registerPurchaseSplitButton.Buttons[0].ImageUrl = "~/ToolBarImages/RegisterCachePurchase.gif" registerPurchaseSplitButton.Buttons[1].Text = "Check Purchase" registerPurchaseSplitButton.Buttons[1].ImageUrl = "~/ToolBarImages/RegisterCheckPurchase.gif" Gets or sets the expand direction of the drop down. The expand direction of the drop down. The default value is ToolBarDropDownExpandDirection.Down. <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarDropDown ImageUrl="~/Img/bold.gif" ExpandDirection="Up" Text="Bold" />
</Items>
</telerik:RadToolBar>
Gets or sets the width of the dropdown in pixels. Gets or sets the height of the dropdown in pixels. Gets or sets a value, indicating if the RadToolBarSplitButton will use the DefaultButton behavior. A value, indicating if the RadToolBarSplitButton wll use the DefaultButton behavior. The default value is true Use the EnableDefaultButton property to set if RadToolBarSplitButton will use the DefaultButton behavior or not. When the DefaultButton behavior is used, the RadToolBarSplitButton properties are ignored and the properties of the last selected button are used instead. Use the EnableDefaultButton property in conjunction with the DefaultButtonIndex property to specify which of the RadToolBarSplitButton child buttons will be used when the RadToolBar is initially displayed. The following example demonstrates how to use the EnableDefaultButton property <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarSplitButton EnableDefaultButton="true" DefaultButtonIndex="1"> <Buttons>
<telerik:RadToolBarButton ImageUrl="~/images/red.gif" Text="Red" /> <telerik:RadToolBarButton ImageUrl="~/images/green.gif" Text="Green" /> <telerik:RadToolBarButton ImageUrl="~/images/blue.gif" Text="Blue" /> </Buttons>
</telerik:RadToolBarSplitButton>/
</Items>
</telerik:RadToolBar>
Gets or sets the index of the button which properties will be used by default when the EnableDefaultButton property set to true. The index of the button which properties will be used by default when the EnableDefaultButton property set to true. The default value is 0 Use the DefaultButtonIndex property to specify the button which properties RadToolBarSplitButton will use when the RadToolBar is initially displayed. The following example demonstrates how to use the DefaultButtonIndex property <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarSplitButton EnableDefaultButton="true" DefaultButtonIndex="1"> <Buttons>
<telerik:RadToolBarButton ImageUrl="~/images/red.gif" Text="Red" /> <telerik:RadToolBarButton ImageUrl="~/images/green.gif" Text="Green" /> <telerik:RadToolBarButton ImageUrl="~/images/blue.gif" Text="Blue" /> </Buttons>
</telerik:RadToolBarSplitButton>/
</Items>
</telerik:RadToolBar>
Gets or sets the template for displaying the button. A ITemplate implemented object that contains the template for displaying the button. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The following template demonstrates how to add a Calendar control in a certain ToolBar button. ASPX: <telerik:RadToolBar runat="server" ID="RadToolBar1">
<Items>
<telerik:RadToolBarDropDown Text="Date">
<Items>
<ItemTemplate>
<asp:Calendar runat="server" ID="Calendar1" />
</ItemTemplate>
</Items>
</telerik:RadToolBarDropDown>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating whether clicking on the button will postback. True if the toolbar split button should postback; otherwise false. By default all the items will postback provided the user has subscribed to the ButtonClick event. If you subscribe to the ButtonClick all toolbar buttons will postback. To turn off that behavior you should set the PostBack property to false. Gets or sets the value associated with the toolbar split button. The value associated with the button. The default value is empty string. Use the Value property to specify or determine the value associated with the button. Gets or sets the URL to link to when the button is clicked. The URL to link to when the button is clicked. The default value is empty string. The following example demonstrates how to use the NavigateUrl property <telerik:RadToolBar id="RadToolBar1" runat="server">
<Items>
<telerik:RadToolBarSplitButton Text="News" NavigateUrl="~/News.aspx" ImageUrl="~/Img/News.gif"> <Buttons>
<telerik:RadToolBarButton Text="Button1" /> </Buttons>
</telerik:RadToolBarSplitButton>/
<telerik:RadToolBarButton Text="News" NavigateUrl="~/News.aspx" />
<telerik:RadToolBarButton Text="External URL" NavigateUrl="http://www.example.com" />
</Items>
</telerik:RadToolBar>
Use the NavigateUrl property to specify the URL to link to when the button is clicked. Use "~" (tilde) in front of an URL within the same ASP.NET application. When specifying external URL do not forget the protocol (e.g. "http://").
Gets or sets the target window or frame to display the Web page content linked to when the toolbar button is clicked. The target window or frame to load the Web page linked to when the button is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string. Use the Target property to specify the frame or window that displays the Web page linked to when the toolbar button is clicked. The Web page is specified by setting the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The following example demonstrates how to use the Target property ASPX: <telerik:RadToolBar runat="server" ID="RadToolBar1"> <Items> <telerik:RadToolBarSplitButton Text="News" NavigateUrl="~/News.aspx" Target="_blank" ImageUrl="~/Img/News.gif"> <Buttons>
<telerik:RadToolBarButton Text="Button1" /> </Buttons>
</telerik:RadToolBarSplitButton>/
</Items> </telerik:RadToolBar>
Gets or sets the command name associated with the toolbar button that is passed to the ItemCommand event of the RadToolBar instance. The command name of the toolbar button. The default value is an empty string. Gets or sets an optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName An optional parameter passed to the Command event of the RadToolBar instance along with the associated CommandName. The default value is an empty string. Gets or sets a value indicating whether validation is performed when the RadToolBarSplitButton is clicked true if validation is performed when the RadToolBarSplitButton is clicked otherwise, false. The default value is true. By default, page validation is performed when the button is clicked. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. You can specify or determine whether validation is performed when the button is clicked on both the client and the server by using the CausesValidation property. To prevent validation from being performed, set the CausesValidation property to false. Gets or sets the name of the validation group to which the RadToolBarSplitButton belongs. The name of the validation group to which this RadToolBarSplitButton belongs. The default is an empty string (""), which indicates that this property is not set. This property works only when CausesValidation is set to true. Gets or sets the URL of the page to post to from the current page when the RadToolBarSplitButton is clicked. The URL of the Web page to post to from the current page when the RadToolBarSplitButton is clicked. The default value is an empty string (""), which causes the page to post back to itself. The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute The view is conditionally loaded from DataBoundControl based on the ViewDescriptor attribute Represents the base class of all column editors in . Represents the common interface of a column editor in . Initialize controls and add to the provided container control for the specified . Set the specified edit values to the controls in this editor. Get the collection of edited values from this editor. Returns the first value from an object implementing IEnumerable, passed as argument. If the collection is empty, returns null. An instance of a class that implements IEnumerable. The first value form the enumerable collection. Get the first value from the values of the current . This method returns the first item from , if any. Initializes the column editor for the TreeListColumn. The which will hold the edit control. The container control to which the editor will be added. Sets the edit values in the column editor. A collection of the values which will be used to populate the editor control. Returns a collection of the values in the editor control. Gets the column for which the column editor is created. Initializes the TreeListNumericColumnEditor object. The TreeListEditableItem which will hold the current editor. The Control where the editor controls will be added. Sets the edit values to the edit control. An enumerable collection containing the edit values. Returns a collection of the edit values contained in the editor. An enumerable object holding the values. Gets a reference to the RadNumericTextBox created by the editor. The editor for the column when grid's RenderMode is set to Mobile. Initializes the TreeListNumericColumnEditor object. The TreeListEditableItem which will hold the current editor. The Control where the editor controls will be added. The editor for the when grid's RenderMode is set to Mobile. Initializes the TreeListNumericColumnEditor object. The TreeListEditableItem which will hold the current editor. The Control where the editor controls will be added. RadTreeList Word export Expand/Collapse cell style Copies a given style Style object Returns true if none of the properties have been set Represents the text that replaces the expand image Represents the text that replaces the collapse image Represents the path to the expand image Width of the expand image. Height of the expand image. Represents the path to the collapse image Width of the collapse image. Height of the collapse image. RadTreeList Excel export settings Returns the paper dimensions in SizeF object PaperKind value to be converted to SizeF object PaperFormat.xml resource is based on the PaperKind enumeration. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Used to set the page footer of the exported worksheet Used to set the page header of the exported worksheet Determines whether the gridlines will be enabled in the worksheet Determines the margin between the top of the page and the beginning of the page content Determines the margin between the bottom of the page and the beginning of the page content Determines the margin between the left side of the page and the beginning of the page content Determines the margin between the right side of the page and the beginning of the page content This will swap the values of the PageWidth and PageHeight properties. Word paper size Word export item style Word export alternating item style Word export header style Word export footer item style Word export expand/collapse cell style Adjust CSS classes, column span and visibility of column cells Represents the command item of the . Represents all items in . Represents the table row objects inside . Initializes the footer item. The columns to which the footer cells should be added. Override this method to change the default logic for rendering the item Use this method to simulate item command event that bubbles to and can be handled automatically or in a custom manner, handling .ItemCommand event. command to bubble, for example 'Page' command argument, for example 'Next' Gets a value from the TreeListItemType enumeration indicating what role the items has in the treelist. Gets a reference to the owner RadTreeList object. Gets or sets a value indicating whether the control is currently being bound. Used for accessing the command item content cell Returns a value of type TableRowSection indicating where the command item row is placed in the Table control rendered by RadTreeList. Gets a boolean value indicating whether the command item is placed on top or bottom of the rendered treelist control. Used for server-side configuration of the command item style Summary description for TreeListTableItemStyle. Returns 'True' if none of the properties have been set Provides access to the configuration of the command item. Determines whether the export to Excel button will be shown in the command item. Determines whether the export to Word button will be shown in the command item. Determines whether the export to Pdf button will be shown in the command item. Gets or sets text which will be used for the tooltip of the export button. The default value is 'Export to Excel' Gets or sets text which will be used for the tooltip of the export button. The default value is 'Export to Word' Gets or sets text which will be used for the tooltip of the export button. The default value is 'Export to PDF' The event arguments passed before exports. This property returns the generated export infrastructure content This property returns the export format RadGrid is currently exporting to Initializes a new instance of the TreeMapItem class. Initializes a new instance of the TreeMapItem class. Gets the Items collection of the current item Gets the ID of the current TreeMapItem Gets or set the Text of the current TreeMapItem Gets or set the Value of the current TreeMapItem Gets or set the Color of the current TreeMapItem Gets or set the DataItem of the current TreeMapItem Algorithm types of the RadTreeMap control TreeMapItem event arguments used in the ItemDataBound handler Initializes a new instance of the TreeMapItemDataBoundEventArguments class. The current data bound TreeMapItem TreeMapItem data bound event handler Gets or sets the data field holding the unique identifier for a TreeMapItem. Gets or sets the data field holding the ID of the parent TreeMapItem. Gets or sets the data field holding the Text property for the currently bound TreeMapItem. Gets or sets the data field holding the Value property for the currently bound TreeMapItem. Gets or sets the data field holding the Color property for the currently bound TreeMapItem. Gets or set the client item template of the control Gets or sets an array of data-field names that will be used to populate the TreeMapItem 's DataItem property which is used to populated the control's template. Note: The dataItem's properties declared in the template should be with lower case . An array that contains the names of the fields contained in the TreeMapItem's DataItem property. Gets the Items collection of the control Gets or sets the algorithm type used to visualize the control. The default colors for the RadTreeMap tiles. When all colors are used, new colors are pulled from the start again. Gets the resolved render mode. The resolved render mode. Occurs when TreeMapItem is bound Gets or sets the name of the client-side function which will be executed after the control is loaded The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after an item is created The default value is string.Empty. RadProgressManager Control This partial class describes the Client Properties and Events of RadProgressArea. Binds a data source to the invoked server control and all its child controls. Specifies the Text that is displayed in the header area of RadProgressArea. The header text. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating where RadProgressArea will look for its .resx localization files. The localization path. Gets or sets the value indicating whether the Cancel button should be visible. The display cancel button. Specifies the localization of the RadProgressArea (the language which will be used). The default value is en-US. <radU:RadUpload Language="es-Es" ... /> <radU:RadUpload Language="es-Es" ... /> Specifies the client-side function to be executed when the Progress Area status is about to be updated. The default value is string.Empty. This example demonstrates how to set a javascript function to execute when the client side progress area is about to be updated. <radU:RadProgressArea OnClientProgressUpdating="myOnClientProgressUpdating" ... /> ... <script> function myOnClientProgressUpdating() { alert("The progress will be updated"); } </script> <radU:RadProgressArea OnClientProgressUpdating="myOnClientProgressUpdating" ... /> ... <script> function myOnClientProgressUpdating() { alert("The progress will be updated"); } </script> Microsoft .NET Framework Specifies the client-side function to be executed when a progress bar is about to be updated. The default value is string.Empty. Microsoft .NET Framework Gets or sets the progress indicators. The progress indicators. Gets or sets the progress template. The progress template. Provides access to the localization strings of the control. This example demonstrates how to change the localization strings of RadProgressArea object with code. RadProgressArea1.Localization["CancelButton"] = "Cancel"; RadProgressArea1.Localization["ElapsedTime"] = "Elapsed time: "; RadProgressArea1.Localization["EstimatedTime"] = "Estimated time: "; RadProgressArea1.Localization["TransferSpeed"] = "Speed: "; RadProgressArea1.Localization["CurrentFileName"] = "Uploading file: "; RadProgressArea1.Localization["Uploaded"] = "Uploaded "; RadProgressArea1.Localization["UploadedFiles"] = "Uploaded files: "; RadProgressArea1.Localization["Total"] = "Total "; RadProgressArea1.Localization["TotalFiles"] = "Total files: "; RadProgressArea1.Localization("CancelButton") = "Cancel" RadProgressArea1.Localization("ElapsedTime") = "Elapsed time: " RadProgressArea1.Localization("EstimatedTime") = "Estimated time: " RadProgressArea1.Localization("TransferSpeed") = "Speed: " RadProgressArea1.Localization("CurrentFileName") = "Uploading file: " RadProgressArea1.Localization("Uploaded") = "Uploaded " RadProgressArea1.Localization("UploadedFiles") = "Uploaded files: " RadProgressArea1.Localization("Total") = "Total " RadProgressArea1.Localization("TotalFiles") = "Total files: " Localization name/value collection. This property is intended to be used when there is a need to access the localization strings of the control from the code behind. Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. Gets or sets the client callback function that will be called when a window dialog is being closed. This property is obsolete. Please use OnclientClose instead. For more information visit http://www.telerik.com/help/aspnet-ajax/window-programming-using-radwindow-as-dialog.html Gets or sets the id (ClientID if a runat=server is used) of a html element, whose left and top position will be used as 0,0 of the RadWindow object when it is first shown. Gets or sets the id (ClientID if a runat=server is used) of a html element where the windows will be "docked" when minimized. Gets or sets the url of the icon in the upper left corner of the RadWindow title bar. Gets or sets the url of the minimized icon of the RadWindow. Gets or sets a value indicating whether the RadWindow should have a shadow. true if there should be shadow; otherwise false. The default value is false. Get or set the localization strings for the RadWindow via the inner properties. Gets the collection of shortcuts which are specified for the current RadWindow/RadWindowManager. Allows you to add shortcuts programmatically. By default the collection is empty. Gets or sets a value indicating the allowed behaviors of this RadWindow/RadWindowManager - if resizing, maximizing, minimizing, etc. is available. Each behavior is added to a comma separated list in the markup and with a logical OR statement in the code-behind. Takes a combination of members of the Telerik.Web.UI.WindowBehaviors enumerator [C#]: RadWindow1.Behaviors= Telerik.Web.UI.WindowBehaviors.Close | Telerik.Web.UI.WindowBehaviors.Move; [VB.NET]: RadWindow1.Behaviors = Telerik.Web.UI.WindowBehaviors.Close Or Telerik.Web.UI.WindowBehaviors.Move This property is obsolete. Please use Behaviors instead. Get/Set the auto-size behavior of the RadWindow Takes a combination of the members of the Telerik.Web.UI.WindowAutoSizeBehaviors members separated by commas in the markup and with logical OR in the code-behind This property is obsolete. Please use InitialBehaviors instead. Gets or sets a value indicating the initial behavior of the RadWindow - most useful to specify an initially minimized, maximized or pinned window. For more information see this help article: http://www.telerik.com/help/aspnet-ajax/window-behavior-initial-window-state.html Gets or sets a value indicating whether the maximized window should have the biggest z-index The default value is true. Get/Set the animation effect of the RadWindow Takes one of the members of the Telerik.Web.UI.WindowAnimation enumerator. The default value is None. Gets/Sets the duration of the animation in milliseconds. Get/Set the Width of the RadWindow in pixels. Get/Set the minimum Width of the RadWindow in pixels. Get/Set the maximum Width of the RadWindow in pixels. Get/Set the Height of the RadWindow in pixels. Get/Set the minimum Height of the RadWindow in pixels. Get/Set the maximum Height of the RadWindow in pixels Get/Set a title for the RadWindow Gets or sets the horizontal distance (in pixels) from the left edge of browser viewport, or from the top left corner of the OffsetElement (if set). It is not applicable for a Modal RadWindow, which is always centered. Gets or sets the vertical distance (in pixels) from the top edge of browser viewport, or from the top left corner of the OffsetElement (if set). It is not applicable for a Modal RadWindow, which is always centered. Gets or sets the id (ClientID if a runat=server is used) of a html element in which the RadWindow will be able to move. This element must have explicit dimensions in pixels and they must be sufficient to contain the RadWindow. Gets or sets a value indicating whether the RadWindow will be disposed and made inaccessible once it is closed. If property is set to true, the next time a window with this ID is requested, a new window with default settings is created and returned. The default value is false. This applies to the client-side objects and markup only. The server-side Windows collection will not be affected for the RadWindowManager. Gets or sets a value indicating whether the page that is loaded in the RadWindow should be loaded every time from the server or will leave the browser default behavior. The default value is false. Gets or sets a value indicating whether the page that is loaded in the window should be shown during the loading process, or when it has finished loading. The default value is true. Should be kept to true when loading files in the RadWindow (e.g. PDFs) because in this case the page life cycle is not the same and the loading sign may never be hidden. Gets or sets a value indicating whether the RadWindow will open automatically when its parent [aspx] page is loaded on the client. The default value is false. Also applies for AJAX requests. For showing a RadWindow once from the server examine this help article: http://www.telerik.com/help/aspnet-ajax/radwindow-troubleshooting-opening-from-server.html Gets or sets a value indicating whether the RadWindow has a title bar visible. The default value is true. Gets or sets a value indicating whether the RadWindow has a visible status bar or not. The default value is true. Gets or sets a value indicating whether the RadWindow is modal or not. The default value is false. Gets or sets a value indicating whether a modal RadWindow, should be centered automatically or not. The default value is true. Gets or sets a value indicating whether the RadWindow will create an overlay element to ensure it will be displayed over a flash element. The default value is false. When set to true enables support for WAI-ARIA Gets the object that controls the WAI-ARIA settings applied on the control's element. Gets or sets the TabIndex of the RadWindow control. Gets or sets a value indicating what should the opacity of the RadWindow be. The value must be between 0 (transparent) and 100 (opaque). The default value is 100. Gets or sets a value indicating whether the RadWindow will stay in the visible viewport of the browser window. The default value is false. Gets or sets a value indicating whether the window will automatically resize itself according to its content or not. The default value is false. Gets or sets the name of the client-side JavaScript function that executes when a RadWindow command (Restore, Minimize, Maximize, Pin On, Pin Off, Reload) is raised. Gets or sets the name of the client-side JavaScript function that executes when a RadWindow ResizeStart event is raised. This property is now obsolete. Please use the OnClientResizeEnd property instead. Gets or sets the name of the client-side JavaScript function that executes when a RadWindow Resize event is raised. Gets or sets the name of the client-side JavaScript function that executes when a RadWindow DragStart event is raised. Gets or sets the name of the client-side JavaScript function that executes when a RadWindow DragEnd event is raised. Gets or sets the name of the client-side JavaScript function that executes when RadWindow AutoSize has finished. Gets or sets the name of the client-side JavaScript function that is called when the RadWindow control becomes the active visible window. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientActivate client-side event handler is called when the RadWindow control becomes the active visible window Two parameters are passed to the handler: sender, the RadWindow object. args, an event arguments object. The following example demonstrates how to use the OnClientActivate property.
<script type="text/javascript">
function OnWindowActivateHandler(sender, args)
{
var window = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientActivate="OnWindowActivateHandler">
....
</radsld:RadWindow>
Gets or sets the name of the client-side JavaScript function that is called just before the RadWindow is shown. The event can be canceled. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientBeforeShow client-side event handler that is called just before the window is shown. Two parameters are passed to the handler: sender, the RadWindow object. args, an event arguments object. This event can be canceled. The following example demonstrates how to use the OnClientBeforeShow property.
<script type="text/javascript">
function OnClientBeforeShowHandler(sender, args)
{
var oWindow = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientBeforeShow="OnClientBeforeShowHandler">
....
</radsld:RadWindow>
Gets or sets the name of the client-side JavaScript function that is called when the RadWindow is shown. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShow client-side event handler is called after the window is shown Two parameters are passed to the handler: sender, the RadWindow object. args, an event arguments object. This event cannot be canceled. The following example demonstrates how to use the OnClientShow property.
<script type="text/javascript">
function OnClientShowHandler(sender, args)
{
var window = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientShow="OnClientShowHandler">
....
</radsld:RadWindow>
Gets or sets the name of the client-side JavaScript function that is called when the page inside the RadWindow object completes loading. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientPageLoad client-side event handler that is called when the page inside the RadWindow object completes loading. Two parameters are passed to the handler: sender, the RadWindow object. args, an event arguments object. The following example demonstrates how to use the OnClientPageLoad property.
<script type="text/javascript">
function OnPageLoadHandler(sender, args)
{
var window = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientPageLoad="OnPageLoadHandler">
....
</radsld:RadWindow>
Gets or sets the name of the client-side JavaScript function that is called when the RadWindow is closed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientClose client-side event handler that is called after the window is hidden. Two parameters are passed to the handler: sender, the RadWindow object. args. This event cannot be canceled. The following example demonstrates how to use the OnClientClose property.
<script type="text/javascript">
function OnCloseHandler(sender, args)
{
var window = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientClose="OnCloseHandler">
....
</radsld:RadWindow>
Gets or sets the name of the client-side JavaScript function that is called just before the RadWindow is closed. The event can be canceled. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientClosing client-side event handler that is called just before the window is hidden. Two parameters are passed to the handler: sender, the RadWindow object. args. This event can be canceled. The following example demonstrates how to use the OnClientClosing property.
<script type="text/javascript">
function OnClosingHandler(sender, args)
{
var window = sender;
}
</script>
<radsld:RadWindow ID="RadWindow1"
runat= "server"
OnClientClosing="OnClosingHandler">
....
</radsld:RadWindow>
This class represents Wai-Aria settings serialized to the client. Gets or sets the ID of the html element containing the label of the control. Specifies the position of the buttons in a . The NavigationBar appears below the RadWizard The NavigationBar appears above the RadWizard For internal use Specifies the position of the buttons in a . The ProgressBar appears to the right of the RadWizard The ProgressBar appears below the RadWizard The ProgressBar appears to the left of the RadWizard The ProgressBar appears above the RadWizard Specifies the position of the buttons in a . All the Wizard Steps are rendered at the same in RadWizard Just the Active Step is rendered in RadWizard Specifies the position of the buttons in a . The NavigationBar appears to the right of the RadWizard The NavigationBar appears below the RadWizard The NavigationBar appears to the left of the RadWizard The NavigationBar appears above the RadWizard The position of the image within a wizard step. The image is rendered leftmost. The image is rendered rightmost. RadWizard Step Type Provides data for the RadWizard button click events of the control. Initializes a new instance of the class. The current step. The next step. Gets the index of the current active step in the control when the event is raised. The index of the current active step in the control when the event is raised. Gets current active step in the control when the event is raised. The current active step in the control when the event is raised. Gets the index of the next active step in the control when the event is raised. The index of the next active step in the control when the event is raised. Gets the next active step in the control when the event is raised. The next active step in the control when the event is raised. Represents the method that handles the event of the control. For internal use Gets or sets the type. The type. Gets or sets the index. The index. Provides data for the event of the RadWizard control. Initializes a new instance of the WizardStepCreatedEventArgs class. A WizardStep which represents a page view in the RadWizard control. Gets the referenced wizard step in the RadWizard control when the event is raised. The referenced wizard step in the RadWizard control when the event is raised. Use this property to grammatically access the page view referenced in the RadWizard control when the event is raised. Represents the method that handles the event provided by the control. Deserializes the specified dictionary. The dictionary. The type. The serializer. When overridden in a derived class, builds a dictionary of name/value pairs. The object to serialize. The object that is responsible for the serialization. An object that contains key/value pairs that represent the object’s data. When overridden in a derived class, gets a collection of the supported types. An object that implements that represents the types supported by the converter. This class gets and sets the localization properties in the buttons that are part RadWizard. Gets or sets the Previous string. The Previous string. Gets or sets the Cancel string. The Cancel string. Gets or sets the Next string. The Next string. Gets or sets the Finish string. The Finish string. Renders the HTML opening tag of the control to the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Overridden to only allow RadWizardStep controls to be added. Creates and returns a new wizard step. Gets a list with the active steps that in the order they have been activated. Gets the index of the previous step. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. Gets the wizard steps. The wizard steps. Gets the active step. The active step. Gets or sets a value indicating whether tabs should postback when clicked. True if tabs should postback; otherwise false. The default value is false. RadWizard will postback provided one of the following conditions is met: The RenderedSteps property is set to true. Gets or sets the display navigationBar. The display navigationBar. Gets or sets the display navigation buttons. The display navigation buttons. Gets or sets a value indicating the position of the image within the step. One of the RadWizardImagePostion Enumeration values. The default value is Left. Gets or sets the display progress bar. The display progress bar. Gets or sets the display cancel button. The display cancel button. Gets or sets the click active step. The click active step. Gets or sets the index of the selected RadWizardStep. The index of the currently selected RadWizardStep. The default value is -1, which means that no RadWizardStep is selected. Gets or sets the position of the NavigationBar. The position of the NavigationBar. The default value is . Gets or sets the position of the navigation buttons. The position of the navigation buttons. The default value is . Gets or sets the position of the ProgressBar. The position of the ProgressBar. The default value is . Gets or sets the position of the ProgressPercent. The position of the ProgressPercent. The default value is 0. Gets the localization. The localization. Gets or sets a value indicating where RadWizard will look for its .resx localization files. The localization path. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Occurs when an Cancel button has been clicked. Occurs when an Finish button has been clicked. Occurs when an Next button has been clicked. Occurs when an Previous button has been clicked. Occurs when an NavigationBar button has been clicked. Occurs when the active step has changed. Occurs when wizard steps are added programmatically to the RadWizard control. It also occurs after postback when the RadWizard control recreates its page views from ViewState. The example below starts by defining a dynamic page view and adding a control (i.e. Label) to the new page view. protected void Page_Load(object sender, System.EventArgs e) { if (!Page.IsPostBack) { RadWizardStep step = new RadWizardStep(); step.ID = "dynamicWizardStep"; RadWizard1.WizardSteps.Add(step); } } protected void RadWizard1_WizardStepCreated(object sender, Telerik.Web.UI.WizardStepCreatedEventArgs e) { Label l = new Label(); l.ID = "dynamicLabel"; l.Text = "Programmatically created label"; e.WizardStep.Controls.Add(l); } Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) If Not Page.IsPostBack Then Dim step As RadWizardStep = New RadWizardStep() step.ID = "dynamicPageView" RadWizard1.WizardSteps.Add(step) End If End Sub Protected Sub RadWizard1_WizardStepCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.WizardStepCreatedEventArgs) Handles RadWizard1.WizardStepCreated Dim l As New Label() l.ID = "dynamicLabel" l.Text = "Programmatically created label" e.RadWizardStep.Controls.Add(l) End Sub Use this event when you need to create page views from code behind. Controls added dynamically should be created in the WizardStepCreated event handler. The client-side cancelable event that is fired when some button is clicked. The on client button clicking. The client-side event that is fired when some button is clicked. The on client button clicked. If specified, the OnClienLoad client-side event handler is called after the wizard is fully initialized on the client. A single parameter - the wizard client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadWizard ID="RadWizard1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadWizard>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadWizard client-side object is initialized.
Initializes a new instance of the class. The owner. Adds the attributes to render. The writer. Gets the CSS class format string. The CSS class format string. Gets the tag key. The tag key. Initializes a new instance of the class. The wizard. Initializes a new instance of the class. The wizard. Initializes a new instance of the class. The wizard. Creates the wizard renderer. The wizard. Initializes a new instance of the class. The wizard. This Class defines the RadWizardStep in RadWizard. Gets the wizard. The wizard. Gets or sets a value indicating whether the current RadWizardStep is active. true if the current RadWizardStep is active; otherwise false. The default value is false. Use the Active property to activate a RadWizardStep object. There can be only one selected RadWizardStep at a time within a RadWizard control. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets or sets the type of the step. The type of the step. Gets or sets the title. The title. Gets or sets the URL to an image which is displayed next to the text of a step. The URL to the image to display for the step. The default value is empty string which means by default no image is displayed. Use the ImageUrl property to specify a custom image that will be displayed before the text of the current step. The following example demonstrates how to specify the image to display for the step using the ImageUrl property. <telerik:RadWizard id="RadWizard1" runat="server">
<WizardSteps>
<telerik:RadWizardStepImageUrl="~/Img/inbox.gif" Text="Index"></telerik:RadWizardStep>
<telerik:RadWizardStepImageUrl="~/Img/outbox.gif" Text="Outbox"></telerik:RadWizardStep>
<telerik:RadWizardStepImageUrl="~/Img/trash.gif" Text="Trash"></telerik:RadWizardStep>
<telerik:RadWizardStepImageUrl="~/Img/meetings.gif" Text="Meetings"></telerik:RadWizardStep>
</WizardSteps>
</telerik:RadWizard>
Gets or sets the URL to an image which is displayed when the user hovers the current step with the mouse. The URL to the image to display for the step when the user hovers it with the mouse. The default value is empty string which means the image specified via ImageUrl will be used. Use the HoveredImageUrl property to specify a custom image that will be displayed when the user hovers the step with the mouse. Setting the HoveredImageUrl property required the ImageUrl property to be set beforehand. If the HoveredImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the URL to an image which is displayed when the step is active. The URL to the image to display when the step is active. The default value is empty string which means the image specified via ImageUrl will be used. Use the ActiveImageUrl property to specify a custom image that will be displayed when the current step is active. Setting the SelectedImageUrl property required the ImageUrl property to be set beforehand. If the ActiveImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the URL to an image which is displayed when the step is disabled (its Enabled property is set to false). The URL to the image to display when the step is disabled. The default value is empty string which means the image specified via ImageUrl will be used. Use the DisabledImageUrl property to specify a custom image that will be displayed when the current step is disabled. Setting the DisabledImageUrl property required the ImageUrl property to be set beforehand. If the DisabledImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the Cascading Style Sheet (CSS) class that contains the sprite image for this item and the positioning for it. The CSS that is used in sprite image scenarios. String.Empty. By default, the image in an item is defined by the ImageUrl property. You can use SpriteCssClass to specify a class that will position a sprite instead of using image. Gets or sets the allow return. The allow return. Gets or sets the tooltip of the wizard step. Gets the zero-based index of the current RadWizardStep object. The zero-based index of the current RadWizardStep; -1 will be returned if the current RadWizardStep object is not added in a RadWizard control. Gets or sets the display cancel button. The display cancel button. Gets or sets the validation group. The validation group. Gets or sets whether pressing the buttons causes page validation to fire. This defaults to True so that when using validation controls, the validation state of all controls are updated when the button is clicked, both on the client and the server. Setting this to False is useful when defining a cancel or reset button on a page that has validators. Initializes a new instance of the class. The wizard. Adds the specified wizard step. The wizard step. Inserts the specified index. The index. The wizard step. Removes the specified wizard step. The wizard step. Removes the object at the specified index from the current . The zero-based index of the item to remove. Indexes the of. The wizard step. Gets the RadWizardStep at the specified index in the collection. Use this indexer to get a RadWizardStep from the collection at the specified index, using array notation. The zero-based index of the RadWizardStep to retrieve from the collection. For internal use only. Gets or sets the index of the active. The index of the active. Gets or sets the percent of the progress area. The percent of the progress area. Gets or sets the change log. The change log. RadXmlHttpPanel class Gets or sets the ID of the RadAjaxLoadingPanel control that will be displayed over the control during the partial page update. Gets or sets a value that indicates how the content of an RadXmlHttpPanel control will be wrapped on a page. In-line means the content will be wrapped in a span tag (Default), while Block means that the content will be wrapped in a div. Gets or sets a boolean value indicating whether or not the client scripts loaded by the RadControls hosted inside the RadXmlHttpPanel should be executed. Gets or sets a string value that indicates the WebService method used by the RadXmlHttpPanel. Gets or sets a string value that indicates the virtual path of the WebService used by the RadXmlHttpPanel. Gets or sets the request method for WCF Service used to populate content GET, POST, PUT, DELETE Gets or sets a string value that indicates the virtual path of the WCF Service used by the RadXmlHttpPanel. Gets or sets a string value that indicates the WCF Service method used by the RadXmlHttpPanel. Gets or sets a string value depending on which a certain content is loaded in the RadXmlHttpPanel. Property to define the maximum length of the Value for the XmlHttpPanel. The default is 2097152 characters, which is equivalent to 4 MB of Unicode string data. The event to raise when the XmlHttpPanel gets updated, does a callback or has a Value. Represents the possible layout rendering options for the content of an RadXmlHttpPanel control on a page. Specifies that the content of the RadXmlHttpPanel control is rendered inside an HTML "div" element. Specifies that the content of the System.Web.UI.UpdatePanel control is rendered inside an HTML "span" element. This Class gets or sets the name of the temporary file and the TypeName in the MetaData object. Gets or sets the name of the temporary file. The name of the temporary file. Gets or sets the TypeName. The TypeName. RadAsyncUpload offers asynchronous upload capability while maintaining the look of the regular RadUpload control.The upload process requires that the files are uploaded to a custom handler and not to the hosting page. Files are stored in a temporary location until a postback occurs. The temporary location is cleaned-up automatically. Internally, RadAsyncUpload can choose between four modules for uploading - IFrame, File API, Flash and Silverlight. The module with higher priority is Silverlight. If there is no Silverlight installed on the client machine, RadAsyncUpload will utilize the Flash module. If there is no Flash as well, RadAsyncUpload will use the IFrame module which is supported out of the box on all browsers. Creates an object of type T (that implements IAsyncUploadConfiguration) and populates all properties specified in the interface from this RadAsyncUpload instance. The user is then free to populate any additional properties. Type that implements IAsyncUploadConfiguration An object of type T populated with all properties specified in IAsyncUploadConfiguration Gets or sets the upload request identifier. If the value is IsNullOrEmpty, a NewGuid value is assigned. The upload request identifier. When set to true enables support for WAI-ARIA. Gets the object that controls the Wai-Aria settings applied on the control's input element. Used to customize the Navigation keyboard navigation functionality. Gets or sets whether to fire the FileUploaded event and process the files if the Page is valid, after the server side validation events. The control will fires its event and process the files if the Page is valid, after the server side validation events. If the Page is not valid the uploaded files are persisted between postbacks. Gets or sets whether to render the file input. When HideFileInput is set to True, only the select button will be rendered. Gets or sets whether to use application pool impersonation. The usage of application pool impersonation. Gets or sets the drop zones for upload. The values of the property should be a valid jQuery selectors. E.g. class name or Id of html element. Gets or sets whether the upload will be in chunks (2MB each) or the file will be uploaded with one request. The DisableChunkUpload. Gets or sets whether the upload will start automatically after the files are selected. The manual upload. Gets or sets the a value to control whether RadAsyncUpload will use 3rd party plug-ins like Flash/Silverlight or will stick to the native modules only (IFrame, File API). The DisablePlugins. Gets or sets the URL of the progress handler that takes care of the progress monitoring when the IFrame module is used. The progress handler URL. Gets the localization. The localization. Gets or sets a value indicating where RadAsyncUpload will look for its .resx localization files. The localization path. Gets the collection of FileFilters objects to be applied to the OpenFileDialog A FileFilterCollection containing FileFilters object that define the filters applied to the OpenFileDialog Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Specifies whether a new File Input should be automatically added upon selecting a file to upload. Gets or sets the allowed file extensions for uploading. Set this property to empty array of strings in order to prevent the file extension checking. The default value is empty string array. In order to check for multiple file extensions you should set an array of strings containing the allowed file extensions for uploading. This example demonstrates how to set multiple allowed file extensions in a RadUpload control. Dim allowedFileExtensions As String() = New String(2) {"zip", "doc", "config"} RadAsyuncUpload1.AllowedFileExtensions = allowedFileExtensions string[] allowedFileExtensions = new string[3] {"zip", "doc", "config"}; RadAsyncUpload1.AllowedFileExtensions = allowedFileExtensions; MaxFileSize Property AllowedMimeTypes Property Gets or sets the allowed MIME types for uploading. Set this property to string.Empty in order to prevent the mime type checking. The default value is empty string array. In order to check for multiple mime types you should set an array of strings containing the allowed MIME types for uploading. This example demonstrates how to set multiple allowed MIME types to a RadAsyncUpload control. ' For example you can Get these from your web.config file Dim commaSeparatedMimeTypes As String = "application/octet-stream,application/msword,video/mpeg" Dim allowedMimeTypes As String() = commaSeparatedMimeTypes.Split(",") RadAsyncUpload1.AllowedMimeTypes = allowedMimeTypes // For example you can get these from your web.config file string commaSeparatedMimeTypes = "application/octet-stream,application/msword,video/mpeg"; string[] allowedMimeTypes = commaSeparatedMimeTypes.Split(','); RadAsyncUpload1.AllowedMimeTypes = allowedMimeTypes; MaxFileSize Property AllowedFileExtensions Property Specifies whether RadAsyncUpload displays an inline progress next to each file being uploaded. The default value is false The InlineProgress is turned on by default. If you have RadProgressArea on the page both the area and the inline progress are going to be shown. In order to suppress the InlineProgress, consider setting the property to false. Specifies whether RadAsyncUpload performs check for write permissions upon load The default value is true The permissions check is turned on by default. You should disable it if you plan to upload the files directly to the handler without using the temporary folder. If you still want to use temporary folder make sure that you have set the TemporyFilesFolder property to a folder that has write permissions for the Gets or sets the control objects visibility. The control objects visibility. Gets or sets the name of the client-side function which will be executed after all selected files have been uploaded The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before a new file input is added to a RadAsyncUpload instance. This event can be cancelled. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after a new file input is added to a RadAsyncUpload instance. The event cannot be cancelled The default value is string.Empty. Specifies whether RadAsyncUpload allows selecting multiple files in the File Selection dialog. The default value is Disabled Setting the MultipleFileSelection property to Automatic means that RadAsyncUpload will check the client's browser capabilities and if there is support for multiple file selection he will enable it. If there is no such support, the selection type would be still single. Specify where the uploaded files should be positioned, below or above the current file input. The default value is AboveFileInput Setting the UploadedFilesRendering property to BelowFileInput means that RadAsyncUpload will render the uploaded files below the current file input. Otherwise the uploaded files will be rendered above the file input. Sets upload configuration that has additional information. The generic object can be obtained using the CreateUploadConfiguration <T> method, where T is custom class that implements IAsyncUploadConfiguration. The custom class can contain any sort of custom data. Specifies the URL of the HTTPHandler from which the image will be served Occurs once for each uploaded file. Path to a folder where RadAsyncUpload should save files temporarily until a postback occurs. The ASP.NET process needs to have Write permissions for the specified folder. Also note that in Medium Trust scenarios this should point to a subfolder of the Application Path. Defaults to App_Data\RadUploadTemp subfolder of the Application Path. Sets how long temporary files should be kept before automatically deleting them. The property accepts TimeSpan values. The default value is 4 hours. More information regarding the TimeSpan structure can be found here - http://www.dotnetperls.com/timespan Note that when a postback occurs temporary files are either saved as permanent or removed. The expiration time is used only in cases when files are uploaded asynchronously, but a subsequent postback does not occur. Gets or sets the name of the client-side function which will be executed when a file upload starts. The default value is string.Empty. <script type="text/javascript">
function onClientFileUploading(sender, eventArgs)
{
var fileName = eventArgs.get_fileName();
}
</script>
<telerik:RadAsyncUpload ID="RadAsyncUpload1"
runat="server"
OnClientFileUploading="onClientFileUploading">
....
</telerik:RadAsyncUpload>
If specified, the OnClientFileUploading client-side event is called whenever a file upload commences. sender, the async upload client object; eventArgs with one property: get_fileName(), the name of the file being uploaded. This event cannot be cancelled.
Gets or sets the name of the client-side function which will be executed when a file upload finishes successfully.k The default value is string.Empty. <script type="text/javascript">
function onClientFileUploaded(sender, eventArgs)
{
var fileName = eventArgs.get_fileName();
}
</script>
<telerik:RadAsyncUpload ID="RadAsyncUpload1"
runat="server"
OnClientFileUploaded="onClientFileUploaded">
....
</telerik:RadAsyncUpload>
If specified, the OnClientFileUploaded client-side event is called when file is uploaded successfully. sender, the async upload client object; eventArgs with one property: get_fileName(), the name of the file that was uploaded. This event cannot be cancelled.
Gets or sets the name of the client-side function which will be executed after files have been selected. This event can be cancelled. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after a file has been dropped. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed after a file has been selected. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed when a file upload ends unsuccessfully. The default value is string.Empty. <script type="text/javascript">
function onClientFileUploadFailed(sender, eventArgs)
{
var message = eventArgs.get_message();
}
</script>
<telerik:RadAsyncUpload ID="RadAsyncUpload1"
runat="server"
OnClientFileUploadFailed="onClientFileUploadFailed">
....
</telerik:RadAsyncUpload>
If specified, the OnClientFileUploadFailed client-side event is called when a file fails to upload. One can set the set_handled property to false which will force the async upload to throw an exception the error message to the JavaScript console. sender, the async upload client object; eventArgs with three properties: get_message(), the error message containing the reason for the failed upload get_handled(), gets a value indicating whether the developer will handle the error set_handled(), sets a value indicating whether the developer will handle the error This event cannot be cancelled.
Gets or sets the name of the client-side function which will be executed if the selected file has invalid extension The default value is string.Empty. <script type="text/javascript">
function onClientValidationFailed(sender, eventArgs)
{
var fileName = eventArgs.get_fileName();
var input = eventArgs.get_fileInputField();
}
</script>
<telerik:RadAsyncUpload ID="RadAsyncUpload1"
runat="server"
OnClientValidationFailed="onClientValidationFailed">
....
</telerik:RadAsyncUpload>
If specified, the onClientValidationFailed client-side event is called when a file has invalid extension or its size exceeds the maximum allowed size sender, the async upload client object; eventArgs with two properties: get_fileName(), the name of the file that failed to upload. get_fileInputField(), the file input field DOM element. This event cannot be cancelled.
Gets or sets the name of the client-side function which will be executed before a file input is deleted from a RadAsyncUpload instance. The event can be cancelled. The default value is string.Empty. This example demonstrates how to implement a confirmation dialog when removing a file input item. <radU:RadAsyncUpload OnClientFileUploadDeleting="myOnClientDeleting" ... /> <script language="javascript"> function myOnClientDeleting() { args.set_cancel(prompt("Are you sure?")); } </script> <radU:RadAsyncUpload OnClientFileUploadingDeleting="myOnClientDeleting" ... /> <script language="javascript"> function myOnClientDeleting() { args.set_cancel(prompt("Are you sure?")); } </script> If you want to cancel the deleting of the file input return false in the javascript handler. Gets or sets the name of the client-side function which will be executed after a file input has been deleted from a RadAsyncUpload instance. The default value is string.Empty. Gets or sets the client progress updating. The client progress updating. Gets or sets the maximum file size allowed for uploading in bytes. The default value is 0 (unlimited). Set this property to 0 in order to prevent the file size checking. AllowedMimeTypes Property AllowedFileExtensions Property Gets or sets the size of the uploading chunks in bytes. The default value is 2097152(2MB). When FileApi upload module is used the selected files are uploading on chunks and the property set theirs size. Gets or sets whether the upload configuration to be persisted into ControlState(if the upload configuration is different than null). The default value is false. Comma separated values - controls' ids. If the property is set the client state is updated in case some of the enumerated controls, triggered a postback. The default value is string.Empty. Gets or sets the initial count of file input fields, which will appear in RadAsyncUpload. The file inputs count which will be available at startup. The default value is 1. Gets or sets the maximum file input fields that can be added to the control. The default value is 0 (unlimited). Using this property you can limit the maximum number of file inputs which can be added to a RadAsyncUpload instance. MaxFileInputs count is only applicable when MultipleFileSelection is set to Disabled InitialFileInputsCount Property Gets or sets the size of the file input field The default value is 23. Provides access to the valid files uploaded by the RadAsyncUpload instance. UploadedFileCollection containing all valid files uploaded using a RadAsyncUpload control. This example demonstrates how to save the valid uploaded files with a RadAsyncUpload control. For Each file As Telerik.WebControls.UploadedFile In RadAsyncUpload1.UploadedFiles file.SaveAs(Path.Combine("c:\my files\", file.GetName()), True) Next foreach (Telerik.Web.UI.UploadedFile file in RadAsyncUpload1.UploadedFiles) { file.SaveAs(Path.Combine(@"c:\my files\", file.GetName()), true); } Gets or sets the virtual path of the folder, where RadUpload will automatically save the valid files after the upload completes. A string containing the virtual path of the folder where RadUpload will automatically save the valid files after the upload completes. The default value is string.Empty. When set to string.Empty, the files must be saved manually to the desired location. Gets or sets the value indicating whether the file input fields skinning will be enabled. true when the file input skinning is enabled; otherwise false. The <input type=file> DHTML elements are not skinnable by default. If the EnableFileInputSkinning is true some browsers can have strange behavior. Gets or sets a value indicating if RadAsyncUpload should check the Telerik.Web.UI.WebResource handler existence in the application configuration file. The check is not performed when custom handler is used. This class reads the source information and copies it to the destination stream. Reads the source information and copies it to the destination stream. The source. The destination. This class defines the AutoCompleteBoxEntry object. It inherits both WebControl and IMarkableStateManager. AutoCompleteBoxEntries are displayed as a sequence of strings separated by a delimiter in RadAutoCompleteBox. This method marks the Parameter object so its state will be recorded in view state. Gets or sets the data item. The data item. Gets or sets the text of the AutoCompleteBox entry. Gets or sets the value of the AutoCompleteBox entry. This class gets or sets the log entries in the ClientState and enables or disables it. Gets or sets the log entries. The log entries. Gets or sets the enabled. The enabled. This class defines a Collection of AutoCompleteBoxEntries. Initializes a new instance of the AutoCompleteBoxEntryCollection class. Returns a that represents the current . A that represents the current . Represents the settings of the Token. Gets a value indicating whether the text of the RadAutoComplete Tokens can be edited when user double clicks on it. Represents the settings of the Token. Gets a value indicating whether the user can select multiple entries. This class defines the AutoCompleteBoxData object. Gets or sets the context. The context. Gets or sets the items. The items. Gets or sets the end of items. The end of items. This class defines the DropDownItem that implements Control and INamingContainer and its fields, constructors and methods. Gets or sets the template. The template. Gets or sets the data item. The data item. Gets or sets the text. The text. Gets or sets the value. The value. Gets or sets the Templated. The Templated. This Class defines the AutoCompleteBoxItemData object with fields Text, Value, Enabled and Attributes. This class is used for transferring data to the client side. Text for the item to pass to the client. Value for the item to pass to the client. A value indicating if the item to pass to the client is enabled. Custom attributes for the item to pass to the client. Specifies if the RadAutoCompleteFilter uses Contains or StartsWith functionality. The DropDown is horizontally aligned to the currently typed text. Automatic = 0 The DropDown is horizontally aligned to the RadAutoCompleteBox. Static = 1 TSpecifies if the RadAutoCompleteFilter uses Contains or StartsWith functionality. The control can have only one entry at a time. Single = 0 The default behavior - the control can have multiple entries. Multiple = 1 Specifies if the RadAutoCompleteFilter uses Contains or StartsWith functionality. RadAutoCompleteFilter is set to Contains filtering mode. Contains = 0 RadAutoCompleteFilter is set to StartsWith filtering mode. StartsWith = 1 Specifies whether the RadAutoCompleteInputType is a token or text. RadAutoCompleteInputType is set to a Token. Token = 0 RadAutoCompleteInputType is set to Text. Text = 1 This class defined the AutoCompleteEntryEventArgs event argument. Gets or sets the entry. The entry. This class defines the PostBack Arguments of RadAutoCompleteBox. For internal use only. /// Gets or sets the command. The command. Gets or sets the index. The index. Gets or sets the ClientState. The ClientState. Gets or sets the text. The text. Gets or sets the value. The value. This class defines the RadAutoCompleteContext object and gets or sets the text in it. Gets or sets the text. The text. Gets whether all results should be displayed. This class defines the AutoCompleteDropDownItem event argument. Gets or sets the item. The item. Provides data for the AutoCompleteText event of the RadAutoCompleteBox control. Gets or sets the text. The text. Telerik RadAutoCompleteBox for ASP.NET AJAX is a powerful drop-down list control which gives the ability to select multiple entries, displaying them as a sequence of strings separated by a delimiter, or fancy styled tokens depending on your preferences. Telerik RadAutoCompleteBox for ASP.NET AJAX is a powerful drop-down list control which gives the ability to select multiple entries, displaying them as a sequence of strings separated by a delimiter, or fancy styled tokens depending on your preferences. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadAutoCompleteBox selection and/or text. Gets or sets a value indicating how the items text should be formatted. Defines the maximum number of results shown in the autocomplete dropdown. The maximum number of results shown in the autocomplete dropdown. Defines the minimum number of characters that must be typed before the autocomplete is triggered. The minimum number of characters that must be typed before the autocomplete is triggered. Gets or sets whether the first match will be highlighted. Gets or sets a value indicating whether the RadAutoCompleteBox should apply “Contains” or “StartsWith” filter logic. Gets or sets a value that indicates whether the filter logic is case-sensitive or not. Gets or sets a value indicating how the RadAutoCompleteBox items should be displayed - as tokens or as text. Gets or sets a value indicating how the RadAutoCompleteBoxDropDown should be positioned. Gets the text of the input field. The text composed of all the AutoCompleteBoxEntries separated by a delimiter. The default is empty string. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets the RadAutoCompleteBox entries collection. Gets or sets the DataTextField. The DataTextField. Gets or sets the DataValueField. The DataValueField. Gets or sets a value indicating whether the filtering is done on the client, or each typed letter should trigger a request. Gets or sets a value indicating whether the user will be able to add a custom text not present within the raw data in order to create a custom entry. Gets or sets a value indicating whether a loading icon should be shown while a request it pending. Gets or sets a value indicating what delimiter should be used when the control displays the selected items as text (InputType = Text) Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. Gets or sets the template for the items that appear in the dropdown. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets or sets the template for the items that appear in the dropdown. Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public DropDownDataItemData[] WebServiceMethodName(object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadAutoCompleteBox. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadAutoCompleteBox. ASPX: <telerik:RadAutoCompleteBox ID="RadAutoCompleteBox1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> </telerik:RadAutoCompleteBox> void Page_Load(object sender, EventArgs e) { RadAutoCompleteBox1.ExpandAnimation.Type = AnimationType.Linear; RadAutoCompleteBox1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadAutoCompleteBox1.ExpandAnimation.Type = AnimationType.Linear RadAutoCompleteBox1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when the dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadAutoCompleteBox. You can specify the Type and Duration. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadAutoCompleteBox. ASPX: <telerik:RadAutoCompleteBox ID="RadAutoCompleteBox1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> </telerik:RadAutoCompleteBox> void Page_Load(object sender, EventArgs e) { RadAutoCompleteBox1.CollapseAnimation.Type = AnimationType.Linear; RadAutoCompleteBox1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadAutoCompleteBox1.CollapseAnimation.Type = AnimationType.Linear RadAutoCompleteBox1.CollapseAnimation.Duration = 300 End Sub
Determines whether the Screen Boundaries Detection is enabled or not. Determines whether the Direction Detection is enabled or not. Gets or sets the height of the dropdown in pixels. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets the width of the dropdown in pixels. Gets or sets a value indicating what message will be displayed then the control is empty (has no entries selected). The HTML Z-index of the items dropdown of RadAutoCompleteBox. Its default value is 7000. Can be used when the dropdown is to be shown over content with a specified Z-index. If the RadAutoCompleteBox items dropdown is displayed below the content, set the ZIndex property to a value higher than the value of the HTML content below. Gets the Tokens settings. Gets the Text settings. Gets the localization. The localization. Gets or sets a value indicating where RadAutoCompleteBox will look for its .resx localization files. The localization path. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets or sets the label of the control. The label of the control. Gets or sets the CSS class of the label. The label CSS class. Gets or sets the width of the control's label When set to true enables support for WAI-ARIA. Gets the object that controls the Wai-Aria settings applied on the control's input element. Occurs before template is being applied to the dropdown item. The DropDownTemplateNeeded event is commonly used for dynamic templating. Occurs when an entry is added Occurs when an entry is removed Occurs when the text is changed Occurs before a select command is sent to the DataSource. Gets or sets the name of the JavaScript function which handles the load client-side event. The load event occurs when RadAutoCompleteBox is initialized. Gets or sets the name of the JavaScript function called when the dropdown is about to be opened The OnClientDropDownOpening event can be cancelled by setting its cancel client-side property to false. function onClientDropDownOpening(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called when the dropdown is opened Gets or sets the name of the JavaScript function called when the dropdown is about to be closed The OnClientDropDownClosing event can be cancelled by setting its cancel client-side property to false. function onClientDropDownClosing(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called when the dropdown is closed Gets or sets the name of the JavaScript function called when an DropDownItem is created during Web Service Load on Demand. Gets or sets the name of the JavaScript function called when an entry is about to be added The OnClientEntryAdding event can be cancelled by setting its cancel client-side property to false. unction onClientEntryAdding(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called when an entry was added Gets or sets the name of the JavaScript function called when an entry is about to be removed The OnClientEntryAdding event can be cancelled by setting its cancel client-side property to false. unction onClientEntryRemoving(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called when an entry was removed Gets or sets the name of the JavaScript function called when the text is changed Gets or sets a value indicating the client-side event handler that is called when the RadAutoCompleteBox is about to be populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnItemsRequesting client-side event handler is called when the RadAutoCompleteBox is about to be populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties: get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled. Gets or sets a value indicating the client-side event handler that is called when the RadAutoCompleteBox items were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientRequested client-side event handler is called when the RadAutoCompleteBox items were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs, null for this event. This event cannot be cancelled. Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadAutoCompleteBox has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientRequestFailed client-side event handler is called when the operation for populating the RadAutoCompleteBox has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled. Enumeration of the supported Barcode rendering types Render the Barcode as SVG or VML (for older browsers) Render the Barcode as PNG embedded into Data URI in img tag. Enumeration of supported barcode standards Code 11 Code 128 Code 128 Set A Code 128 Set B Code 128 Set C Code 39 (also known as Alpha39, Code 3 of 9, Code 3/9, Type 39, USS Code 39, or USD-3) Code 39 Extended EAN-8 8 digit European Article Number (also known as International Article Number) EAN-13 13 digit European Article Number (also known as International Article Number) Codabar barcode MSI (Modified Plessey) barcode mod 10 MSI (Modified Plessey) barcode mod 11 MSI (Modified Plessey) barcode mod 10 + mod 10 MSI (Modified Plessey) barcode mod 10 + mod 11 Code 25 Standard (Industrial) Code 25 Interleaved Code 93 Code 93 Extended UPC-A Universal Product Code UPC-E Universal Product Code UPC-A (Universal Product Code) plus 2 digit supplement UPC-A (Universal Product Code) plus 5 digit supplement Postnet Barcode QR (Quick Response) code PDF417 An enumeration of checksum types for MSI code type. Modulo 10, the default. Modulo11. Two modulo 10 checksums. Modulo 11 and modulo 10 checksums. This is the base class for all simple barcodes, such as Code39, and Code128. This is the base class for symbology1D, outlining the base logic. Initializes a new instance of the class. This determines whether a checksum should be generated for the code. GapChar. BarChar. This method generates the geometry for each segment of the control. This is the checksum for the code. This is the Code11 declaration. Prefix. Suffix. This is the Code39 declaration. Initializes a new instance of the class. This method validates the text. Gets the indices for the text. Gets the indices for the text. Code128 class. Initializes a new instance of the class. Gets the indices for the text. Code12B class. Initializes a new instance of the class. Gets the indices for the text. Code128C class. Initializes a new instance of the class. Gets the indices for the text. This is the Code39 declaration. Prefix. Suffix. Initializes a new instance of the class. This method validates the text of the barcode. This is the EAN13 Barcode type. This is the base class for EAN UPC codes. Padding. Charset. Initializes a new instance of the class. Gets the symbols for any code. Calculates the checksum for the code. Gets or sets the LeadingTextboxText. The LeadingTextboxText. Gets or sets the MainPart1TextboxText. The MainPart1TextboxText. Gets or sets the MainPart2TextboxText. The MainPart2TextboxText. Gets or sets the EndTextboxText. The EndTextboxText. Gets or sets the SecondaryTextboxText. The SecondaryTextboxText. Prefix. Suffix. Center code. Right. Parity. Encoding. Initializes a new instance of the class. Gets the first part of the text. Gets the encoding for the code type. Validates the value. Sets the textbox values. SEts the left part of the text. Sets the right part of the text. Exposes the parity property. Exposes the encoding property. This is the EAN8 Barcode type. LEft. Right. Prefix. Suffix. Center. Initializes a new instance of the class. Gets the encoding for the code type. This is the Postnet declaration. Initializes a new instance of the class. This method generates the geometry for each segment of the control. Gets the encoding for the code type. Validates the postnet value. Gets the checksum for the code. Gets the checksum for the code. This is the UPCE Barcode type. Prefix. Suffix. Initializes a new instance of the class. Encodes the data. Validates the value. Gets symbols if needed. Sets textbox values. Gets head text. Gets tail text. Gets left text. Validates the value. Holds collection of settings for the QRCode mode of RadBarcode control Use this to specify size of the barcode dots in pixels. Use this to achieve sharp rendered QR Code. You can use this in combination with Width=”” and Higth=”” and the QR will be sized according to the number of its dots. If you set DotSize to zero, the QR symbol will be resized to fill up the Width and Height. Set DotSize = -1, if you want dots size to be auto calculated for the QR to fit into given width and hight Set to true to increase the Version automatically in order to encode longer text, if you are not sure what version to set. By default is set to true. There are four values available for this property - Alphanumeric, Numeric, Byte and Kanji. Essentially, this determines the sets of acceptable symbols - numbers, characters, etc. This is an integer value, in the range from 1 to 40, representing the version which one desires to use. If set to 0, the version will be auto calculated depending on the lenght of the text. Usually, higher-version QR codes are used do accommodate larger amounts of data. There are four possible values to choose from - L(Low), M(Medium), Q(Quartile), H(High). These values allow for 7%, 15%, 25% and 30% recovery of symbol code words. Additionally, choosing a higher version of error correction dedicates a larger portion of modules for error correction. Thus, given two QR codes with the same sizes, the one with a lower error correction level would be able to accommodate more data. (Extended Channel Interpretations Encoding) property allows for additional data to be applied to the FNC1 data. Please, keep in mind, that this is only applicable with FNC1Mode.FNC1SecondPosition. Additionally, the acceptable data for this property is in the range {a-z}],{[A-Z} and {00-99}. Do not change the encoding if you plan to decode your barcodes on smart phones. Some readers are working with the default encoding only. This mode is used for messages containing data formatted either in accordance with the UCC/EAN Application Identifiers standard, or in accordance with a specific industry standard previously agreed with AIM International. This property allows for additional data to be applied to the FNC1 data. Please, keep in mind, that this is only applicable with FNC1Mode.FNC1SecondPosition. Additionally, the acceptable data for this property is in the range {a-z}],{[A-Z} and {00-99}. Initializes a new instance of the class. Gets or sets the CodeWordsPerBlock. The CodeWordsPerBlock. Gets or sets the FirstBlockCount. The FirstBlockCount. Gets or sets the FirstDataCodeWords. The FirstBlockCount. Gets or sets the SecondBlockCount. The SecondBlockCount. Gets or sets the SecondBlockCodeWords. The SecondBlockCodeWords. Initializes a new instance of the class. Gets or sets the Version. The Version. Gets or sets the ErrorCorrection. The ErrorCorrection. TODO: Update summary. ECI (Extended Channel Interpretations) base class Gets or sets the UnicodeValues. The UnicodeValues. Gets or sets the EncodedValues. The EncodedValues. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the class. Gets or sets the CharSet. The CharSet. Gets or sets the Encoding. The Encoding. Initializes a new instance of the class. TODO: Update summary. Initializes a new instance of the ByteMode class. Kanji ECI mode for QRCode. See QRCodeSettings for more information Initializes a new instance of the class. This method encodes the data for the Kanji Mode. Validates the data, to ensure no invalid characters are present. These are the modes available for the QR control. Determines the type of code, such as Numeric, Alphanumeric, Byte or Kanji. Byte Mode. Allows Numbers [0-9]. Allows characters or numbers. Kanji Mode. Determines how much data is available for error correction. Low. Medium. Quartile. High. Determines the Extended Channel Interpretation mode, which allows for encoding of characters from other sets. None. ECI 9. ECI 8. ECI 7. ECI 6. ECI 5. ECI 4. ECI 3. ECI 2. ECI 1. ECI 10. ECI 11. ECI 13. ECI 15. ECI 17. ECI 21. ECI 22. ECI 23. ECI 24. ECI 27. Signifies application of special formatting to the code data. None. FNC 1 in first position. FNC 1 in second position. TODO: Update summary. Initializes a new instance of the class. RadBarcodeEAN8 is a control which encodes numbers into a series of bars. It is of fixed length, of 7 digits, and accepts numbers only. It includes a checksum, for a total of 8 characters in the code. This is the base class for all multi section bar codes. These are codes, which consist of more than one section, such as EAN13, UPCA. This method gets all trailing zeros in a string. This method gets all leading zeros in a string. Gets or sets the RightText. Gets or sets the LeadingText. Gets or sets the TrailingText. This is the base class for all one section codes. UPCA is a barcode symbology, which consists of 12 digits, one of which is a checksum. Gets or sets the LeadingText. Gets or sets the TrailingText. This is the UPCA Barcode type. Gets the encoding for this code type. Validates the code text. Sets the textbox values. Gets last section text. Gets left part text. Gets right part text. RadBarcodeEAN13 is a control which encodes numbers into a series of bars. It is of fixed length, of 7 digits, and accepts numbers only. It includes a checksum. RadBarcodeEAN8 is a control which encodes numbers into a series of bars. It is of fixed length, of 7 digits, and accepts numbers only. It includes a checksum. RadBarcode control. Control for rendering Barcode or QR text into an Image or SVG Gets rendered Barcode as Image Renders the begin tag of RadBarcode control into HtmlTextWriter Gets a collection of script descriptors that represent ECMAScript (JavaScript) client components. An collection of objects. Gets a collection of objects that define script resources that the control requires. An collection of objects. Specify additional settings when using Type="QRCode" Specify additional settings when using Type="PDF417" Specify the alternate text for the img tag of RadBarcode "Specify width of lines in pixels when OutputType is EmbeddedPNG" Specify the barcode standard that should be used Specify the rotation of the Barcode Specify the text that will be encoded as barcode Specify the width of the rendered barcode Specify the height of the rendered barcode Get or set the length ration between shorter and longer lines in the barcode Get or set the Y position of the barcode text in percents. By default is 100%. If bottom of the text is cut off by the border of the barcode, than set this property to lower value like 90, or 80, depending on the font size. Get or set whenever to include checksum into the rendered barcode Get or set whenever to show human readable text under the barcode Get or set whenever to include the checksum after the text under the barcode Change the output type of RadBacrode. Use SVG_VML to render SVG (or VML for older browsers) element inside the HTML. Use EmbeddedPNG to render img tag with Data URI for src. When set to true enables support for WAI-ARIA Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. MSI is a continuous, non-self-checking symbology. The length of an MSI bar code is variable. Gets or sets the ChecksumType. The ChecksumType. Contains helper methods to retrieve and convert between image formats Converts the specified image to a byte array The object to convert The output to convert the image to Converts a byte array containing image data into an object. The binary image data to convert Retrieves the MIME type of the specified binary image data A byte array containing the binary image data Retrieves the of the specified binary image data A byte array containing the binary image data Gets a value indicating whether the image is in TIFF format. A byte array containing the binary image data Gets a value indicating whether the image is in PNG format. A byte array containing the binary image data Gets a value indicating whether the image is in GIF format. A byte array containing the binary image data Gets a value indicating whether the image is in JPEG format. A byte array containing the binary image data Gets a value indicating whether the image is in BMP format. A byte array containing the binary image data Removes any beginning non-header bytes from the binary image data. After the removal, the image header is guaranteed to start from the first byte index. A byte array containing the binary image data Returns the starting offset of the image header in the specified byte array. A byte array containing the binary image data The Telerik.Web.UI.RadComboBoxDropDownAutoWidth enumeration supports two values - Enabled and Disabled. This Class defines the RadComboBoxDefaultItem that inherits the RadComboBoxItem. Represents an individual item in a control. Represents an individual item in a control. RadComboBoxItem class. Renders the HTML opening tag of the control to the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Renders the HTML closing tag of the control into the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Initializes a new instance of the class. Initializes a new instance of the class. Does not set the Value property of the instance. The text of the item. Initializes a new instance of the class. The text of the item. The value of the item. Compares two instance for equality. returns 0 if equal, a positive number if the first is greater than the second, and a negative number otherwise. Removes this instance. May throw exception: Cannot remove a RadComboBoxItem that has not been added to a RadComboBox parent. Gets or sets the text caption for the combobox item. The text of the item. The default value is empty string. Use the Text property to specify the text to display for the item. Gets or sets the value for the combobox item. The value of the item. The default value is empty string. Use the Value property to specify the value Gets the RadComboBox instance which contains the current item. Gets the RadComboBox instance which contains the current item. Gets or sets the selected state of the combobox item. The default value is false. Use the Selected property to determine whether the item is selected or not. Gets or sets the checked state of the combobox item. The default value is false. Use the Checked property to determine whether the item is checked or not. Gets or sets the tooltip of the combobox item. Sets or gets whether the item is separator. It also represents a logical state of the item. Might be used in some applications for keyboard navigation to omit processing items that are marked as separators. Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the item when it is disabled. The path to the image to display for the item. The default value is empty string. Use the DisabledImageUrl property to specify the image for the item when it is disabled. If the DisabledImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the text caption for the default item. The text of the item. The default value is empty string. Use the Text property to specify the text to display for the item. Gets or sets the value for the default item. The value of the item. The default value is empty string. Use the Value property to specify the value Specifies the rendering mode of the control. Renders the control in "classic" mode i.e. compatibility with older browsers is preserved. This is the default value. Renders the control using HTML 5 markup and CSS 3. Using HTML 5 and CSS 3 greatly reduces the size and the complexity of the html/css used to skin the control. Renders the control as a native HTML element. For now, only RadComboBox supports such rendering. For now, only RadComboBox supports such rendering. Renders the control with a special mobile friendly UI. Applicable only when the target control will be exclusively shown under mobile devices. If this is not the case please use RenderMode.Auto Export Infrastructure exception ExportInfrastructureException constructor Exception message Provides data for the Click event. Initializes a new instance of the ButtonClickEventArgs class with the specified arguments. Indicates whether the Split Button was clicked. Initializes a new instance of the ButtonClickEventArgs class with another ButtonClickEventArgs object. A ButtonClickEventArgs that contains the event data. Gets or sets a bool value that indicates whether the click event was initiated by clicking the Split Button Specifies the possible values for the SplitButtonPosition property of the RadButton control. The Split Button is rendered on the right (to the right of the text) of the control. The Split Button is rendered on the left (to the left of the text) of the control. Provides data for the Command event. Initializes a new instance of the ButtonCommandEventArgs class with the specified arguments. The command name of the RadButton control. The command argument of the RadButton control. Indicates whether the Split button was clicked. Initializes a new instance of the ButtonClickEventArgs class with another ButtonCommandEventArgs object. A ButtonCommandEventArgs that contains the event data. Gets or sets a bool value that indicates whether the command event was initiated by clicking the Split Button. Represents the method that will handle the ToggleStateChanged event. Represents the method that will handle the ToggleStateChanged event. The method to handle click event on an ImageButton JavaScript converter that converts the RadButtonToggleState type to JSON object. Gets or sets the parent RadButton control used to resolve the client URLs. This class represents a single RadButton ToggleState when the RadButton control is used as custom toggle button. This class represents a single ToggleState when the RadButton control is used as custom toggle button. Creates a RadButton ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. The CssClass of the ToggleState. Creates a RadButton ToggleState. The Text of the ToggleState. The CssClass of the ToggleState. The Value of the ToggleState. Gets or sets the text displayed in the RadButton control. Gets or sets optional Value. Gets or sets a bool value indicating whether the ToggleState is selected or not. Gets or sets the CSS class applied to the RadButton control. Gets or sets the CSS class applied to the RadButton control when the mouse pointer is over the control. Gets or sets the CSS class applied to the RadButton control when the control is pressed. Gets or sets the width of the RadButton control. Gets or sets the height of the RadButton control. Gets or sets the CSS class applied to the Primary Icon. Gets or sets the URL to the image used as Primary Icon. Gets or sets the URL to the image showed when the Primary Icon is hovered. Gets or sets the URL to the image showed when the Primary Icon is pressed. Gets or sets the Height of the Primary Icon. Gets or sets the Width of the Primary Icon. Gets or sets the top edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the bottom edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the left edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the right edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the CSS class applied to the Secondary Icon. Gets or sets the URL to the image used as Secondary Icon. Gets or sets the URL to the image showed when the Secondary Icon is hovered. Gets or sets the URL to the image showed when the Secondary Icon is pressed. Gets or sets the Height of the Secondary Icon. Gets or sets the Width of the Secondary Icon. Gets or sets the top edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the bottom edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the left edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the right edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets a bool value indicating how the Image is used - i.e. as a background image or as an Image Button. Gets or sets the location of an image to display in the RadButton control. Gets or sets the location of an image to display in the RadButton control, when the mouse pointer is over the control. Gets or sets the location of an image to display in the RadButton control, when the control is pressed. The RadButton control that contains the ToggleState. JavaScript converter that converts the RadButtonIcon type to JSON object. Gets or sets the parent RadButton control used to resolve the client URLs. JavaScript converter that converts the RadButtonImage type to JSON object. Gets or sets the parent RadButton control used to resolve the client URLs. Manages Primary and Secondary Icons of the RadButton control. Gets or sets a bool value indicating whether the RadButton will show the Primary Icon. Gets or sets the CSS class applied to the Primary Icon. Gets or sets the URL to the image used as Primary Icon. Gets or sets the URL to the image showed when the Primary Icon is hovered. Gets or sets the URL to the image showed when the Primary Icon is pressed. Gets or sets the Height of the Primary Icon. Gets or sets the Width of the Primary Icon. Gets or sets the top edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the bottom edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the left edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets the right edge of the Primary Icon, relative to the RadButton control's wrapper element. Gets or sets a bool value indicating whether the RadButton will show the Secondary Icon. Gets or sets the CSS class applied to the Secondary Icon. Gets or sets the URL to the image used as Secondary Icon. Gets or sets the URL to the image showed when the Secondary Icon is hovered. Gets or sets the URL to the image showed when the Secondary Icon is pressed. Gets or sets the Height of the Secondary Icon. Gets or sets the Width of the Secondary Icon. Gets or sets the top edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the bottom edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the left edge of the Secondary Icon, relative to the RadButton control's wrapper element. Gets or sets the right edge of the Secondary Icon, relative to the RadButton control's wrapper element. Manages the image shown in the RadButton control. Gets or sets a bool value indicating how the Image is used - i.e. as a background image or as an Image Button. Gets or sets the location of an image to display in the RadButton control. Gets or sets the location of an image to display when the RadButton control is disabled. Gets or sets the location of an image to display in the RadButton control, when the mouse pointer is over the control. Gets or sets the location of an image to display in the RadButton control, when the control is pressed. Gets or sets a bool value indicating whether the RadButton is rendered as Image Button. Use this property if you want to set the image through the CssClass property of the RadButton control. In case the ImageUrl property is set this property is automatically set to true. Provides data for the ToggleStateChanged event. Initializes a new instance of the ButtonToggleStateChangedEventArgs class with the specified arguments. The name of the command. The object containing the arguments for the command. The current ToggleState index of the RadButton control. The currently selected ToggleState of the RadButton control. Initializes a new instance of the ButtonToggleStateChangedEventArgs class with another ButtonToggleStateChangedEventArgs object. A ButtonToggleStateChangedEventArgs that contains the event data. Gets or sets the currently selected index of the RadButton control firing the event. Gets or sets the currently selected RadButtonToggleState of the RadButton control firing the event. A collection of RadButtonToggleState objects in a RadButton control Creates an instance of RadButtonToggleStateCollection class. The RadButton control to which the collection belongs. Creates a new RadButtonToggleState and adds it to the current ToggleState collection. The Text of the ToggleState. Removes an item from the ToggleState collection. The ToggleState to remove. Specifies the possible values for the ToggleType property of the RadButton control. This property is valid when ButtonType property is set to ToggleButton. The toggle button behavior is disabled. RadButton behaves as a standard push button. The RadButton control behaves as a standard ASP.NET CheckBox. The RadButton control behaves as a standard ASP.NET RadioButton. The RadButton control behaves as a custom ToggleButton. Use the ToggleStates collection to set custom states of the RadButton control. Specifies the possible values for the ButtonType property of the RadButton control. A standard INPUT element with type=submit or type=button is rendered. UseSubmitBehavior property controls the the type of the INPUT. An ANCHOR element is rendered. Target and NavigateUrl properties are specific for this button type. Use this ButtonType when you want to use the RadButton as RadioButton or CheckBox. Skinned LinkButton with applied rounded corners. Describes the RadCalendar range selection modes. None - does not allow range selection. OnKeyHold - allow range selection by pressing [Shift] key and clicking on the date. ConsecutiveClicks - allow range selection by clicking consecutively two dates. Does not allow range selection. 1 Allow range selection by pressing [Shift] key and clicking on the date. 2 Allow range selection by clicking consecutively two dates. 3 Enumeration determining the cell type. Enumeration determining the row type. Summary description for MonthYearPickerClientEvents. See Client Events for more information. Owner RadMonthYearPicker control MonthYearPickerClientEvents constructor. See Client Events for more information. Gets or sets the name of the client-side event handler that is executed whenever the selected date of the datepicker is changed.
            [ASPX/ASCX]
            
            <script type="text/javascript" >
function DatePicker_OnDateSelected(pickerInstance, args)
{
alert("The picker date has been changed from " + args.OldDate + " to " + args.NewDate);
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server" >
<ClientEvents OnDateSelected="DatePicker_OnDateSelected" />
</radCln:RadDatePicker>
Gets or sets the name of the client-side event handler that is executed whenever the selected month of the picker is changed. The name of the client-side event handler that is executed whenever the selected month of the picker is changed. Gets or sets the name of the client-side event handler that is executed whenever the selected year of the picker is changed. The name of the client-side event handler that is executed whenever the selected year of the picker is changed. Gets or sets the name of the client-side event handler that is executed whenever the years view is changed. The name of the client-side event handler that is executed whenever the years view is changed. Gets or sets the name of the client-side event handler that is executed prior to opening the calendar popup and its synchronizing with the DateInput value. There can be some conditions you do want not to open the calendar popup on click of the popup button. Then you should cancel the event either by return false; or set its argument args.CancelOpen = true;
            <script type="text/javascript">
function Opening(sender, args)
{
args.CancelOpen = true;
//or
return false;
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupOpening="Opening"/>
</radCln:RadDatePicker>
Set the args.CancelSynchronize = true; to override the default DatePicker behavior of synchronizing the date in the DateInput and Calendar controls. This is useful for focusing the Calendar control on a date different from the DateInput one.
            <script type="text/javascript">
function Opening(sender, args)
{
args.CancelCalendarSynchronize = true;
sender.Calendar.NavigateToDate([2006,12,19]);
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server" >
<ClientEvents OnPopupOpening="Opening"/>
</radCln:RadDatePicker>
            [ASPX/ASCX]        
            
            <script type="text/javascript">
function OnPopupOpening(datepickerInstance, args)
{
......
}
</script>

<radcln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupOpening="OnPopupOpening" />
</radcln:RadDatePicker>
Gets or sets the name of the client-side event handler that is executed prior to closing the calendar popup.
            [ASPX/ASCX]        
            
            <script type="text/javascript">
function OnPopupClosing(datepickerInstance, args)
{
......
}
</script>

<radcln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupClosing="OnPopupClosing" />
</radcln:RadDatePicker>
There can be some conditions you do want not to close the calendar popup on click over it. Then you should cancel the event either by return false; or set its argument args.CancelClose = true;
            <script type="text/javascript">
function Closing(sender, args)
{
args.CancelClose = true;
//or
return false;
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupClosing="Closing"/>
</radCln:RadDatePicker>
The event arguments passed when cell is created. Gets or sets the cell. The cell. The MonthYearFastNavigationSettings class can be used to configure RadMonthYear's client-side navigation popup. The MonthYearFastNavigationSettings class can be used to configure RadCalendar's client-side fast navigation. Gets or sets the value of the "Today" button caption; This property can be used to localize the button caption. The default is "Today". Gets or sets the value of the "OK" button caption; This property can be used to localize the button caption. The default is "OK". Gets or sets the value of the "Cancel" button caption; This property can be used to localize the button caption. The default is "Cancel". Gets or sets the value of the "Date is out of range" error message. This property can be used to localize the message the user sees when she tries to navigate to a date outside the allowed range. The default is "Date is out of range.". Gets or sets the value indicating whether the Today button should perform date selection or simple navigation. The default value is false (i.e. Today button works as a navigation enhancement only). Gets or sets a value indicating whether the months that are out of range will be disabled. The default value is false. Setting this property to true will disable the months that are out of range Gets or sets whether the screen boundaries should be taken into consideration when the Fast Navigation Popup is displayed. Gets the settings associated with showing the fast month year navigation. The settings associated with showing the fast month year navigation. Gets the settings associated with hiding the fast month year navigation. The settings associated with hiding the fast month year navigation. Gets or sets the name of the image that is displayed for the next year navigation control. The name of the image that is displayed for the next year navigation control. Gets or sets the value indicating whether the Today button should perform date selection or simple navigation. The default value is false (i.e. Today button works as a navigation enhancement only). Gets or sets the text displayed for the next year navigation control. The text displayed for the next year navigation control. Gets or sets the text displayed for the next year navigation control. The text displayed for the next year navigation control. Gets or sets name of the image that is displayed for the previous year navigation control. The name of the image that is displayed for the previous year navigation control. Gets or sets the text displayed for the previous year navigation control. The text displayed for the previous year navigation control. Gets or sets the text displayed for the previous year navigation control. The text displayed for the previous year navigation control. Gets or sets the value of the "Today" button caption; This property can be used to localize the button caption. The default is "Current month". Gets or sets the value of the "OK" button caption; This property can be used to localize the button caption. The default is "OK". Gets or sets the value of the "Cancel" button caption; This property can be used to localize the button caption. The default is "Cancel". Gets the settings which determines the animation behavior of the showing of the popup. The animation settings of the showing of the popup. Gets the settings which determines the animation behavior of the hiding of the popup. The animation settings of the hiding of the popup. The control that toggles the TimeView popup. You can customize the appearance by setting the object's properties. The control that toggles the calendar popup. You can customize the appearance by setting the object's properties. Returns a collection of custom attributes for this instance of a component. An containing the attributes for this object. Returns the class name of this instance of a component. The class name of the object, or null if the class does not have a name. Returns the name of this instance of a component. The name of the object, or null if the object does not have a name. Returns a type converter for this instance of a component. A that is the converter for this object, or null if there is no for this object. Returns the default event for this instance of a component. An that represents the default event for this object, or null if this object does not have events. Returns the default property for this instance of a component. A that represents the default property for this object, or null if this object does not have properties. Returns an editor of the specified type for this instance of a component. A that represents the editor for this object. An of the specified type that is the editor for this object, or null if the editor cannot be found. Returns the events for this instance of a component. An that represents the events for this component instance. Returns the events for this instance of a component using the specified attribute array as a filter. An array of type that is used as a filter. An that represents the filtered events for this component instance. Returns the properties for this instance of a component. A that represents the properties for this component instance. Returns the properties for this instance of a component using the attribute array as a filter. An array of type that is used as a filter. A that represents the filtered properties for this component instance. Returns an object that contains the property described by the specified property descriptor. A that represents the property whose owner is to be found. An that represents the owner of the specified property. Gets or sets the programmatic identifier assigned to the server control. The programmatic identifier assigned to the control. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or sets the popup button image URL. Gets or sets the popup button hover image URL. Gets or sets the access key that allows you to quickly navigate to the Web server control. The access key for quick navigation to the Web server control. The default value is , which indicates that this property is not set. The specified access key is neither null, nor a single character string. Gets or sets the background color of the Web server control. A that represents the background color of the control. The default is , which indicates that this property is not set. Gets or sets the border color of the Web control. A that represents the border color of the control. The default is , which indicates that this property is not set. Gets or sets the border style of the Web server control. One of the enumeration values. The default is NotSet. Gets or sets the border width of the Web server control. A that represents the border width of a Web server control. The default value is , which indicates that this property is not set. The specified border width is a negative value. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Gets the font properties associated with the Web server control. A that represents the font properties of the Web server control. Gets or sets the foreground color (typically the color of the text) of the Web server control. A that represents the foreground color of the control. The default is . Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets the skin to apply to the control. The name of the skin to apply to the control. The default is . The skin specified in the property does not exist in the theme. Gets or sets a value indicating whether themes apply to this control. true to use themes; otherwise, false. The default is true. The Page_PreInit event has already occurred.- or -The control has already been added to the Controls collection. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or sets the popup button image URL. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . RadMonthYearPicker class Override this method to provide any last minute configuration changes. Make sure you call the base implementation. Sets input focus to a control. Clears the selected date of the RadMonthYearPicker control and displays a blank date. IPostBackDataHandler implementation Gets or sets a value indicating where RadMonthYearPicker will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadMonthYearPickerResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets the skin name for the control user interface. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. A string containing the skin name for the control user interface. The default is string.Empty. Gets the style applied to month cells. The style applied to month cells. Gets the style applied to year cells. The style applied to year cells. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Occurs after all child controls of the RadMonthYearPicker control have been created. You can customize the control there, and add additional child controls. Occurs when the selected date of the RadMonthYearPicker changes between posts to the server. Gets the MonthYearView instance of the MonthYearPicker control. Gets the RadDateInput instance of the RadMonthYearPicker control. Gets the DatePopupButton instance of the RadMonthYearPicker control. You can use the object to customize the popup button's appearance and behavior. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make RadMonthYearPicker postback to the server on date selection through the MonthYearView or the DateInput components. The default value is false. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the title attribute for the hidden field. The default value is "Title and navigation". Gets or sets summary attribute for the table which wraps the RadMonthYearPicker controls. Setting this property to empty string will force Telerik RadMonthYearPicker to not render summary tag. The default value is "RadMonthYearPicker". Gets or sets the caption for the table which wraps the RadMonthYearPicker controls. Setting this property to empty string will force Telerik RadMonthYearPicker to not render caption tag. The default value is "RadMonthYearPicker". Gets or sets the direction in which the popup MonthYearView is displayed, with relation to the RadMonthYearPicker control. Gets the subproperties can be used to modify the fast Month/Year navigation popup settings. The subproperties can be used to modify the fast Month/Year navigation popup settings. Gets or sets the z-index style of the control's popups Sets the render mode of the RadDatePicker and its child controls Gets or sets whether popup shadows will appear. Gets or sets a value indicating whether the picker will create an overlay element to ensure popups are over a flash element or Java applet. The default value is false. Gets or sets the date content of RadMonthYearPicker. A DateTime object that represents the selected date. The default value is MinDate. The following example demonstrates how to use the SelectedDate property to set the content of RadMonthYearPicker. private void Page_Load(object sender, System.EventArgs e) { RadMonthYearPicker1.SelectedDate = DateTime.Now; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadMonthYearPicker1.SelectedDate = DateTime.Now End Sub This property is used by the RadDateInput's internals only. It is subject to change in the future versions. Please do not use. Gets the invalid date string in the control's textbox Gets or sets the date content of RadMonthYearPicker in a database friendly way. A DateTime object that represents the selected date. The default value is null (Nothing in VB). The following example demonstrates how to use the DbSelectedDate property to set the content of RadMonthYearPicker. private void Page_Load(object sender, System.EventArgs e) { RadMonthYearPicker1.DbSelectedDate = tableRow["BirthDate"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadMonthYearPicker1.DbSelectedDate = tableRow("BirthDate") End Sub This property behaves exactly like the SelectedDate property. The only difference is that it will not throw an exception if the new value is null or DBNull. Setting a null value will internally revert the SelectedDate to the null value, i.e. the input value will be empty. Used to determine if RadMonthYearPicker is empty. true if the date is empty; otherwise false. Enables or disables typing in the date input box. true if the user should be able to select a date by typing in the date input box; otherwise false. The default value is true. Gets or sets whether the popup control is displayed when the DateInput textbox is focused. The default value is false. Gets or sets the minimal range date for selection. Selecting a date earlier than that will not be allowed. This property has a default value of 1/1/1980 Gets or sets the latest valid date for selection. Selecting a date later than that will not be allowed. This property has a default value of 12/31/2099 Gets or sets the culture used by RadMonthYearPicker to format the date. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. The following example demonstrates how to use the Culture property. private void Page_Load(object sender, System.EventArgs e) { RadMonthYearPicker1.Culture = new CultureInfo("en-US"); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadMonthYearPicker1.Culture = New CultureInfo("en-US") End Sub Gets or sets the MonthYearView uses this date to focus itself whenever the date input component of the RadMonthYearPicker is empty. The MonthYearView uses this date to focus itself whenever the date input component of the RadMonthYearPicker is empty. Gets or sets the width of the RadMonthYearPicker in pixels. Gets the settings associated with showing the its popup controls. The settings associated with showing the its popup controls. Gets the settings associated with hiding the its popup controls. The settings associated with hiding the its popup controls. Gets a set of properties that get or set the names of the JavaScript functions that are invoked upon specific client-side events. A set of properties that get or set the names of the JavaScript functions that are invoked upon specific client-side events. When set to true enables support for WAI-ARIA Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. Returns whether RadCalendar is currently in design mode. Gets the style properties for the Month/Year fast navigation. A TableItemStyle that contains the style properties for the the Month/Year fast navigation. Gets or sets the maximum date valid for selection by Telerik RadMonthYearPicker. Must be interpreted as the Higher bound of the valid dates range available for selection. Telerik RadMonthYearPicker will not allow navigation or selection past this date. This property has a default value of 12/30/2099 (Gregorian calendar date). The class representing the HTML table element which holds the month and years. Gets the owner . The owner . Gets or sets the summary attribute for the RadTimeView. Setting this property to empty string will force Telerik RadTimeView to not render summary attribute. The default value is "Table holding time picker for selecting time of day.". Gets or sets the caption for the table MonthYearView. Setting this property to empty string will force Telerik MonthYearView to not render caption tag. The default value is "MonthYearView". Class representing HTML table cell(td) element which is part of the . Gets the type of cell which determines the rendered cell in the . The type of row which determines the rendered cell in the . Gets the owner . The owner . Class representing HTML table row(tr) element which is part of the . Gets the type of row which determines the rendered row in the . The type of row which determines the rendered row in the . Gets or sets the owner . The owner . Provides the event data for the RadCaptcha's CaptchaValidate event. Gets or sets a bool value indicating whether the Captcha default validation should proceed after the event is fired. Gets or sets a bool value returned by the Captcha validation, if CancelDefaultValidation property is set to true. This control serves as spam protection mechanism. It implements 3 strategies: 1. Auto-detection - if this strategy is chosen, then we use predefined rules which decide whether the input comes from a robot or not. This strategy is not 100% secure and some sophisticated robots may pass it so it should be used in personal websites with low traffic and where spam robots are not very likely to drop by. If such robots are found to visit the site, the use of the more secure strategy is more advisable. 2. RadCaptcha - if this strategy is chosen, then an image with obfuscated text is displayed and the user is required to input this text in a textbox thus allowing the control to validate whether s/he is a robot or not. This is the most secure method to protect from spam but it is considered to be inaccessible because disabled people may not see the text in the image! TODO in future release: 3. Subscribe to anti-spam services. This last spam protection mechanism is used to validate the input against public or private web services which given the input return whether or not it is considered to be spam. Some services claim that they catch more than 90% of the spam so this type of protection is fairly secure and can be used in small to medium websites but not in large-scale websites. Searches for the validated Text control A control that gets validated. Retrieve the user's RadCaptcha input from the posted data When implemented by a class, signals the server control to notify the ASP.NET application that the state of the control has changed. Saves any server control state changes that have occurred since the time the page was posted back to the server. Returns the server control's current state. If there is no state associated with the control, this method returns null. Loads the state of the control. The state. Raises the event. An object that contains the event data. Performs validation of the RadCaptcha control. Determines whether the RadCaptcha control is valid. The bool value that indicates whether the RadCaptcha is valid. Gets the CSS class set to the RadCaptcha after validation occurs. If RadCaptcha.IsValid=true, the "rcValid" is returned and "rcInvalid" when the captcha is not valid. Bool value indicating whether the user entered the correct value. Returns "rcValid" if the captcha is valid (RadCaptcha.IsValid=true), otherwise "rcInvalid". Raises the CaptchaValidate event before the default validation executes. A CaptchaValidateEventArgs that contains the event data. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. This control features no skins, so this property must be set to false. Gets or sets the value, indicating whether to render links to the embedded skins or not. This control features no skins, so this property must be set to false. The error message text generated when the condition being validated fails. The error message to generate. Gets or sets display behavior of error message. The display behavior of the error message Gets or sets the fore color of the error message. The fore color of the error message. Gets or sets a value indicating whether the user-entered content in the RadCaptcha control passes validation. true if the content is valid; otherwise, false. Gets or sets the validation group. The validation group. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets which strategies are/to be used for automatic robot discovery. The Modes used for Spam Protection. Specifies the URL of the HTTPHandler that serves the captcha image. The HTTPHandler should either be registered in the application configuration file, or a file with the specified name should exist at the location, which HttpHandlerUrl points to. If a file is to serve the files, it should inherit the class Telerik.Web.UI.WebResource Gets or sets the name of the JavaScript function that will be called when the RadCaptcha is loaded on the page. Gets the CaptchaImage object of RadCaptcha Gets or sets the maximum number of minutes RadCaptcha will be cached and valid. If you're too slow, you may be a RadCaptcha hack attempt. Set to zero to disable. The maximum number of minutes RadCaptcha will be cached and valid. If you're too slow, you may be a RadCaptcha hack attempt. Set to zero to disable. Defines whether notification panel for missing audio plug-in should be displayed if one is not installed on the client's machine. Gets or sets the text displayed in the MissingPlugin download link. Defines whether Download Audio Code link should be rendered. Gets or sets the text displayed in the Download Audio Code link. Composite property containing decoration options of the inner TextBox control Composite property containing decoration options of the inner Label control Gets or sets the CSS class applied to the RadCaptcha input textbox. The CSS class applied to the RadCaptcha input textbox. Gets or sets the title of the RadCaptcha input textbox. The title for the RadCaptcha input textbox. Gets or sets the tab index of the RadCaptcha text box. The tab index of the RadCaptcha text box. Gets or sets the RadCaptcha text box access key. The RadCaptcha text box access key. Gets or sets the label which explains that the user needs to input the RadCaptcha text box. The label which explains that the user needs to input the RadCaptcha text box. Gets or sets the CSS class to the label which explains that the user needs to input the RadCaptcha text box. The CSS class to the label which explains that the user needs to input the RadCaptcha text box. Gets or sets the ID of the textbox to be validated, when only the RadCaptcha image is rendered on the page. String value indicating the ID of the textbox to be validated, when only the RadCaptcha image is rendered. Gets the TextBox that is being validated by the RadCaptcha. Returns a TextBox object that is being validated by the RadCaptcha. Gets the ITextControl that is being validated by the RadCaptcha. Gets or sets a bool value indicating whether the RadCaptcha should ignore the case of the letters or not. Bool value indicating whether the RadCaptcha should ignore the case or not. Gets or sets the storage medium for the CaptchaImage. When the image is stored in the session the RadCaptcha HttpHandler definition (in the web.config file) must be changed from type="Telerik.Web.UI.WebResource" to type="Telerik.Web.UI.WebResourceSession" so that the image can be retrieved from the Session. Gets or sets a value indication where the CaptchaImage is stored. Gets or sets a bool value indicating whether or not the RadCaptchaImage can be refreshed. The "rcRefreshImage" CSS class should be used for changing the skinning of the LinkButton, that generates the new image. Gets or sets a bool value indicating whether or not the RadCaptchaImage can be refreshed. Gets or sets the access key for generating new captcha image. Gets or sets the access key for the Get Audio Code link. Gets or sets the text of the LinkButton that generates new CaptchaImage. Gets or sets the text of the LinkButton that generates new CaptchaImage Gets or sets the text of the LinkButton that gets the Captcha Audio Code. Gets or sets the text of the LinkButton that gets the Captcha Audio Code. Gets or sets the invisible textbox strategy label text. The invisible textbox strategy label text. Gets or sets the minimum number of seconds the form must be displayed before it is valid. If you're too fast, you must be a robot. The minimum number of seconds the form must be displayed before it is valid. Adds or removes an event handler method from the CaptchaValidate event. The event is fired before the RadCaptcha is validated. Strategies for Spam Protection. Set in the ProtectionMode property. When Protection Mode is set to Captcha only Captcha Protection Mode is used. When Protection Mode is set to InvisibleTextBox, a invisible text box is rendered which bots fill. When Protection Mode is set to MinimumTimeout, the form should not be submitted before a Minimum time interval has passed. Bots submit the form many times in short interval. The Telerik.Web.UI.RadComboBoxRenderingMode enumeration has two values - Full and Simple. The default value is Default. RadComboBox renders in its default HTML structure. RadComboBox rendres as a HTML select element with options. RadComboBox RadComboBox for ASP.NET AJAX is a powerful drop-down list AJAX-based control The RadComboBox control supports the following features: Databinding that allows the control to be populated from various datasources Programmatic access to the RadComboBox object model which allows to dynamic creation of comboboxes, populate items, set properties. Customizable appearance through built-in or user-defined skins.

Items

Each item has a Text and a Value property. The value of the Text property is displayed in the RadComboBox control, while the Value property is used to store any additional data about the item, such as data passed to the postback event associated with the item.
Gets or sets the index of the selected item in the ComboBox control. Use the SelectedIndex property to programmatically specify or determine the index of the selected item from the combobox control Override in an inheritor and return false in order to skip Loading/Saving ControlState. True Raises the ItematCreated event. Raises the ItemDataBound event. Raises the event. The instance containing the event data. Raises the SelectedIndexChanged event. This allows you to handle the event directly. Raises the TextChange event. This allows you to handle the event directly. Raises the TextChanged event. This allows you to handle the event directly. Raises the ItemRequestEvent event. This allows you to handle the event directly. Raises the event. The instance containing the event data. Renders the HTML opening tag of the control to the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Clears out the list selection and sets the Selected property of all items to false. Use this method to reset the control so that no items are selected. RadComboBox1.ClearSelection() RadComboBox1.ClearSelection(); Legacy. Do not modify. Use only *in* RadComboBox and RadComboBoxItem classes. Unselects all items (item.Selected = false) and sets SelectedValue = null. It just works as expected in the places where it is used. Signals the RadComboBox control to notify the ASP.NET application that the state of the control has changed. Creates a object that is configured for paging if the underlying data source supports it. A initialized for paging if the underlying data source supports it. Binds a data source to the invoked RadComboBox and all its child controls. Does not bind the control if EnableAutomaticLoadOnDemand is true and the page request is not a callback. Finds the first RadComboBoxItem with Text that matches the given text value. The first RadComboBoxItem that matches the specified text value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByText("New York") RadComboBoxItem item = RadComboBox1.FindItemByText("New York"); The string to search for. Finds the first RadComboBoxItem with Text that matches the given text value. The first RadComboBoxItem that matches the specified text value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByText("New York",true) RadComboBoxItem item = RadComboBox1.FindItemByText("New York",true); The string to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Finds the first RadComboBoxItem with Value that matches the given value. The first RadComboBoxItem that matches the specified value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByValue("1") RadComboBoxItem item = RadComboBox1.FindItemByValue("1"); The value to search for. Finds the first RadComboBoxItem with Value that matches the given value. The first RadComboBoxItem that matches the specified value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByValue("1", true) RadComboBoxItem item = RadComboBox1.FindItemByValue("1", true); The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the index of the first RadComboBoxItem with Text that matches the given text value. The string to search for. Returns the index of the first RadComboBoxItem with Text that matches the given text value. The string to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the index of the first RadComboBoxItem with Value that matches the given value. The value to search for. Returns the index of the first RadComboBoxItem with Value that matches the given value. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the first RadComboBoxItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadComboBox1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadComboBoxItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadComboBox1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadComboBoxItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Loads combobox items from an XML content file. RadComboBox1.LoadContentFile("~/myfile.xml") RadComboBox1.LoadContentFile("~/myfile.xml"); The name of the XML file. Sorts the items in the RadComboBox. RadComboBox1.Sort=RadComboBoxSort.Ascending RadComboBox1.SortItems() RadComboBox1.Sort=RadComboBoxSort.Ascending; RadComboBox1.SortItems(); Sorts the items in the RadComboBox. An object from IComparer interface. RadComboBox1.Sort=RadComboBoxSort.Ascending Dim comparer As MyComparer = New MyComparer() RadComboBox1.SortItems(comparer) Public Class MyComparer Implements IComparer Public Function Compare(ByVal x As Object, ByVal y As Object) As Integer Dim p1 As New RadComboBoxItem() Dim p2 As New RadComboBoxItem() If TypeOf x Is RadComboBoxItem Then p1 = TryCast(x, RadComboBoxItem) Else Throw New ArgumentException("Object is not of type RadComboBoxItem.") End If If TypeOf y Is RadComboBoxItem Then p2 = TryCast(y, RadComboBoxItem) Else Throw New ArgumentException("Object is not of type RadComboBoxItem.") End If Dim cmp As Integer = 0 If p1.ComboBoxParent.Sort = RadComboBoxSort.Ascending Then cmp = [String].Compare(p1.Value, p2.Value, Not p1.ComboBoxParent.SortCaseSensitive) End If If p1.ComboBoxParent.Sort = RadComboBoxSort.Descending Then cmp = [String].Compare(p1.Value, p2.Value, Not p1.ComboBoxParent.SortCaseSensitive) * -1 End If Return cmp End Function End Class RadComboBox1.Sort=RadComboBoxSort.Ascending; MyCoparer comparer = new MyComparer(); RadComboBox1.SortItems(comparer); public class MyComparer : IComparer { public int Compare(object x, object y) { RadComboBoxItem p1 = new RadComboBoxItem(); RadComboBoxItem p2 = new RadComboBoxItem(); if (x is RadComboBoxItem) p1 = x as RadComboBoxItem; else throw new ArgumentException("Object is not of type RadComboBoxItem."); if (y is RadComboBoxItem) p2 = y as RadComboBoxItem; else throw new ArgumentException("Object is not of type RadComboBoxItem."); int cmp = 0; if (p1.ComboBoxParent.Sort == RadComboBoxSort.Ascending) { cmp = String.Compare(p1.Value, p2.Value, !p1.ComboBoxParent.SortCaseSensitive); } if (p1.ComboBoxParent.Sort == RadComboBoxSort.Descending) { cmp = String.Compare(p1.Value, p2.Value, !p1.ComboBoxParent.SortCaseSensitive) * -1; } return cmp; } } Gets an array containing the indices of the currently checked items in the RadComboBox control. Clears the checked items. The property of all items is set to false. Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. Gets a list of all client-side changes (adding an item, removing an item, changing an item's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new item removing existing item clearing the children of an item or the control itself changing a property of the item The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadComboBoxItem> operation in RadToolBar1.ClientChanges) { RadComboBoxItem item = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //An item has been inserted - operation.Item contains the inserted item break; case ClientOperationType.Remove: //An item has been inserted - operation.Item contains the removed item. //Keep in mind the item has been removed from the combobox. break; case ClientOperationType.Update: UpdateClientOperation<RadComboBoxItem> update = operation as UpdateClientOperation<RadComboBoxItem> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of the combobox have been removed - operation.Item will always be null. break; } } For Each operation As ClientOperation(Of RadComboBoxItem) In RadToolBar1.ClientChanges Dim item As RadComboBoxItem = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'An item has been inserted - operation.Item contains the inserted item Exit Select Case ClientOperationType.Remove 'An item has been inserted - operation.Item contains the removed item. 'Keep in mind the item has been removed from the combobox. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadComboBoxItem) = TryCast(operation, UpdateClientOperation(Of RadComboBoxItem)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear //All children of the combobox have been removed - operation.Item will always be Nothing. Exist Select End Select Next Gets a RadComboBoxItemCollection object that contains the items of the current RadComboBox control. A RadComboBoxItemCollection that contains the items of the current RadComboBox control. By default the collection is empty (RadComboBox has no children). Use the Items property to access the child items of RadComboBox You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of items. RadComboBox1.Items[0].Text = "Example"; RadComboBox1.Items[0].Value = "1"; RadComboBox1.Items(0).Text = "Example" RadComboBox1.Items(0).Value = "1" Gets or sets a value indicating whether any databinding expressions specified in the ItemTemplate should be evaluated for unbound items (items added inline or programmatically). true if databinding expressions should be evaluated; otherwise false; The default value is false. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadComboBox selection. Set this property to true if the server needs to capture the selection as soon as it is made. For example, other controls on the Web page can be automatically filled depending on the user's selection from a list control. This property can be used to allow automatic population of other controls on the Web page based on a user's selection from a list. The value of this property is stored in view state. The server-side event that is fired is SelectedIndexChanged. Gets or sets the number of Items the RadComboBox will load per Item request. Set this property to -1 to load all Items when EnableAutomaticLoadOnDemand is set to true and disable Virtual Scrolling/Show More Results. The default is -1. Gets or sets the minimum length of the typed text before the control initiates a request for new Items when EnableLoadOnDemand is True. The length of the min filter. Gets a value indicating whether the current instance of the combobox has child items. If RadComboBox1.IsEmpty ' ' ' End If if (RadComboBox1.IsEmpty) { // // // } Sets or gets the position (left or right) of the arrow image dropdown. RadComboBox1.RadComboBoxImagePosition = RadComboBoxImagePosition.Left; RadComboBox1.RadComboBoxImagePosition = RadComboBoxImagePosition.Right By default the image is shown on the right. Left can be used in RTL (right-to-left) language scenarios. Gets or sets the text content of the RadComboBox control. In standard mode, the currently selected text can be accessed using both the Text property or RadCombobox.SelectedItem.Text. In AJAX callback modes, only the Text property can be used because end-users can type or paste text that does not match the text of any item and SelectedItem can be null. string comboText = RadComboBox1.Text Dim comboText As String = RadComboBox1.Text The value of the message that is shown in RadComboBox while AJAX callback call is in effect. This property can be used for customizing and localizing the text of the loading message. Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public RadComboBoxItemData[] WebServiceMethodName(object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } Specifies the timeout after each keypress before RadComboBox fires an AJAX callback to the ItemsRequested server-side event. In miliseconds. ItemRequestTimeout = 500 is equal to half a second delay. The HTML Z-index of the items dropdown of RadComboBox.Its default value is 6000. Can be used when the dropdown is to be shown over content with a specified Z-index. If the combobox items dropdown is displayed below the content, set the ZIndex property to a value higher than the value of the HTML content below. Gets or sets a value that indicates whether the dropdown of the combobox should be opened by default on loadnig the page. Gets or sets the empty message. The empty message. Gets or sets a value that indicates whether the combobox autocompletion logic is case-sensitive or not. Gets or sets a value indicating whether the combobox should display the box for requesting additional items Gets or sets a value indicating whether the combobox should automatically autocomplete and highlight the currently typed text to the closest item text match. Gets or sets a value indicating whether the combobox should automatically autocomplete and highlight the currently typed text to the all items text match. Gets or sets a value indicating whether the combobox should issue a callback to the server whenever end-users change the text of the combo (keypress, paste, etc). In Load On Demand mode, the combobox starts a callback after a specified amount of time (see ItemRequestTimeout) and calls the server-side ItemsRequested event. Depending on the value of the event arguments, you can add new items to the combobox object and the items will be propagated to the browser after the request. Gets or sets a value indicating whether the combobox should handle the items request automatically on the server. Gets or sets a value indicating whether the combobox should cache items loaded on demand or via webservice Gets or sets a value indicating whether the combobox should load items on demand (via callback) during scrolling-down the drop-down area. Gets or sets a value indicating whether the text of combobox should be selected Gets or sets a value indicating whether the dropdown image next to the combobox text area should be displayed. The dropdown image is located in the Skins folder of the combo - by default ~/RadControls/ComboBox/Skins/{SkinName}/DropArrow.gif. You can custmoize or modify the image and place it in the respective folder of the skin you are using. Gets or sets a value indicating whether the text in a combobox item automatically continues on the next line when it reaches the end of the dropdown. Determines whether drop down should be closed on blur Determines whether custom text can be entered into the input field of RadComboBox. Determines whether the text can be entered into the input field of RadComboBox during keyboard navigation Determines the custom error message to be shown after the Load On Demand Callback error appears. Determines whether the dropdown shows when the user clicks in the input field. Determines whether the Screen Boundaries Detection is enabled or not. Gets or sets a value indicating the opening direction of RadComboBox dropdown. If this property is not set - by default dropdown opens downwards. Gets or sets a value indicating whether items defined in the ItemTemplate template should be automatically highlighted on mouse hover or keyboard navigation. Gets or sets a list of separators: autocomplete logic is reset afer a separator is entered and users can autocomplete multiple items. You can use several separators at once. RadComboBox1.AutoCompleteSeparator = ";,"; RadComboBox1.AutoCompleteSeparator = ";," Determines whether the noscript tag containing select element to be rendered. Gets the currently selected item in the combobox. <telerik:radcombobox id="RadComboBox1" Runat="server" ></telerik:radcombobox> private void RadComboBox1_SelectedIndexChanged(object o, Telerik.WebControls.RadComboBoxSelectedIndexChangedEventArgs e) { Label1.Text = RadComboBox1.SelectedItem.Text; } <telerik:radcombobox id="RadComboBox1" Runat="server" ></telerik:radcombobox> Private Sub RadComboBox1_SelectedIndexChanged(ByVal o As Object, ByVal e As Telerik.WebControls.RadComboBoxSelectedIndexChangedEventArgs) Handles RadComboBox1.SelectedIndexChanged Label1.Text = RadComboBox1.SelectedItem.Text End Sub SelectedItem can be null in load-on-demand or AllowCustomText modes. End-users can type any text. Gets the index of the currently selected item in the combobox. Gets or sets a value indicating the horizontal offset of the combobox dropdown An integer specifying the horizontal offset of the combobox dropdown (measured in pixels). The default value is 0 (no offset). Use the OffsetX property to change the position of the combobox dropdown To customize the vertical offset use the OffsetY property. Gets or sets a value indicating the vertical offset of the combobox dropdown. An integer specifying the vertical offset of the combobox dropdown(measured in pixels). The default value is 0 (no offset). Use the OffsetY property to change the position where the combobox dropdown will appear. To customize the horizontal offset use the OffsetX property. Gets or sets the width of the dropdown in pixels. Gets or sets whether to enable/disable the RadComboBox drop down auto width. Gets or sets an additional Cascading Style Sheet (CSS) class applied to the Drop Down. By default the visual appearance of the Drop Down is defined in the skin CSS file. You can use the DropDownCssClass property to specify a CSS class to be applied in addition to the default CSS class. Gets or sets an additional Cascading Style Sheet (CSS) class applied to the Input. By default the visual appearance of the Input is defined in the skin CSS file. You can use the InputCssClass property to specify a CSS class to be applied in addition to the default CSS class. Gets or sets the max height of the dropdown in pixels. Gets the value of the currently selected item in the combobox. Gets or sets the template for displaying header in RadcomboBox. Gets or sets the template for displaying footer in RadcomboBox. Get a header of RadcomboBox. Get a footer of RadcomboBox. Gets or sets the template for displaying the items in RadcomboBox. A ITemplate implemented object that contains the template for displaying combo items. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The ItemTemplate property sets a template that will be used for all combo items. The following example demonstrates how to use the ItemTemplate property to add a CheckBox for each item. ASPX: <telerik:RadComboBox runat="server" ID="RadComboBox1">
<ItemTemplate>
<asp:CheckBox runat="server" ID="CheckBox"></asp:CheckBox>
<asp:Label runat="server" ID="Label1"
Text='<%# DataBinder.Eval(Container, "Text") %>' ></asp:Label>
</ItemTemplate> <Items>
<telerik:RadComboBoxItem Text="News" /> <telerik:RadComboBoxItem Text="Sports" /> <telerik:RadComboBoxItem Text="Games" />
</Items>
</telerik:RadComboBox>
Gets or sets the template for displaying the items in RadcomboBox. Gets or sets the maximum number of characters allowed in the combobox. Indicates whether the combobox will be visible while loading. Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadComboBox. You can specify the Type, Duration and the To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadComboBox. ASPX: <telerik:RadComboBox ID="RadComboBox1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadComboBoxItem Text="News" > </telerik:RadComboBoxItem> </Items> </telerik:RadComboBox> void Page_Load(object sender, EventArgs e) { RadComboBox1.ExpandAnimation.Type = AnimationType.Linear; RadComboBox1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadComboBox1.ExpandAnimation.Type = AnimationType.Linear RadComboBox1.ExpandAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a dropdown starts to open. An integer specifying the timeout measured in milliseconds. The default value is 0 milliseconds. Use the ExpandDelay property to delay dropdown opening. To customize the timeout prior to item closing use the CollapseDelay property. The following example demonstrates how to specify a half second (500 milliseconds) timeout prior to dropdown opening: ASPX: <telerik:RadComboBox ID="RadComboBox1" runat="server" ExpandDelay="500" /> Gets the settings for the animation played when an item closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the collapse animation of RadComboBox. You can specify the Type, Duration and the items are collapsed.
To disable collapse animation effects you should set the Type to AnimationType.None. To customize the expand animation you can use the CollapseAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadComboBox. ASPX: <telerik:RadComboBox ID="RadComboBox1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadComboBoxItem Text="News" > </telerik:RadComboBoxItem> </Items> </telerik:RadComboBox> void Page_Load(object sender, EventArgs e) { RadComboBox1.CollapseAnimation.Type = AnimationType.Linear; RadComboBox1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadComboBox1.CollapseAnimation.Type = AnimationType.Linear RadComboBox1.CollapseAnimation.Duration = 300 End Sub
Gets or sets a value indicating the timeout after which a dropdown starts to close. An integer specifying the timeout measured in milliseconds. The default value is 0 milliseconds. Use the CollapseDelay property to delay dropdown closing. To cause immediate item closing set this property to 0 (zero). To customize the timeout prior to item closing use the ExpandDelay property. The following example demonstrates how to specify one second (1000 milliseconds) timeout prior to dropdown closing: ASPX: <telerik:RadComboBox ID="RadComboBox1" runat="server" ClosingDelay="1000" /> Gets or sets a value indicating whether the Overlay element is rendered when supported. True by default. The enable overlay. Automatically sorts items alphabetically (based on the Text property) in ascending or descending order. RadComboBox1.Sort = RadComboBoxSort.Ascending; RadComboBox1.Sort = RadComboBoxSort.Descending; RadComboBox1.Sort = RadComboBoxSort.None; RadComboBox1.Sort = RadComboBoxSort.Ascending RadComboBox1.Sort = RadComboBoxSort.Descending RadComboBox1.Sort = RadComboBoxSort.None Gets/sets whether the sorting will be case-sensitive or not. By default is set to true. RadComboBox1.SortCaseSensitive = false; RadComboBox1.SortCaseSensitive = false Gets or sets the label of the control. The label of the control. Gets or sets the css class of the label. The label CSS class. Gets or sets the the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating where RadComboBox will look for its .resx localization files. The localization path. When set to true enables support for WAI-ARIA. Gets or sets a value indicating whether the combobox should display the checkboxes for its items. Gets or sets which datasource field will represent the "Checked" state of an item checkbox. Gets or sets a value indicating whether the combobox should display the checkboxes for its items. Gets or sets a value indicating whether the combobox should display the checked items texts in case they do not fit in the control input. Gets the currently checked items in the RadComboBox. Gets or sets a value indicating whether the ComboBox should render as a <select> element. When enabled the ComboBox will have its functionality reduced to that of the <select> element. Gets or set the default item in the RadComboBox. Gets the object that controls the Wai-Aria settings applied on the control's element. Occurs on the server when an item in the RadComboBox control is created. The ItemCreated event is raised every time a new item is added. The ItemCreated event is not related to data binding and you cannot retrieve the DataItem of the item in the event handler. The ItemCreated event is often useful in scenarios where you want to initialize all items - for example setting the ToolTip of each RadComboBoxItem to be equal to the Text property. Occurs after an item is data bound to the RadComboBox control. This event provides you with the last opportunity to access the data item before it is displayed on the client. After this event is raised, the data item is nulled out and no longer available. Occurs when an item is checked Occurs before template is being applied to the item. The TemplateNeeded event is raised before a template is been applied on the item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the items. protected void RadComboBox1_TemplateNeeded(object sender, Telerik.Web.UI.RadComboBoxItemEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Item); } } } Sub RadComboBox1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadComboBoxItemEventArgs) Handles RadComboBox1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Item) End If End If End Sub Occurs when the SelectedIndex property has changed. You can create an event handler for this event to determine when the selected index in the RadComboBox has been changed. This can be useful when you need to display information in other controls based on the current selection in the RadComboBox. You can use the event handler to load the information in the other controls. Occurs when the text of the RadComboBox changes between postbacks to the server. Occurs when RadComboBox initiates an AJAX callback to the server. Occurs when the CheckAll checkbox is checked or unchecked. The client-side event that is fired when the selected index of the RadComboBox is about to be changed. The event handler receives two parameters: the instance of of the RadComboBox client-side object and event argument of the newly selected item. The event can be cancelled - simply call args.set_cancel(true); from the event handler and the item will not be changed. <script type="text/javascript"> function onSelectedIndexChanging(sender, eventArgs) { var item = eventArgs.get_item(); if (item.get_text() == "LA") { // do not allow selecting item with text "LA" return false; } else { // alert the new item text and value. alert(item.get_text() + ":" + item.get_value()); } } </script> <telerik:radcombobox ID="RadComboBox1" runat="server" OnClientSelectedIndexChanging="onSelectedIndexChanging"> </telerik:radcombobox> The client-side event that is fired after the selected index of the RadComboBox has been changed. The event handler receives two parameters: the instance of of the combobox client-side object and event argument with the newly selected item. <script language="javascript"> function onSelectedIndexChanged(sender,eventArgs) { var item = eventArgs.get_item(); // alert the new item text and value. alert(item.get_text() + ":" + item.get_value()); } </script> <telerik:radcombobox ID="RadComboBox1" runat="server" OnClientSelectedIndexChanged="onSelectedIndexChanged"> </telerik:radcombobox> Gets or sets a value indicating the client-side event handler that is called when the RadComboBox is about to be populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemRequestingHandler(sender, eventArgs)
{
var context = eventArgs.get_context();
context["Parameter1"] = "Value";
}
</script>
<telerik:RadComboBox ID="RadComboBox1"
runat="server"
OnClientItemPopulating="onClientItemPopulatingHandler">
....
</telerik:RadComboBox>
If specified, the OnClientItemsRequesting client-side event handler is called when the RadComboBox is about to be populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties: get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the RadComboBox items were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequested(sender, eventArgs)
{
alert("Loading finished");
}
</script>
<telerik:RadComboBox ID="RadComboBox1"
runat="server"
OnClientItemsRequested="onItemsRequested">
....
</telerik:RadComboBox>
If specified, the OnClientItemsRequested client-side event handler is called when the RadComboBox items were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs, null for this event. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadComboBox has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequestFailed(sender, eventArgs)
{
alert("Error: " + errorMessage);
eventArgs.set_cancel(true);
}
</script>
<telerik:RadComboBox ID="RadComboBox1"
runat="server"
OnClientItemsRequestFailed="onItemsRequestFailed">
....
</telerik:RadComboBox>
If specified, the OnClientItemsRequestFailed client-side event handler is called when the operation for populating the RadComboBox has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled.
Gets or sets the name of the JavaScript function called when an Item is created during Web Service Load on Demand. The client-side event that is fired when the user presses a key inside the combobox. <telerik:radcombobox Runat="server" ID="RadComboBox3" OnClientKeyPressing="HandleKeyPress" ... /> <script type="text/javascript"> function HandleKeyPress(sender, e) { if (e.keyCode == 13) { document.forms[0].submit(); } } </script> The event handler receives two parameters: the instance of the combobox client-side object; browser event arguments. You can use the browser event arguments (and the keyCode property in particular) to detect which key was pressed and to write your own custom logic. The client-side event that is fired when the selected index of RadCombobox has changed. The on client text change. The client-side event that is fired before the dropdown of the combobox is opened. <script language="javascript"> function HandleOpen(sender,args) { if (someCondition) { args.set_cancel(true); } else { alert("Opening combobox with " + comboBox.get_items().get_count() + " items"); } } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientDropDownOpening="HandleOpen"> </telerik:radcombobox> The event handler receives two parameter: the instance of the combobox client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the combobox dropdown will not be opened. The client-side event that is fired after the dropdown of the combobox is opened. <script language="javascript"> function HandleOpen(sender,args) { alert("Opening combobox with " + comboBox.get_items().get_count() + " items"); } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientDropDownOpened="HandleOpen"> </telerik:radcombobox> The event handler receives two parameter: the instance of the combobox client-side object and event args. The event cannot be cancelled. The client-side event that is fired when when the combo gains focus <script type="text/avascript"> function OnClientFocus(sender,args) { alert("focus"); } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientFocus="OnClientFocus"> </telerik:radcombobox> The event handler receives two parameter: the instance of the combobox client-side object and event args. The client-side event that is fired when when the combo loses focus <script type="text/avascript"> function OnClientBlur(sender,args) { alert("blur"); } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientBlur="OnClientBlur"> </telerik:radcombobox> The event handler receives two parameter: the instance of the combobox client-side object and event args. The client-side event that is fired before the dropdown of the combobox is closed. The event handler receives two parameter: the instance of the combobox client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the combobox dropdown will not be closed. <script language="javascript"> function HandleClose(sender, args) { if (someCondition) { args.set_cancel(true); } else { alert("Closing combobox with " + sender.get_items().get_count() + " items"); } } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientDropDownClosing="HandleClose"> </telerik:radcombobox> The client-side event that is fired after the dropdown of the combobox is closed. The event handler receives two parameter: the instance of the combobox client-side object and event args. The event can not be cancelled <script language="javascript"> function HandleClose(sender, args) { alert("Closed combobox with " + sender.get_items().get_count() + " items"); } </script> <telerik:radcombobox id="RadComboBox1" Runat="server" OnClientDropDownClosed="HandleClose"> </telerik:radcombobox> If specified, the OnClienLoad client-side event handler is called after the combobox is fully initialized on the client. A single parameter - the combobox client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadComboBox ID="RadComboBox1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadComboBox>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadComboBox client-side object is initialized.
Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. The client-side event that is fired when a RadComboBox item is about to be checked. The event handler receives two parameters: the instance of of the RadComboBox client-side object and event argument of the newly checked item. The event can be cancelled - simply call args.set_cancel(true); from the event handler and the item will not be changed. <script type="text/javascript"> function onClientIndexChecking(sender, eventArgs) { var item = eventArgs.get_item(); if (item.get_text() == "LA") { // do not allow checking an item with text "LA" return false; } else { // alert the new item text and value. alert(item.get_text() + ":" + item.get_value()); } } </script> <telerik:radcombobox ID="RadComboBox1" runat="server" OnClientIndexChecking="onClientIndexChecking"> </telerik:radcombobox> The client-side event that is fired after a RadComboBox item has been checked. The event handler receives two parameters: the instance of of the combobox client-side object and event argument with the newly checked item. <script language="javascript"> function onClientItemChecked(sender,eventArgs) { var item = eventArgs.get_item(); // alert the new item text and value. alert(item.get_text() + ":" + item.get_value()); } </script> <telerik:radcombobox ID="RadComboBox1" runat="server" OnClientItemChecked="onClientItemChecked"> </telerik:radcombobox> Gets or sets the name of the JavaScript function which handles the checkAllItemChecked client-side event. The JavaScript function executed when CheckAll checkbox is checked. Gets or sets the name of the JavaScript function which handles the checkAllItemChecked client-side event. The JavaScript function executed before CheckAll checkbox is checked. Gets or sets the name of the JavaScript function called when the client template for an item is evaluated The Telerik.Web.UI.RadComboBoxCheckedItemsTexts enumeration supports two values - DisplayAllInInput and FitInInput. Default is FitInInput. The Telerik.Web.UI.RadComboBoxExpandDirection enumeration supports two values - Up and Down. EI Cell object Public constructor of the Cell object. Needs a reference to the parent table. Table element Provides a reference to the parent table The index of the corresponding Row element The index of the corresponding Column element The position of the Cell element in the Table Hyperlink value. Not supported for XLS. Container of the Cell styles Property used to get/set the value of the Cell element The column span of the cell. Default value is 1. The row span of the cell. Defalut value is 1. Used to get the cell value converted to String Custom numeric format specifier Determines the rotation angle of the text Enables right-to-left mode if set to true Enables text wrapping, if supported by the given format EI Cell Collection Method to get the generic enumerator of the collection Method to get the enumerator of the collection Changing the cell index of an existing cell is not supported publicly because this requires changing Provides a reference to the parent Table element Returns the total number of populated cells Gets/Sets a cell object by given column and row. If no such cell exists, it will be created automatically. Column index Row index Cell object Gets/Sets a cell object by given Excel-style index. If no such cell exists, it will be created automatically. Excel-style index ('A4', 'BC33', etc) Cell object Gets/Sets a cell object by given Point value. If no such cell exists, it will be created automatically. Row index Cell object EI ExportStyle object Returns true if both styles are equal ExportStyle object Boolean. True if equal, false if different. Background color Bottom border color Left border color Right border color Top border color Bottom border style Left border style Right border style Top border style Bottom border width Left border width Right border width Top border width Font style Foreground color Horizontal text alignment Vertical text alignment Returns true if the style is empty Returns true when the ExportStyle contains border settings EI Column object Column constructor. Needs a reference to the Table object. Table object Returns a reference to the owner table Style container for the Column object Column width Returns the cells that correspond to the current column Column index EI Column collection Returns the collection enumerator Returns the collection enumerator Returns a reference to the owner Table object Returns the number of Columns in the collection Gets/sets the column by given index Column index Column object EI Image collection Returns the enumerator for the image collection Returns the enumerator for the image collection Adds an Image to the collection Image object Returns the number of Image objects in the collection Gets/sets an image object by given index Image index Image object EI Image object Generate a System.Drawing.Image object from the current EI Image object System.Drawing.Image object Generate an Image object from byte array System.Drawing.Image object Generate an Image object from byte array System.Drawing.Image object Generate an Image object from URL System.Drawing.Image object Internal pixel width Internal pixel height Byte array containing the image data. This property has higher priority compared to ImageUrl. Image URL string Image range. This property has lower priority compared to ImageData. Boolean property. Will resize the image automatically if set to true. False by default. EI Range object. Represents two points (start and end) in the table. Constructor for the Range object. Accepts pair of points Start point End point Constructor for the Range object. Accepts pair of Excel-style indexes Start index End index Equality operator for the Range object First range Second range Returns true if the ranges are identical Inequality operator for the Range object First range Second range Returns true if the ranges are different Returns true if the ranges are equal Returns true if the ranges are equal Returns the hash code of the Range object Returns the Range object indexes presented as Excel-style range (A1:B5, B1:B6, etc) String value representing the range in Excel style Start point of the range End point of the range EI Excel BIFF Renderer Default constructor for Excel BIFF renderer. Accepts ExportStructure object. ExportStructure object Renders the ExportStructure object to binary XLS (byte array) XLS BIFF output byte array EI HTML renderer HtmlRenderer constructor that accepts ExportStructure object ExportStructure object Renders the ExportStructure object to HTML code EI Row object Public constructor of the Row object. Needs a reference to the parent table. Provides a reference to the owner Table Container of the Row styles Row height Returns the current row's cells Row index EI Row collection Returns the enumerator for the collection Returns the enumerator for the collection Provides a reference to the owner Table Returns the number of created rows Gets/sets a Row object by given index Row index Row object Static class containing Export-related utilities Checks if the provided Excel-style index is valid Excel-style string index True if valid, false if not. Converts a given Excel-style string index to Point value Index string Point value Converts a given column index (Excel-style) to integer Column index (Excel-style) Integer column index Converts a Point value to Excel-style cell index Cell index (Point) Excel-style cell index Reverses a string String to be reversed Reversed string BIFF: Convert from VerticalAlign to VerticalAlignment enumerations XLSX: Convert from VerticalAlign to VerticalAlignment enumerations BIFF: Convert from HorizontalAlign to HorizontalAlignment enumerations XLSX: Convert from HorizontalAlign to HorizontalAlignment enumerations Converts the ASP.NET BorderStyle enumeration values to Excel BorderStyle enumeration values Converts the ASP.NET BorderStyle enumeration values to Excel BorderStyle enumeration values Returns a list of cells that correspond to a given range Start cell index End cell index List of cells Returns the points (pt) per given Unit value Returns the inches (in) per given Unit value Returns the pixels (px) per given Unit value Converts the given Unit value to "Excel Characters" unit value Input value Default font used to calculate the Excel character width value Value converted in "Excel Characters" Remove the recurring whitespaces; Remove the CR/LF chars, if any; Replace the HTML newline characters with CR/LFs; To put it simply, CR/LF has no meaning in HTML context so only line break characters should be taken into consideration. On the other hand, the HTML line break char is meaningless in the context of the BIFF file. This is to maintain the compatiblity and pertain the expected behavaior. Converts a string value to Guid Parsed Guid value. If parsing fails for some reason, the ConvertToGuid method will return Guid.Empty Converts an object value to TimeSpan Parsed TimeSpan value. If parsing fails for some reason, the ConvertToTimeSpan method will return TimeSpan.Zero Converts strongly typed relative FontSize unit to points (double) FontSize value Size in points EI ExportStructure object Default ExportStructure constructor ExportStructure Tables Returns the default font for the structure Determines the unit type used to measure the columns' width Determines the unit type used to measure the rows' height This enumeration lists all possible width/height units The default fixed unit for the given output format. Twip for Docx, ExcelColumnWidth for Excel, etc. EI Table (Worksheet) object Default constructor of the Table object Constructor of the Table object that accepts a table name Table name Adds an image to the Table Cell range Image URL Will resize the image automatically if set to true Adds an image to the Table Cell range Image URL Adds an image to the Table Cell object Image URL Will resize the image automatically if set to true Adds an image to the Table Cell object Image URL Adds an image to the Table Cell range Byte array containing the image data Will resize the image automatically if set to true Adds an image to the Table Cell range Byte array containing the image data Adds an image to the Table Cell object Byte array containing the image data Will resize the image automatically if set to true Adds an image to the Table Cell object Byte array containing the image data Shifts the rows down, up to the given row number, and starting from the specified row index This value specifies the starting row from which to shift the rows down Value determining how many positions to shift the rows down Table index Table name Intended for unit tests usage Table cells collection Table rows collection Table columns collection Table images collection Container of the Table styles Gets/sets the top margin of the page Gets/sets the bottom margin of the page Gets/sets the left margin of the page Gets/sets the right margin of the page Set this to true to enable landscape orientation; otherwise will be false (portrait) which is the default value. Gets/sets the page header text Gets/sets the page footer text Determines the size of the page Determines whether the grid lines will be visible by default EI Table collection Returns the enumerator of the collection Returns the enumerator of the collection Adds new Table to the collection Table element Return the total number of the Tables in the structure Returns a table by given index Table index Table object Returns a table by given Table name Table name Table object BACKUP: Save Backup Version of the File (40h) The BACKUP record specifies whether Microsoft Excel should save backup versions of a file. Base class for all BIFF records. RecordType (2 bytes) + Length Entry (2 bytes) = 4 bytes. The unique record identifier. The length of the record in bytes. Interface for records that have type and data. = 1 if Microsoft Excel should save a backup version of the file FontAttributes FontBoldness FontScripts FontUnderlines DiagonalDirection HorizontalAlignments VerticalAlignments ReadingOrder TextRotate BLANK: Cell Value, Blank Cell (201h) A BLANK record describes an empty cell. The rw field contains the 0-based row number. The col field contains the 0-based column number. Row Column Index to the XF record BOF: Beginning of File (809h) The BOF record marks the beginning of the Book stream in the BIFF file. It also marks the beginning of record groups (or "substreams" of the Book stream) for sheets in the workbook. BIFF version. Type of the following data: 0x0005 = Workbook globals 0x0006 = Visual Basic module 0x0010 = Worksheet 0x0020 = Chart 0x0040 = Macro sheet 0x0100 = Workspace file Build identifier. Build year. File history flags. Lowest BIFF version. BOOKBOOL: Workbook Option Flag (DAh) This record saves a workbook option flag. =1 if the Save External Link Values option is turned off (Options dialog box, Calculation tab) Border BorderKind Borders BorderStyle BorderWeight BOUNDSHEET: Sheet Information (85h) This record stores the sheet name, sheet type, and stream position. Stream position of the start of the BOF record for the sheet Option flags Worksheet name. Page break structure. Each element of the rgbrk structure contains three 2-byte integers: the first specifies the row of the break, the second specifies the starting column, and the third specifies the ending column for the break. All row and column numbers are 1-based, and the breaks occur after the row or column. This array is sorted by row, and then by starting/ending column. No two page breaks may overlap. CALCCOUNT: Iteration Count (0Ch) The CALCCOUNT record stores the Maximum Iterations option from the Options dialog box, Calculation tab. Iteration count CALCMODE: Calculation Mode (0Dh) The CALCMODE record stores options from the Options dialog box, Calculation tab. Calculation mode: = 0 for manual = 1 for automatic = –1 for automatic, except tables CODEPAGE: Default Code Page (42h) The CODEPAGE record stores the default code page (character set) that was in use when the workbook was saved. Code page the file is saved in. COLINFO: Column Formatting Information (7Dh) The COLINFO record describes the column formatting for a range of columns. First formatted column (0-based) Last formatted column (0-based) Column width, in 1/256s of a character width Index to XF record that contains the default format for the column (for more information about the XF records, see "XF" on page 426) Options Reserved; must be 0 (zero) The width of the column in characters of the default font CONTINUE: Continues Long Records (3Ch) Records that are longer than 8228 bytes (2084 bytes in BIFF7 and earlier) must be split into several records. The first section appears in the base record; subsequent sections appear in CONTINUE records. In BIFF8, the TXO record is always followed by CONTINUE records that store the string data and formatting runs. Continuation of record data COUNTRY: Default Country and WIN.INI Country (8Ch) This record contains localization information. Default country index. The default country index, iCountryDef, is determined by the localized version of Microsoft Excel that created the BIFF file. For example, all BIFF files created by the U.S. version of Microsoft Excel have iCountryDef = 1. Country index from the Win.ini file. If Microsoft Excel for Windows created the BIFF file, iCountryWinIni is equal to the index that corresponds to the country setting in the Win.ini file. DBCELL: Stream Offsets (D7h) The DBCELL record stores stream offsets for the BIFF file. There is one DBCELL record for each block of ROW records and associated cell records. Each block can contain data for up to 32 rows. For more information about the DBCELL record, see "Finding Cell Records in BIFF Files" on page 440. Offset from the start of the DBCELL record to the start of the first ROW record in the block; this is an offset to an earlier position in the stream. Array of stream offsets (2 bytes each). For more information, see "Finding Cell Records in BIFF Files" on page 440. DEFAULTROWHEIGHT: Default Row Height (225h) The DEFAULTROWHEIGHT record specifies the height of all undefined rows on the sheet. The miyRw field contains the row height in units of 1/20th of a point. This record does not affect the row height of any rows that are explicitly defined. Option flags (see the following table) Default row height DEFCOLWIDTH: Default Width for Columns (55h) The DEFCOLWIDTH record specifies the width, measured in characters, for columns not explicitly sized in the COLWIDTH record. Default width of the columns. Excel adds some extra space to the default width, depending on the default font and default font size. The algorithm how to exactly calculate the resulting column width is not known. Example: The default width of 8 set in this record results in a column width of 8.43 using Arial font with a size of 10 points. DELTA: Iteration Increment (10h) The DELTA record stores the Maximum Change value from the Options dialog box, Calculation tab. The number is in 8-byte IEEE floating-point format. Maximum iteration change. DIMENSIONS: Cell Table Size (200h) The DIMENSIONS record contains the minimum and maximum bounds of the sheet. It provides a concise indication of the sheet size. Note that both the rwMac and colMac fields are greater by 1 than the actual last row and column. For example, a worksheet that exists between cells B3 and D6 would have the following dimensions in the dimensions record (note rows and columns are 0-based in BIFF files in which row 1 and column A are both coded as 0): First defined row on the sheet Last defined row on the sheet, plus 1 Last defined column on the sheet, plus 1 First defined column on the sheet Reserved; must be 0 (zero) DSF: Double Stream File (161h) The DSF record stores a flag that indicates if the workbook is a double stream file. Double Stream files contain both BIFF8 and BIFF7 workbooks. 1 if the workbook is a double stream file, 0 otherwise. EOF: End of File (0Ah) The EOF record marks the end of the workbook stream or the end of one of the substreams in the workbook stream. It has no record data field and is simply 0A000000h. EXTERNSHEET: External Reference (17h) The EXTERNSHEET record specifies externally referenced workbooks. In BIFF7 and earlier, multiple EXTERNSHEET records form a table in the file. The cxals field of the EXTERNCOUNT record specifies the number of EXTERNSHEET records. You should not change the order of EXTERNSHEET records. In BIFF8, the SUPBOOK record stores the encoded pathname and file name. There is one SUPBOOK record for each externally referenced workbook. The EXTERNSHEET record contains a table (rgXTI) that points to the SUPBOOK records. Several ptgs in a BIFF8 formula contain an ixti field; this is the 0-based index to the rgXTI table in the EXTERNSHEET record. An externally referenced workbook is called a source workbook. The workbook that refers to it is called a dependent workbook. Array of XTI structures. XTI EXTSST: Extended Shared String Table (FFh) The EXTSST record contains a hash table that optimizes external copy operations. Number of strings in each bucket Array of ISSTINF structures FONT: Font Description (31h) The workbook font table contains at least five FONT records. FONT records are numbered as follows: ifnt = 00h (the first FONT record in the table), ifnt = 01h, ifnt = 02h, ifnt = 03h, ifnt = 05h (minimum table), and then ifnt = 06h, ifnt = 07h, and so on. Notice that ifnt = 04h never appears in a BIFF file. This is for backward-compatibility with previous versions of Microsoft Excel. If you read FONT records, remember to index the table correctly, skipping ifnt = 04h. Height of the font (in units of 1/20th of a point). Font attributes. Index to the color palette. In other words Color. Bold style; a number from 100dec to 1000dec (64h to 3E8h) that indicates the character weight ("boldness"). The default values are 190h for normal text and 2BCh for bold text. Superscript/subscript: 00h = None 01h = Superscript 02h = Subscript Underline style: 00h = None 01h = Single 02h = Double 21h = Single Accounting 22h = Double Accounting Font family, as defined by the Windows API LOGFONT structure. Character set, as defined by the Windows API LOGFONT structure. Reserved. :) Length of the font name. Unicode Flag 0 = Compressed 1 = Uncompressed Font name. LOGFONT FORMAT: Number Format (41Eh) The FORMAT record describes a number format in the workbook. All the FORMAT records should appear together in a BIFF file. The order of FORMAT records in an existing BIFF file should not be changed. You can write custom number formats in a file, but they should be added at the end of the existing FORMAT records. Format index code (for public use only). Microsoft Excel uses the ifmt field to identify built-in formats when it reads a file that was created by a different localized version. For more information about built-in formats, see "XF" on page 426. Length of the format string. Format string attributes. 1 = Uncompressed Unicode Number format string. FNGROUPCOUNT: Built-in Function Group Count (9Ch) This record stores the number of built-in function groups (Financial, Math & Trig, Date & Time, and so on) in the current version of Microsoft Excel. Number of built-in function groups. GRIDSET: State Change of Gridlines Option (82h) This record indicates that the user changed the state of the Gridlines option in the Page Setup dialog box, Sheet tab. = 1 if the user has ever changed the setting of the Gridlines option GUTS: Size of Row and Column Gutters (80h) This record contains the size of the row and column gutters, measured in screen units. The row and column gutters are the spaces that contain outline symbols. They are located above column headings and to the left of row headings. Size of the row gutter that appears to the left of the rows Size of the column gutter that appears above the columns Maximum outline level (for the row gutter) Maximum outline level (for the column gutter) HCENTER: Center Between Horizontal Margins (83h) If the Horizontally option is selected on the Margins tab in the Page Setup dialog box, fHCenter = 1. = 1 if the sheet is to be centered between horizontal margins when printed HIDEOBJ: Object Display Options (8Dh) The HIDEOBJ record stores options selected in the Options dialog box, View tab. = 2 if the Hide All option is turned on = 1 if the Show Placeholders option is turned on = 0 if the Show All option is turned on HORIZONTALPAGEBREAKS: Explicit Row Page Breaks (1Bh) The HORIZONTALPAGEBREAKS record contains a list of explicit row page breaks. The cbrk field contains the number of page breaks. Each element of the rgbrk structure contains three 2-byte integers: the first specifies the row of the break, the second specifies the starting column, and the third specifies the ending column for the break. All row and column numbers are 1-based, and the breaks occur after the row or column. This array is sorted by row, and then by starting/ending column. No two page breaks may overlap. Number of page breaks. Array of brk structures. INDEX: Index Record (20Bh) Microsoft Excel writes an INDEX record immediately after the BOF record for each worksheet substream in a BIFF file. For more information about the INDEX record, see "Finding Cell Records in BIFF Files" on page 440. Reserved; must be 0 (zero) First row that exists on the sheet Last row that exists on the sheet, plus 1 Reserved; must be 0 (zero) Array of file offsets to the DBCELL records for each block of ROW records. A block contains ROW records for up to 32 rows. For more information, see "Finding Cell Records in BIFF Files" on page 440. The stream position where the strings begin (stream pointer into the SST record) Offset into the SST record that points to where the bucket begins Reserved; must be 0 (zero) INTERFACEHDR: Beginning of User Interface Records (E1h) This record marks the beginning of the user interface section of the Book (Workbook) stream. In BIFF7 and earlier, it has no record data field. In BIFF8 and later, the INTERFACEHDR record data field contains a 2-byte word that is the code page. This is exactly the same as the cv field of the the CODEPAGE record. Code page the file is saved in ITERATION: Iteration Mode (11h) The ITERATION record stores the Iteration option from the Options dialog box, Calculation tab. = 1 if the Iteration option is on LABEL: Cell Value, String Constant (204h) A LABEL record describes a cell that contains a string constant. The rw field contains the 0-based row number. The col field contains the 0-based column number. The string length is contained in the cch field and must be in the range of 0000h–00FFh (0–255). The string itself is contained in the rgch field. Row Column Index to the XF record Length of the string The string LABELSST: Cell Value, String Constant/SST (FDh) A LABELSST record describes a cell that contains a string constant from the shared string table, which is new to BIFF8. The rw field contains the 0-based row number. The col field contains the 0-based column number. The string itself is contained in an SST (shared string table) record, and the isst field is a 0-based index into the shared string table. Row Column Index into the SST record Index to the XF record In inches. This record contains the addresses of merged cell ranges in the current sheet. If the record size exceeds the limit, it is not continued with a CONTINUE record, but another self-contained MERGEDCELLS record is started. The limit of 8224 bytes per record results in a maximum number of 1027 merged ranges. Example: A sheet contains 1040 merged cell ranges. The first MERGEDCELLS record contains a list of 1027 range addresses (the leading number of ranges is 1027 too). Following a second MERGEDCELLS record with the remaining 13 merged ranges. Number of merged ranges Cell range address list with merged ranges MMS: ADDMENU/DELMENU Record Group Count (C1h) This record stores the number of ADDMENU groups and DELMENU groups in the Book stream. Number of ADDMENU record groups. Number of DELMENU record groups. MSODRAWING: Microsoft Office Drawing (ECh) This record contains a drawing object provided by the Microsoft Office Drawing tool. For more information on this file format, see the article "Microsoft Office Drawing File Format" on the Microsoft Developer Network Online Web site (http://www.microsoft.com/msdn/). MULBLANK: Multiple Blank Cells (BEh) The MULBLANK record stores up to the equivalent of 256 BLANK records; the MULBLANK record is a file size optimization. The number of ixfe fields can be determined from the ColLast field and is equal to (colLast - colFirst + 1). The maximum length of the MULBLANK record is (256 x 2 + 10) = 522 bytes, because Microsoft Excel has at most 256 columns. Note that storing 256 blank cells in the MULBLANK record takes 522 bytes as compared with 2560 bytes for 256 BLANK records. Column number (0-based) of the first column of the multiple RK record Last column containing the BLANKREC structure Row number (0-based) NAME: Defined Name (18h) The NAME record describes a defined name in the workbook. The NAME record stores two types of names: global names and local names. A global name is defined for an entire workbook, and a local name is defined on a single sheet. For example, MyName is a global name, whereas Sheet1!MyName is a local name. Option flags Keyboard shortcut Length of the name text Length of the name definition Index to the sheet that contains this name, if the name is a local name. The ixals field in the NAME record will be nonzero for local names and will index the list of EXTERNSHEET records for the sheets in the workbook. The following field, itab, is equal to ixals. This field is equal to ixals. Length of the custom menu text Length of the description text Length of the help topic text Length of the status bar text Unicode Flag 0 = Compressed 1 = Uncompressed Name text Name definition 1904: 1904 Date System (22h) The 1904 record stores the date system used by Microsoft Excel. = 1 if the 1904 date system is used NUMBER: Cell Value, Floating-Point Number (203h) A NUMBER record describes a cell containing a constant floating-point number. The rw field contains the 0-based row number. The col field contains the 0-based column number. The number is contained in the num field in 8-byte IEEE floating-point format. Row Column Index to the XF record Floating-point number value OBJ: Describes a Graphic Object (5Dh) BIFF files may contain several different variations of the OBJ record. They correspond to the graphic objects and dialog box controls available in Microsoft Excel: line object, rectangle object, check box object, and so on. PANE: Number of Panes and Their Position (41h) The PANE record describes the number and position of unfrozen panes in a window. Vertical position of the split; 0 (zero) if none Horizontal position of the split; 0 (zero) if none Top row visible in the bottom pane Leftmost column visible in the right pane Pane number of the active pane PASSWORD: Protection Password (13h) The PASSWORD record contains the encrypted password for a protected sheet or workbook. Note that this record specifies a sheet-level or workbook-level protection password, as opposed to the FILEPASS record, which specifies a file password. Encrypted password. PRECISION: Precision (0Eh) The PRECISION record stores the Precision As Displayed option from the Options dialog box, Calculation tab. s = 0 if Precision As Displayed option is selected PRINTGRIDLINES: Print Gridlines Flag (2Bh) This record stores the Gridlines option from the Page Setup dialog box, Sheet tab. = 1 to print gridlines PRINTHEADERS: Print Row/Column Labels (2Ah) The PRINT HEADERS record stores the Row And Column Headings option from the Page Setup dialog box, Sheet tab. = 1 to print row and column headings PROT4REV: Shared Workbook Protection Flag (1AFh) The PROT4REV record stores a shared-workbook protection flag. = 1 if the Sharing with Track Changes option is on (Protect Shared Workbook dialog box) PROT4REVPASS: Shared Workbook Protection Password (1BCh) The PROT4REV record stores an encrypted password for shared-workbook protection. Encrypted password (if this field is 0 (zero), there is no Shared Workbook Protection Password; the password is entered in the Protect Shared Workbook dialog box) PROTECT: Protection Flag (12h) The PROTECT record stores the protection state for a sheet or workbook. = 1 if the sheet or workbook is protected Range Calculates a shape anchor. The direction of the anchor The distance in pixels of the shape edge from the origin of the range. The first col/row of the range. The col/row that the anchor will be in. The anchor value. Gets a column width or row height in pixels. Horizontal for column width, Vertical for row height. The zero based index of the col/row The dimension of the col/row in pixels. Direction This record contains an ID that marks when a worksheet was last recalculated. It's an optimization Excel uses to determine if it needs to recalculate the spreadsheet when it's opened. So far, only the two values 0xC1 0x01 0x00 0x00 0x80 0x38 0x01 0x00 (do not recalculate) and 0xC1 0x01 0x00 0x00 0x60 0x69 0x01 0x00 have been seen. If the field isNeeded is set to false (default), then this record is swallowed during the serialization process rt reserved dwBuild REFMODE: Reference Mode (0Fh) The REFMODE record stores the Reference Style option from the Options dialog box, General tab. Reference mode: = 1 for A1 mode = 0 for R1C1 mode REFRESHALL: Refresh Flag (1B7h) This record stores an option flag. = 1 then Refresh All should be done on all external data ranges and PivotTables when loading the workbook (the default is = 0) The height of the row in points Determines whether the row should be autosized by Excel. ROW: Describes a Row (208h) A ROW record describes a single row on a Microsoft Excel sheet. ROW records and their associated cell records occur in blocks of up to 32 rows. Each block ends with a DBCELL record. For more information about row blocks and about optimizing your code when searching for cell records, see "Finding Cell Records in BIFF Files" on page 440. Row number. First defined column in the row. Last defined column in the row, plus 1. The miyRw field contains the row height, in units of 1/20th of a point. Used by Microsoft Excel to optimize loading the file; if you are creating a BIFF file, set irwMac to 0. Reserved Option flags. If fGhostDirty = 1 (see grbit field), this is the index to the XF record for the row. Otherwise, this field is undefined. Sets the row height in points SAVERECALC: Recalculate Before Save (5Fh) If the Recalculate Before Save option is selected in the Options dialog box, Calculation tab, then fSaveRecalc = 1. = 1 to recalculate before saving SELECTION: Current Selection (1Dh) The SELECTION record stores the selection.s Number of the pane described Row number of the active cell Column number of the active cell Ref number of the active cell Number of refs in the selection Array of refs SETUP: Page Setup (A1h) The SETUP record stores options and measurements from the Page Setup dialog box. Paper size (see fNoPls in the following table) Scaling factor (see fNoPls in the following table) Starting page number Fit to width; number of pages Fit to height; number of pages Option flags (see the following table) Print resolution (see fNoPls in the following table) Vertical print resolution (see fNoPls in the following table) Header margin (IEEE number) Footer margin (IEEE number) Number of copies (see fNoPls in the following table) SST: Shared String Table (FCh) The SST record contains string constants. Total number of strings in the shared string table and extended string table (EXTSST record) Number of unique strings in the shared string table. Array of unique strings. The rgb field contains an array of unicode strings. SSTHelper STYLE: Style Information (293h) Each style in a Microsoft Excel workbook, whether built-in or user-defined, requires a style record in the BIFF file. When Microsoft Excel saves the workbook, it writes the STYLE records in alphabetical order, which is the order in which the styles appear in the drop-down list box. Index to the style XF record. Built-in style numbers: = 00h Normal = 01h RowLevel_n = 02h ColLevel_n = 03h Comma = 04h Currency = 05h Percent = 06h Comma[0] = 07h Currency[0] Level of the outline style RowLevel_n or ColLevel_n. SUPBOOK: Supporting Workbook (1AEh) This record stores data about a supporting external workbook. Number of tabs in the workbook. WTF? TABID: Sheet Tab Index Array (13Dh) This record contains an array of sheet tab index numbers. The record is used by the Shared Lists feature. The sheet tab indexes have type short int (2 bytes each). The index numbers are 0-based and are assigned when a sheet is created; the sheets retain their index numbers throughout their lifetime in a workbook. If you rearrange the sheets in a workbook, the rgiTab array will change to reflect the new sheet arrangement. This record does not appear in BIFF5 files. Array of tab indexes. USESELFS: Natural Language Formulas Flag (160h) This record stores a flag bit. = 1 if this file was written by a version of Microsoft Excel that can use natural-language formula input VCENTER: Center Between Vertical Margins (84h) If the Center On Page Vertically option is on in the Page Setup dialog box, Margins tab, then fVCenter = 1. = 1 if the sheet is to be centered between the vertical margins when printed WINDOW1: Window Information (3Dh) The WINDOW1 record contains workbook-level window attributes. The xWn and yWn fields contain the location of the window in units of 1/20th of a point, relative to the upper-left corner of the Microsoft Excel window client area. The dxWn and dyWn fields contain the window size, also in units of 1/20th of a point. Horizontal position of the window. Vertical position of the window. Width of the window. Height of the window. Option flags: Bit 0: = 1 if the window is hidden Bit 1: = 1 if the window is currently displayed as an icon Bit 2: Reserved Bit 3: = 1 if the horizontal scroll bar is displayed Bit 4: = 1 if the vertical scroll bar is displayed Bit 5: = 1 if the workbook tabs are displayed Bit 6: Reserved Bit 7: Reserved Index of the selected workbook tab (0-based). Index of the first displayed workbook tab (0-based). Number of workbook tabs that are selected. Ratio of the width of the workbook tabs to the width of the horizontal scroll bar; to obtain the ratio, convert to decimal and then divide by 1000. WINDOW2: Sheet Window Information (23Eh) The WINDOW2 record contains window attributes for a sheet in a workbook. Option flags Top row visible in the window Leftmost column visible in the window Index to color value for row/column headings and gridlines Zoom magnification in page break preview Zoom magnification in normal view Reserved WINDOWPROTECT: Windows Are Protected (19h) The WINDOWPROTECT record stores an option from the Protect Workbook dialog box. = 1 if the workbook windows are protected. WRITEACCESS: Write Access User Name (5Ch) This record contains the user name, which is the name you type when you install Microsoft Excel. For more info on how to write Unicode string in Excel, see 2.3. Length of the Unicode string. Option flags 1 = Uncompressed (16-bit characters) User name WSBOOL: Additional Workspace Information (81h) This record stores information about workspace settings. Option flags XF: Extended Format (E0h) The XF record stores formatting properties. There are two different XF records, one for cell records and another for style records. The fStyle bit is true if the XF is a style XF. The ixfe of a cell record (BLANK, LABEL, NUMBER, RK, and so on) points to a cell XF record, and the ixfe of a STYLE record points to a style XF record. Note that in previous BIFF versions, the record number for the XF record was 43h. Prior to BIFF5, all number format information was included in FORMAT records in the BIFF file. Beginning with BIFF5, many of the built-in number formats were moved to an public table and are no longer saved with the file as FORMAT records. You still use the ifmt to associate the built-in number formats with an XF record. However, the public number formats are no longer visible in the BIFF file. Index to the FONT record. Index to the FORMAT record. Bits about hiding, locking and others. Alignment, Wrap, Rotation bits. Shrink to fit and merger bits. Border Line Style Bits about indices to color pallete of borders. Bits about indices to color pallete of borders. Index to the color pallete for the fill. This is a 0-byte record, so it only needs to exist in order to tell Excel 2000 that the file has been written to by Excel 2000. Used to customize the OData binding settings. A container (collection) class for Entities of the same type. A container (collection) class for Entities of the same type. The name of the EntityCollection that is contained A typical exaple is the Name of the collection to be the plural of the EntityType. For example EntityType Category is often mapped to a container called Categories. <telerik:RadMenu runat="server" ID="RadTreeView2" PersistLoadOnDemandItems="true" > <WebServiceSettings Path="http://services.odata.org/OData/OData.svc"> <ODataSettings ResponseType="JSONP" InitialContainerName="Categories"> <Entities> <telerik:ODataEntityType Name="Category" DataValueField="ID" DataTextField="Name" NavigationProperty="Products" /> <telerik:ODataEntityType Name="Product" DataValueField="ID" DataTextField="Name" /> </Entities> <EntityContainer> <telerik:ODataEntitySet EntityType="Category" Name="Categories" /> <telerik:ODataEntitySet EntityType="Product" Name="Products" /> </EntityContainer> </ODataSettings> </WebServiceSettings> <DataBindings> <telerik:RadMenuItemBinding ExpandMode="WebService" /> </DataBindings> </telerik:RadMenu> The name of the Entity Collection. It is necessery that the Name property matches completely the NavigateProperty (if set) on the contained by the collection. that is hold by the collection. Specifies the field of the OData entity that provides the value of each list item. Specifies the field of the OData entity that provides the text of each list item. Specifies a navigation property. This is a property of an Entry that represents a Link from the Entry to one or more related Entries. A Navigation Property is not a structural part of the Entry it belongs to. The name of the Entity type. Gets or sets the name of the Property to be requested Enumerates the data request formats DataBoundControl uses when making data service requests. Represents the settings to be used for OData databinding. Gets or sets the url of the web service to be used Gets or sets the initial collection to bind against Desrcibes the Entities, that the WebService can return. These are usually declared in the http://webserviceurl/$metadata metadata document. Maps Entities to a Containers (Collectons). Code taken from System.CodeDom.Compiler.CodeGenerator as the latter does not work in Medium trust This is a custom regular expression: * A space means zero or more consecutive spaces, tabs or new lines in the target char array. If the pattern begins with space, it will match only one space character in the input!!! This is not supported until requested. * All other characters are looked up as literals. This method is called on each iteration on the input string. Return true if you handled the current iteration in an inherited class, so that the base processing is skipped. Otherwise return false, so that the base algorithm works instead. This enum indicates the result of a call to the CharArrayLimitedRegex.Match(char[] pattern) method. * 'Fail' means that at some point the input char array does not match the pattern. The internal pattern progress is reset. * 'InProgress' means that the current array matches a subset of the pattern. * 'Success' means that the whole pattern matches after calling the Match method on a set of arrays consecutively. 'Success' is returned after zero or more 'InProgress' results. The pattern progrss is reset after reaching this result. Clientside implementation of visual element resize functionality Specifies the type of the repository that will be used for storing state data. Specifies that no repository for storing the state will be used Speicifies that will be used to store the state in a cookie Speicifies that will be used to store the state in a file located in App_Data folder Speicifies that custom will be used to store the state DropDownListContext Gets or sets the number of items to be returned. The number of items. Gets or sets the start index. The start index. Gets the user context added in the ClientDataRequesting event. Gets or sets the context. The context. Gets or sets the items. The items. Gets or sets the items. The items. Appends an item to the collection. The item to add to the collection. Appends an item to the collection. The text of the new item. Removes the specified item from the collection. The item to remove from the collection. Removes the object at the specified index from the current . The zero-based index of the item to remove. Inserts an item to the collection at the specified index. The zero-based index at which should be inserted. The item to insert into the collection. Inserts an item to the collection at the specified index. The zero-based index location at which to insert the DropDownListItem. The text of the new item. Sort the items from DropDownListItemCollection. Sort the items from DropDownListItemCollection. An object from IComparer interface. Sort the items from DropDownListItemCollection. Gets or sets the at the specified index. This Class defines the DropDownListItem in RadDropDownList. Initializes a new instance of the class. Initializes a new instance of the class. The text of the item. Initializes a new instance of the class. The text of the item. The value of the item. Removes this from the control which contains it. Compares the current instance with another object of the same type. An object to compare with this instance. is not the same type as this instance. A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: Value Meaning Less than zero This instance is less than . Zero This instance is equal to . Greater than zero This instance is greater than . Gets the which this item belongs to. The which this item belongs to; null (Nothing) if the item is not added to any control. Gets or sets a value indicating whether this is selected. true if selected; otherwise, false. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. DropDownListItemData Data class used for transferring control items (menu items, tree nodes, etc.) from and to web services. Text for the item to pass to the client. Value for the item to pass to the client. A value indicating if the item to pass to the client is enabled. Custom attributes for the item to pass to the client. Selected state for the item to be passed to the client. For internal use Provides data for the event of the control. Initializes a new instance of the class. The index of the referenced item. The text of the referenced item. The value of the referenced item. Gets or sets the index of the referenced item in the control when the event is raised. The index of the referenced item in the control when the event is raised. Gets or sets the text of the referenced item in the control when the event is raised. The text of the referenced item in the control when the event is raised. Gets or sets the value of the referenced item in the control when the event is raised. The value of the referenced item in the control when the event is raised. Represents the method that handles the event of the control. For internal use Gets or sets the type. The type. Gets or sets the index of the item. The index of the item. Gets or sets the text of the item. The text of the item. Gets or sets the value of the item. The value of the item. Provides data for the event of the control. Initializes a new instance of the class. The referenced item. Gets or sets the referenced item in the control when the event is raised. The referenced item in the control when the event is raised. Represents the method that handles the event of the control. This Class defines the RadDropDownList. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Clears the selection. The property of all items is set to false. Populates the control from an XML file Name of the XML file. Finds the first DropDownListItem with Text that matches the given text value. The first DropDownListItem that matches the specified text value. Dim item As DropDownListItem = RadDropDownList1.FindItemByText("New York") DropDownListItem item = RadDropDownList1.FindItemByText("New York"); The string to search for. Finds the first DropDownListItem with Text that matches the given text value. The first DropDownListItem that matches the specified text value. Dim item As DropDownListItem = RadDropDownList1.FindItemByText("New York",true) DropDownListItem item = RadDropDownList1.FindItemByText("New York",true); The string to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Finds the first DropDownListItem with Value that matches the given value. The first DropDownListItem that matches the specified value. Dim item As DropDownListItem = RadDropDownList1.FindItemByValue("1") DropDownListItem item = RadDropDownList1.FindItemByValue("1"); The value to search for. Finds the first DropDownListItem with Value that matches the given value. The first DropDownListItem that matches the specified value. Dim item As DropDownListItem = RadDropDownList1.FindItemByValue("1", true) DropDownListItem item = RadDropDownList1.FindItemByValue("1", true); The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). This method should return object that implements IDropDownListRenderer or Inherits the Loads the posted content of the list control, if it is different from the last posting. The key identifier for the control, used to index the postCollection. A that contains value information indexed by control identifiers. true if the posted content is different from the last posting; otherwise, false. Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. Gets the items of the control. The object which represents the items. You can use the Items property to add and remove items in the control. Gets or sets a value indicating the opening direction of RadDropDownList dropdown. If this property is not set - by default dropdown opens downwards. Gets or sets the selected index of the control. The index that should be selected. Set the selected index to -1 to clear the selection. Gets the currently selected item in the dropdownlist. <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> protected void Page_Load(object sender, EventArgs e) { var selectedItem = RadDropDownList1.SelectedItem; } <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> Protected Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) Dim selectedItem As DropDownListItem = RadDropDownList1.SelectedItem End Sub SelectedItem can be null in client-side binding scenarios. Gets the text of the currently selected item in the dropdownlist. The Text of the item which should be selected. <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> protected void Page_Load(object sender, EventArgs e) { RadDropDownList1.SelectedText = "Item5"; } <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> Protected Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) adDropDownList1.SelectedText = "Item5"; End Sub Gets the value of the currently selected item in the dropdownlist. The Value of the item which should be selected. <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> protected void Page_Load(object sender, EventArgs e) { RadDropDownList1.SelectedValue = "5"; } <telerik:RadDropDownList id="RadDropDownList1" Runat="server" ></telerik:RadDropDownList> Protected Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadDropDownList1.SelectedValue = "5"; End Sub Gets or sets a message when there is no selected item in the DropDownList. The message which will be shown when there is no selected item. Gets or sets the HTML template of a when added on the client. Gets a list of all client-side changes (adding an Item, removing an Item, changing an Item's property) which have occurred. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadDropDownList selection. Set this property to true if the server needs to capture the selection as soon as it is made. For example, other controls on the Web page can be automatically filled depending on the user's selection from a list control. This property can be used to allow automatic population of other controls on the Web page based on a user's selection from a list. The value of this property is stored in view state. When set to true enables support for WAI-ARIA Gets or sets the that defines how items in the control are displayed. The item template. Gets or sets the height of the dropdown in pixels. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . Gets or sets the width of the dropdown in pixels. The HTML Z-index of the items dropdown of RadDropDownList.Its default value is 7000. Can be used when the dropdown is to be shown over content with a specified Z-index. If the dropdownlist items dropdown is displayed below the content, set the ZIndex property to a value higher than the value of the HTML content below. Gets or sets a value indicating whether the functionality to render and load items on demand is enabled or not. When set to true upon scroll a request will be made either to the server or to a web service in order to render and initialize a new set of items The ID of the RadAjaxLoadingPanel to be displayed during Callback or WebService calls Gets or sets the number of Items the RadDropDownList will load when the VirtualScolling functionality is enabled. When this property is not set the number Items which will be loaded will be calculated based on the height of the DropDrown of the RadDropDownList and the height of a single item. Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { private static int totalCount = 100; private static List<DropDownListItemData> itemsList = new List<DropDownListItemData>(); static DropDownService() { for (var i = 0; i < totalCount; i++) { DropDownListItemData itemData = new DropDownListItemData(); itemData.Text = "Item" + i.ToString(); itemData.Value = i.ToString(); itemData.Attributes["Attribute"] = "Attribute" + i.ToString(); itemsList.Add(itemData); } } [WebMethod] public DropDownListData GetItems(DropDownListContext context) { DropDownListData data = new DropDownListData(); data.Items = itemsList.GetRange(context.StartIndex, context.ItemsCount).ToArray(); data.TotalCount = totalCount; return data; } } <System.Web.Script.Services.ScriptService()> _ Public Class WebService Inherits System.Web.Services.WebService Private Shared totalCount As Integer = 100 Private Shared itemsList As New List(Of DropDownListItemData)() Shared Sub New() For i As Integer = 0 To totalCount - 1 Dim itemData As New DropDownListItemData() itemData.Text = "Item" + i.ToString() itemData.Value = i.ToString() itemData.Attributes("Attribute") = "Attribute" + i.ToString() itemsList.Add(itemData) Next End Sub <WebMethod> _ Public Function GetItems(context As DropDownListContext) As DropDownListData Dim data As New DropDownListData() data.Items = itemsList.GetRange(context.StartIndex, context.ItemsCount).ToArray() data.TotalCount = totalCount Return data End Function End Class Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadDropDownList. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadDropDownList. ASPX: <telerik:RadDropDownList ID="RadDropDownList1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:DropDownListItem Text="Item 1" /> <telerik:DropDownListItem Text="Item 2" /> <telerik:DropDownListItem Text="Item 3" /> </Items> </telerik:RadDropDownList> void Page_Load(object sender, EventArgs e) { RadDropDownList1.ExpandAnimation.Type = AnimationType.Linear; RadDropDownList1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadDropDownList1.ExpandAnimation.Type = AnimationType.Linear RadDropDownList1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when the dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadDropDownList. You can specify the Type and Duration. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadDropDownList. ASPX: <telerik:RadDropDownList ID="RadDropDownList1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:DropDownListItem Text="Item 1" /> <telerik:DropDownListItem Text="Item 2" /> <telerik:DropDownListItem Text="Item 3" /> </Items> </telerik:RadDropDownList> void Page_Load(object sender, EventArgs e) { RadDropDownList1.CollapseAnimation.Type = AnimationType.Linear; RadDropDownList1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadDropDownList1.CollapseAnimation.Type = AnimationType.Linear RadDropDownList1.CollapseAnimation.Duration = 300 End Sub
Determines whether the Screen Boundaries Detection is enabled or not. Determines whether the Direction Detection is enabled or not. Gets the object that controls the Wai-Aria settings applied on the control's element. Occurs when an item has been selected. Occurs when the selected index has changed. Occurs when item is data bound. Use the ItemDataBound event to set additional properties of the databound items. protected void RadDropDonwList1_ItemDataBound(object sender, DropDownListItemEventArgs e) { e.Item.ToolTip = (string)DataBinder.Eval(e.Item.DataItem, "ToolTipColumn"); } Protected Sub RadDropDonwList1_ItemDataBound(sender As Object, e As DropDownListItemEventArgs) e.Item.ToolTip = DirectCast(DataBinder.Eval(e.Item.DataItem, "ToolTipColumn"), String) End Sub Occurs before template is being applied to the item. The TemplateNeeded event is raised before a template is been applied on the item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the items. protected void RadDropDownList1_TemplateNeeded(object sender, Telerik.Web.UI.DropDownListItemEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Item); } } } Sub RadDropDownList1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.DropDownListItemEventArgs) Handles RadDropDownList1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Item) End If End If End Sub Occurs when item is created. The ItemCreated event occurs before and after postback if ViewState is enabled. ItemCreated is not raised for items defined inline in the ASPX. If specified, the OnClienLoad client-side event handler is called after the dropdownlist is fully initialized on the client. A single parameter - the dropdownlist client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadDropDownList ID="RadDropDownList1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadDropDownList>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadDropDownList client-side object is initialized.
The client-side event that is fired before the dropdown of the DropDownList is opened. <script language="javascript"> function HandleOpen(sender,args) { if (someCondition) { args.set_cancel(true); } else { alert("Opening dropDown"); } } </script> <telerik:RadDropDownList id="RadDropDownList1" Runat="server" OnClientDropDownOpening="HandleOpen"> </telerik:RadDropDownList> The event handler receives two parameter: the instance of the dropdownlist client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the dropdownlist dropdown will not be opened. The client-side event that is fired after the dropdown of the dropdownlist is opened. <script language="javascript"> function HandleOpen(sender,args) { alert("Opening combobox with " + comboBox.get_items().get_count() + " items"); } </script> <telerik:RadDropDownList id="RadDropDownList1" Runat="server" OnClientDropDownOpened="HandleOpen"> </telerik:RadDropDownList> The event handler receives two parameter: the instance of the dropdownlist client-side object and event args. The event cannot be cancelled. The client-side event that is fired before the dropdown of the dropdownlist is closed. The event handler receives two parameter: the instance of the dropdownlist client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the dropdownlist dropdown will not be closed. <script language="javascript"> function HandleClose(sender, args) { if (someCondition) { args.set_cancel(true); } else { alert("Closing dropdown"); } } </script> <telerik:RadDropDownList id="RadDropDownList1" Runat="server" OnClientDropDownClosing="HandleClose"> </telerik:RadDropDownList> The client-side event that is fired after the dropdown of the dropdownlist is closed. The event handler receives two parameter: the instance of the dropdownlist client-side object and event args. The event can not be cancelled <script language="javascript"> function HandleClose(sender, args) { alert("Closed dropdown"); } </script> <telerik:RadDropDownList id="RadDropDownList1" Runat="server" OnClientDropDownClosed="HandleClose"> </telerik:RadDropDownList> The client-side event that is fired after the selected index of the RadDropDownList has been changed. The event handler receives two parameters: the instance of of the dropdownlist client-side object and event argument with the new selected index. <script language="javascript"> function onSelectedIndexChanged(sender,eventArgs) { var index = eventArgs.get_index(); // alert the index. alert("The new selected index is : " + index); } </script> <telerik:RadDropDownList ID="RadDropDownList1" runat="server" OnClientSelectedIndexChanged="onSelectedIndexChanged"> </telerik:RadDropDownList> The client-side event that is fired when a dropDownListItem is about to be selected. The event handler receives two parameters: the instance of of the dropdownlist client-side object and event argument with the item which is about to be selected and set_cancel method.The event can be cancelled. <script language="javascript"> function onClientItemSelecting(sender,eventArgs) { if (someCondition) { eventArgs.set_cancel(true); } else { alert("Item " + eventArgs.get_item().get_text() + " will be selected."); } } </script> <telerik:RadDropDownList ID="RadDropDownList1" runat="server" OnClientItemSelecting="onClientItemSelecting"> </telerik:RadDropDownList> The client-side event that is fired when a dropDownListItem is selected. The event handler receives two parameters: the instance of of the dropdownlist client-side object and event argument with the item which is selected. <script language="javascript"> function onClientItemSelected(sender,eventArgs) { alert("Item " + eventArgs.get_item().get_text() + " is selected."); } </script> <telerik:RadDropDownList ID="RadDropDownList1" runat="server" OnClientItemSelected="onClientItemSelected"> </telerik:RadDropDownList> Gets or sets the name of the JavaScript function called when the client template for an item is evaluated The event handler receives two parameters: the instance of of the dropdownlist client-side object and event argument with get_dateItem(), get_html(), set_html() and get_template() methods. <script language="javascript"> function onClientTemplateDataBound(sender,eventArgs) { var html = eventArgs.get_html(); } </script> <telerik:RadDropDownList ID="RadDropDownList1" runat="server" OnClientTemplateDataBound="onClientTemplateDataBound"> </telerik:RadDropDownList> Gets or sets the name of the JavaScript function called when an Item is created during Web Service Binding mode. The event handler receives two parameters: the instance of of the dropdownlist client-side object and event argument with get_dateItem() and get_item() methods. <script language="javascript"> function OnClientItemDataBound(sender, eventArgs) { var dataItem = eventArgs.get_dateItem(); var item = eventArgs.get_item(); } </script> <telerik:RadDropDownList ID="RadDropDownList1" runat="server" OnClientItemDataBound="onClientTemplateDataBound"> <WebServiceSettings Method="GetItems" Path="DropDownWCFService.svc" /> </telerik:RadDropDownList> Gets or sets a value indicating the client-side event handler that is called when the RadDropDownList is about to send a request for items (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemRequestingHandler(sender, eventArgs)
{
var context = eventArgs.get_context();
context["Parameter1"] = "Value";
}
</script>
<telerik:RadDropDownList ID="RadDropDownList1"
runat="server"
OnClientItemsRequesting="onItemRequestingHandler">
....
</telerik:RadDropDownList>
If specified, the OnClientItemsRequesting client-side event handler is called when the RadDropDownList is about to send a request for items. Two parameters are passed to the handler: sender, the dropdownlist client object; eventArgs with two properties: get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the RadDropDownList items were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequested(sender, eventArgs)
{
alert("Loading finished");
}
</script>
<telerik:RadDropDownList ID="RadDropDownList1"
runat="server"
OnClientItemsRequested="onItemsRequested">
....
</telerik:RadDropDownList>
If specified, the OnClientItemsRequested client-side event handler is called when the RadDropDownList items were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs, null for this event. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadDropDownList has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onItemsRequestFailed(sender, eventArgs)
{
alert("Error: " + errorMessage);
eventArgs.set_cancel(true);
}
</script>
<telerik:RadDropDownList ID="RadDropDownList1"
runat="server"
OnClientItemsRequestFailed="onItemsRequestFailed">
....
</telerik:RadDropDownList>
If specified, the OnClientItemsRequestFailed client-side event handler is called when the operation for populating the RadDropDownList has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: set_cancel(), set to true to suppress the default action (alert message). This event can be cancelled.
For internal use. For internal use only. For internal use only. Gets or sets the number of items to be returned. The number of items. Gets or sets the start index. The start index. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the selected index. The selected indices. Gets or sets the selected value. The selected value. Gets or sets the selected text. The selected text. Gets or sets the Enabled. The Enabled. Gets the node's full path Gets the TreeNode Finds control in node's controls collection Gets or Sets the node's text Gets or Sets whether the node is selected Gets or Sets whether the node is checked Gets or Sets the node's value Gets or Sets the node's CssClass Gets the node's ID Gets the node's DataItem Gets the node's Level Gets or Sets whether the node is checkable Gets or Sets whether the node is expanded Gets the DropDownTreeNode full path Gets the TreeViewNode Finds control in DropDownTreeNode controls collection Gets or Sets the DropDownTreeNode text Gets or Sets the DropDownTreeNode value Gets or Sets the DropDownTreeNode CssClass Gets the DropDownTreeNode ID Gets the DropDownTreeNode DataItem Gets the DropDownTreeNode Level Gets or Sets whether the node is checkable Gets or Sets whether the node is expanded Gets or Sets whether the node is selected Gets or Sets whether the node is checked This class defines DropDownTreeEntryCollection in the DropDownTree control. Initializes a new instance of the DropDownTreeEntryCollection class. Inserts a DropDownTreeEntry. Removes a DropDownTreeEntry by index. Adds a DropDownTreeEntry to the collection. Copies the entris of ICollection to Array. The array. Index of the array. Removes the specified entry. The DropDownTreeEntry entry. Gets the DropDownTreeEntry at the specified index in the current DropDownTreeEntryCollection. Gets the IsReadOnly. The IsReadOnly. This class defines the DropDownTreeEntry object. It inherits WebControl class and implements IMarkableStateManager interface. Gets or sets the text of the DropDownTreeEntry entry. Gets or sets the value of the DropDownTreeEntry entry. Gets or sets the full path of the DropDownTreeEntry. This class defines DropDownTreeNodes in the DropDownTree control. This class defines DropDownTreeNodes in the DropDownTree control. Finds control in DropDownTreeNode controls collection Creates entry from the current DropDownNode Gets or Sets whether the DropDownTreeNode is selected Gets or Sets whether the DropDownTreeNode is checked Gets or Sets the DropDownTreeNode text Gets or Sets the DropDownTreeNode value Gets or Sets the DropDownTreeNode CssClass Gets the DropDownTreeNode full path Gets the DropDownTreeNode ID Gets the DropDownTreeNode DataItem Gets the DropDownTreeNode Level Gets or sets whether the node is checkable Gets or sets whether the node is checkable The defined interface of the DropDownTree control. This Class defines the RadDropDownList. Bind the RadDropDownTree control. Expands all of the DropDownNodes. Synchronize the nodes and the entries collection. The method is used in cases when some nodes are checked manually. Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. For internal use. Gets or sets the data field holding the unique identifier for a DropDownTreeNode. Gets or sets the data field holding the ID of the parent DropDownTreeNode. Gets or sets the data field holding the Text property for the currently bound DropDownTreeNode. Gets or sets the data field holding the Value property for the currently bound DropDownTreeNode. Gets or sets the ODataDataSource used for data binding. Gets or sets the template for displaying all DropDownTreeNode in the current tree. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets the RadDropDownTree entries collection. Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. Gets or sets a value indicating what message will be displayed then the control is empty (no entries selected). Gets or sets a value indicating whether RadDropDownTree should HTML encode the text of the entries. true if the text should be encoded; otherwise, false. The default value is false. Gets the DropDown settings. Get or sets the CheckBox state of the RadDropDownTree. Gets or sets the that defines the header template. The header template. Gets or sets the that defines the footer template. The footer template. Get a header of RadDropDownTree. Get a footer of RadDropDownTree. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the RadDropDownTree selection. Gets or sets a value indicating whether the entry should show the its full path in the entry area. Gets or sets a value indicating the delimiter in FullPath text mode. Gets or sets a value indicating the delimiter between entries. Gets or sets the default value of the control used for validation. Gets the entries text with the appropriate delimiter. Gets the entries values in comma separated list. Gets or sets a value indicating whether the DropDownNodes expands on single click. Gets or sets a value indicating whether the DropDownNodes expands on single click. Used to customize the appearance of the buttons displayed by RadDropDownTree. Used to customize filtering of the RadDropDownTree. Gets or sets a value indicating where RadDropDownTree will look for its .resx localization files. The localization path. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets the localization. The localization. Gets or sets a value indicating whether the control filtering is enabled. Gets the settings for the web service used to populate nodes when ExpandMode set to WebService. Gets the settings for the animation played when the dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadDropDownTree. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadDropDownTree. ASPX: <telerik:RadDropDownTree ID="RadDropDownTree1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> </telerik:RadDropDownTree> void Page_Load(object sender, EventArgs e) { RadDropDownTree1.ExpandAnimation.Type = AnimationType.Linear; RadDropDownTree1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadDropDownTree1.ExpandAnimation.Type = AnimationType.Linear RadDropDownTree1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when the dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadDropDownTree. You can specify the Type and Duration. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadDropDownTree. ASPX: <telerik:RadDropDownTree ID="RadDropDownTree1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> </telerik:RadDropDownTree> void Page_Load(object sender, EventArgs e) { RadDropDownTree1.CollapseAnimation.Type = AnimationType.Linear; RadDropDownTree1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadDropDownTree1.CollapseAnimation.Type = AnimationType.Linear RadDropDownTree1.CollapseAnimation.Duration = 300 End Sub
Determines whether the Screen Boundaries Detection is enabled or not. Determines whether the Direction Detection is enabled or not. Gets the settings the data binding setting for the RadDropDownTree. The following property is used in WebService scenarios. Gets or sets the HTML template of a DropDownNode when added on the client. Gets a reference to the embedded tree RadTreeView control is integrated in the RadDropDownTree. If specified, the OnClienLoad client-side event handler is called after the DropDownTree is fully initialized on the client. A single parameter - the dropdowntree client object - is passed to the handler. This event cannot be cancelled. <script type="text/javascript">
function onClientLoadHandler(sender)
{
alert(sender.get_id());
}
</script>
<telerik:RadDropDownTree ID="RadDropDownTree1"
runat= "server"
OnClientLoad="onClientLoadHandler">
....
</telerik:RadDropDownTree>
A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called after the RadDropDownTree client-side object is initialized.
The client-side event that is fired before the dropdown of the DropDownTree is opened. <script language="javascript"> function HandleOpen(sender,args) { if (someCondition) { args.set_cancel(true); } else { alert("Opening dropDown"); } } </script> <telerik:RadDropDownTree id="RadDropDownTree1" Runat="server" OnClientDropDownOpening="HandleOpen"> </telerik:RadDropDownTree> The event handler receives two parameter: the instance of the DropDownTree client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the DropDownTree dropdown will not be opened. The client-side event that is fired after the dropdown of the DropDownTree is opened. <script language="javascript"> function HandleOpen(sender,args) { alert("Opening combobox with " + comboBox.get_items().get_count() + " items"); } </script> <telerik:RadDropDownTree id="RadDropDownTree1" Runat="server" OnClientDropDownOpened="HandleOpen"> </telerik:RadDropDownTree> The event handler receives two parameter: the instance of the DropDownTree client-side object and event args. The event cannot be cancelled. The client-side event that is fired before the dropdown of the DropDownTree is closed. The event handler receives two parameter: the instance of the DropDownTree client-side object and event args. The event can be cancelled - simply set args.set_cancel to true args.set_cancel(true); from the event handler and the DropDownTree dropdown will not be closed. <script language="javascript"> function HandleClose(sender, args) { if (someCondition) { args.set_cancel(true); } else { alert("Closing dropdown"); } } </script> <telerik:RadDropDownTree id="RadDropDownTree1" Runat="server" OnClientDropDownClosing="HandleClose"> </telerik:RadDropDownTree> The client-side event that is fired after the dropdown of the DropDownTree is closed. The event handler receives two parameter: the instance of the DropDownTree client-side object and event args. The event can not be cancelled <script language="javascript"> function HandleClose(sender, args) { alert("Closed dropdown"); } </script> <telerik:RadDropDownTree id="RadDropDownTree1" Runat="server" OnClientDropDownClosed="HandleClose"> </telerik:RadDropDownTree> Gets or sets the name of the JavaScript function called when an entry is about to be added The OnClientEntryAdding event can be cancelled by setting its cancel client-side property to false. function onClientEntryAdding(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called after an entry has been added Gets or sets the name of the JavaScript function called when an entry is about to be removed The OnClientEntryAdding event can be cancelled by setting its cancel client-side property to false. function onClientEntryRemoving(sender, args) { args.set_cancel(true); } Gets or sets the name of the JavaScript function called after an entry has been removed Gets or sets the name of the JavaScript function called on clear button clicking Gets or sets the name of the JavaScript function called on clear button clicked Occurs when an entry is added Occurs when an entry is removed Occurs after entires are added Occurs after entires are removed This class defines the drop down settings of the DropDownTree control. Gets or sets whether to enable/disable the RadDropDownTree drop down auto width. Gets or sets a value that indicates whether the dropdown should be opened by default on loading the page. Gets or sets a value that indicates whether the dropdown should be closed on selection of a node. Gets or sets the width of the dropdown in pixels. Gets or sets the height of the dropdown in pixels. Gets or sets a custom CSS class to the DropDown. Container of misc. export settings of RadEditor control A string specifying the name (without the extension) of the file that will be created. The file extension is automatically added based on the method that is used. Opens the exported editor content in a new window instead of the same page. Contains export document which will be written to the response Represents a FormatSet dropdown item. The text which will be displayed in the FormatSets dropdown The tag which will be moidifed by the FormatSets tool The tag which will be moidifed by the FormatSets tool A strongly typed collection of EditorFormatSet objects Represents a FormatSetAttribute dropdown item. A strongly typed collection of EditorFormatSetAttribute objects Specifies which of the paths property to be set Specifies that the ViewPaths FileBrowser's dialog property should be set Specifies that the DeletePaths FileBrowser's dialog property should be set Specifies that the UploadPaths FileBrowser's dialog property should be set Specifies that all FileBrowser's paths dialog property should be set Specifies a FileBrowser dialog ImageManager FlashManager MediaManager TemplateManager DocumentManager SilverlightManager All FileBrowser dialogs Container of misc. settings for rtf load/export Container of misc. settings for Markdown export This enum is used to list the valid modes for the Markdown convertion style of H1 and H2 elemnets. Atx style headlines for H1 and H2 elements. (# H1 text). Setex style headlines for H1 and H2 elements. (H1 text). ======= This enum is used to list the valid modes for the Markdown convertion style of some elemnets (A and IMG). Convert corresponding element to Markdown (loosing non-convertible attributes). Keep HTML syntax if non-convertible attributes are found. This enum is used to list the valid modes for the Markdown convertion style of TABLE elemnets. Break tables into one text paragraph for each cell. Keep HTML syntax. This enum is used to list the valid modes for the Markdown convertion style of address, dl, fieldset, form, map, object, script, noscript elemnets. Strip umparsable elements. Keep HTML syntax. when true, (most) bare plain URLs are auto-hyperlinked WARNING: this is a significant deviation from the markdown spec when true, RETURN becomes a literal newline WARNING: this is a significant deviation from the markdown spec use ">" for HTML output, or " />" for XHTML output when true, problematic URL characters like [, ], (, and so forth will be encoded WARNING: this is a significant deviation from the markdown spec when false, email addresses will never be auto-linked WARNING: this is a significant deviation from the markdown spec when true, bold and italic require non-word characters on either side WARNING: this is a significant deviation from the markdown spec Markdown is a text-to-HTML conversion tool for web writers. Markdown allows you to write using an easy-to-read, easy-to-write plain text format, then convert it to structurally valid XHTML (or HTML). maximum nested depth of [] and () supported by the transform; implementation detail Tabs are automatically converted to spaces as part of the transform this constant determines how "wide" those tabs become in spaces Create a new Markdown instance using default options Create a new Markdown instance and optionally load options from a configuration file. There they should be stored in the appSettings section, available options are: Markdown.StrictBoldItalic (true/false) Markdown.EmptyElementSuffix (">" or " />" without the quotes) Markdown.LinkEmails (true/false) Markdown.AutoNewLines (true/false) Markdown.AutoHyperlink (true/false) Markdown.EncodeProblemUrlCharacters (true/false) Create a new Markdown instance and set the options from the MarkdownOptions object. In the static constuctor we'll initialize what stays the same across all transforms. Transforms the provided Markdown-formatted text to HTML; see http://en.wikipedia.org/wiki/Markdown The order in which other subs are called here is essential. Link and image substitutions need to happen before EscapeSpecialChars(), so that any *'s or _'s in the a and img tags get encoded. Perform transformations that form block-level tags like paragraphs, headers, and list items. Perform transformations that occur *within* block-level tags like paragraphs, headers, and list items. splits on two or more newlines, to form "paragraphs"; each paragraph is then unhashed (if it is a hash) or wrapped in HTML p tag Reusable pattern to match balanced [brackets]. See Friedl's "Mastering Regular Expressions", 2nd Ed., pp. 328-331. Reusable pattern to match balanced (parens). See Friedl's "Mastering Regular Expressions", 2nd Ed., pp. 328-331. Strips link definitions from text, stores the URLs and titles in hash references. ^[id]: url "optional title" derived pretty much verbatim from PHP Markdown replaces any block-level HTML blocks with hash entries returns an array of HTML tokens comprising the input string. Each token is either a tag (possibly with nested, tags contained therein, such as `<a href="<MTFoo>">`, or a run of text between tags. Each element of the array is a two-element array; the first is either 'tag' or 'text'; the second is the actual value. Turn Markdown link shortcuts into HTML anchor tags [link text](url "title") [link text][id] [id] Turn Markdown image shortcuts into HTML img tags. ![alt text][id] ![alt text](url "optional title") Turn Markdown headers into HTML header tags Header 1 ======== Header 2 -------- # Header 1 ## Header 2 ## Header 2 with closing hashes ## ... ###### Header 6 Turn Markdown horizontal rules into HTML hr tags *** * * * --- - - - Turn Markdown lists into HTML ul and ol and li tags Process the contents of a single ordered or unordered list, splitting it into individual list items. /// Turn Markdown 4-space indented code into HTML pre code blocks Turn Markdown `code spans` into HTML code tags Turn Markdown *italics* and **bold** into HTML strong and em tags Turn markdown line breaks (two space at end of line) into HTML break tags Turn Markdown > quoted blocks into HTML blockquote blocks Turn angle-delimited URLs into HTML anchor tags <http://www.example.com> Remove one level of line-leading spaces encodes email address randomly roughly 10% raw, 45% hex, 45% dec note that @ is always encoded and : never is Encode/escape certain Markdown characters inside code blocks and spans where they are literals Encode any ampersands (that aren't part of an HTML entity) and left or right angle brackets Encodes any escaped characters such as \`, \*, \[ etc swap back in all the special characters we've hidden escapes Bold [ * ] and Italic [ _ ] characters hex-encodes some unusual "problem" chars in URLs to avoid URL detection problems Within tags -- meaning between < and > -- encode [\ ` * _] so they don't conflict with their use in Markdown for code, italics and strong. We're replacing each such character with its corresponding hash value; this is likely overkill, but it should prevent us from colliding with the escape values by accident. convert all tabs to _tabWidth spaces; standardizes line endings from DOS (CR LF) or Mac (CR) to UNIX (LF); makes sure text ends with a couple of newlines; removes any blank lines (only spaces) in the text this is to emulate what's evailable in PHP use ">" for HTML output, or " />" for XHTML output when false, email addresses will never be auto-linked WARNING: this is a significant deviation from the markdown spec when true, bold and italic require non-word characters on either side WARNING: this is a significant deviation from the markdown spec when true, RETURN becomes a literal newline WARNING: this is a significant deviation from the markdown spec when true, (most) bare plain URLs are auto-hyperlinked WARNING: this is a significant deviation from the markdown spec when true, problematic URL characters like [, ], (, and so forth will be encoded WARNING: this is a significant deviation from the markdown spec current version of MarkdownSharp; see http://code.google.com/p/markdownsharp/ for the latest code or to contribute Gets or sets the author of the changes applied on the edited content. Gets or sets the suffix of the css class which marks the track changes elements. Gets or sets the value indicating whether track changes can be accepted or rejected. The default is false Describes a common mechanism of accepting and rejecting track changes in RadEditor's content Enacpsulates the properties for RadFileExplorer's configuration Gets or sets the view paths of the FileManager dialog. A String array, containing virtual paths which subfolders and files the FileManager dialog will search and display. The default value is an empty String array. Gets or sets the upload paths of the FileManager dialog. A String array, containing virtual paths to which files can be uploaded or subfolders can be created. The default value is an empty String array. As only files/folders, contained in the ViewPaths array will be displayed, users are able to upload files/create subfolders only to folders, belonging to the intersection of the ViewPaths and UploadPaths properties. Gets or sets the delete paths of the FileManager dialog. A String array, containing virtual paths in which files or subdirectories can be deleted. The default value is an empty String array. As only files/folders, contained in the ViewPaths array will be displayed, users are able to delete only the files/folders, belonging to the intersection of the ViewPaths and UploadPaths properties. Gets or sets the extension patterns for files to be displayed in the FileManager dialog. A String array, containing extension patterns for files to be displayed in the FileManager dialog. Values can contain wildcars (e.g. *.*, *.j?g) Gets or sets the max filesize which users are able to upload in bytes An Int32, representing the max filesize which users are able to upload in bytes. The value of the MaxUploadFileSize property should be less or equal to the <httpRuntime maxRequestLength...> website property, specified in either the web.config or machine.config files. The <httpRuntime maxRequestLength...> property controls the allowed post request length for the website. Gets or sets the fully qualified type name of the FileBrowserContentProvider used in the dialog, including the assembly name, version, culture, public key token. The default value is string.Empty When the value of this property is string.Empty (default), the dialog will use the integrated FileSystemContentProvider. This property gets the current content provider type. To set the content provider type use ContentProviderTypeName If no provider is set, this property will return the default FileSystemContentProvider Enables or disables asynchronous (no postback) upload in the file browser dialogs. A Bool, specifying whether async upload should be enabled. Default value is true. Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, uploading new files in these dialogs will happen faster - without a doing a full postback. Selecting a file will start the upload process immediately. After the file(s) are successfuly uploaded, and its status icon is green, the user should click the "Upload" button to go back to the refreshed file explorer view. Enables or disables multiple item selection in the file browser dialogs. A Bool, specifying whether multiple item selection should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, will allow multiple files / folders to be selected and deleted / copied / moved. Also, if Insert button is clicked all the selected file items will be inserted in the editor's content area Allows the option to change the extension of the file while renaming the item. Default value is true Tracking changes to the values of the paths - ViewPath, UploadPath, DeletePath Enumeration depicting the file list controls that the file explorer can use on the client-side Grid file list controls shows the files in a grid. It resembles the details view of the Windows Explorer Shows the files using the List view control. By default this is associated with the thumbnail view. It resembles the icons view in Windows explorer All file list controls will be available on the client-side Represents an object used for configuration the appearance of Gauges. Gets or sets the background color of the gauge. JavaScript converter that converts the Gauge related types to JSON objects. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Bool value indicating whether the we are serializing the LinearScale at the moment. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Array of the serialized members of the ranges collection. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Serializes into JSON object. The object to serialize. Dictionary of the serialized members. Telerik LinearGauge control for data visualization. Base class for the different Gauge controls (RadLinearGauge, RadRadialGauge). The pointer of the child Gauge. The scale of the child Gauge. Defines the pointer settings of the Gauge control. Defines the scale settings of the Gauge control. Gets or sets a bool value indicating whether transition animations should be played. Defines the appearance settings of the Gauge. Defines the Pointer settings of the LinearGauge. Sets multiple pointers. Defines the Scale settings of the LinearGauge. The base class that should be inherited for implementing Gauge pointer. Gets or sets the color of the pointer. Gets or sets the value at which the pointer is pointing. Represents the class used for configuring the cap of the RadialGauge's pointer. Gets or sets the color of the cap. Gets or sets the size of the cap in percents. (from 0 to 1) Represents the class used for configuring the track of the LinearGauge's pointer. (Available only for 'BarIndicator' .) Gets or sets the color of the track. Gets or sets the size of the track. Gets or sets the transparency of the track. Gets or sets a bool value indicating whether the track of the LinearGauge pointer will be visible. Represents the pointer of a Linear Gauge. Gets or sets the transparency of the pointer of the LinearGauge. Gets or sets the shape of the LinearGauge's pointer. Gets or sets the size of the pointer. Gets or sets the size of the pointer. Defines the settings of the track of the LinearGauge's pointer. Defines the possible shapes of the Gauge's pointer. The Gauge pointer looks like a bar indicator. The Gauge pointer looks like an arrow. Represents the pointer of a Radial Gauge. Defines the settings of the cap of the RadialGauge's pointer. Telerik RadialGauge control for data visualization. Defines the Pointer settings of the RadialGauge. Sets multiple pointers. Defines the Scale settings of the RadialGauge. Represents an object used to define a range in the Gauge's scale. Gets or sets the color of the range. Gets or sets the lower bound of the range. Gets or sets the upper bound of the range. Collection of objects used for specifying ranges in Linear and Radial Gauges. Adds an item to the collection. The item to add. Represents the scale of a Linear Gauge. The base class that should be inherited for implementing Gauge scale. Defines the settings of the Scale's Labels. Defines the settings of the Scale's Minor ticks. Defines the settings of the Scale's Major ticks. Defines a collection of gauge ranges. Gets or sets the minimum value of the scale. Gets or sets the maximum value of the scale. Gets or sets the interval between the minor divisions. Gets or sets the interval between the major divisions. Gets or sets a bool value indicating whether the direction of the scale values will be reversed. RadialGauge: Values increase counter-clockwise. LinearGauge: Values increase from right to left (if the LinearGauge is horizontal), and from top to bottom (if the LinearGauge is vertical). Gets or sets a bool value indicating whether the LinearGauge will be vertically or horizontally positioned. Gets or sets a bool value that indicates whether the scale labels and ticks will be mirrored. If the labels are normally on the left side of the scale, mirroring the scale will render them to the right. Defines the possible positions of the Scale Labels. The labels are positioned inside of the scale ticks. The labels are positioned outside of the scale ticks. Represents the scale of a Radial Gauge. Gets or sets the start angle of the RadialGauge. The gauge is rendered clockwise(0 degrees are the 180 degrees in the polar coordinate system). Gets or sets the end angle of the RadialGauge. The gauge is rendered clockwise(0 degrees are the 180 degrees in the polar coordinate system). Represents a class used for configuring the labels of the Gauge scale. Gets or sets the background color of the labels. Gets or sets the text color of the labels. Gets or sets the font size, family, style of the labels. Gets or sets the format string of the labels. Gets or sets the template of the labels. Gets or sets a bool value indicating whether the labels will be visible. Gets or sets the position of the labels. Represents the class used for configuring the Minor and Major ticks of the Gauge's scale. Gets or sets the color of the ticks. Gets or sets the size of the ticks. This is the length of the line in pixels that is drawn to indicate the tick on the scale. Gets or sets the width of the ticks. Gets or sets a bool value indicating whether the ticks of the Gauge's scale will be visible. The class containing properties associated with the columns' validation base on autogenerated validators. Clean up used resources. Gets or sets whether RequiredFieldValidator control will be generated next to the column editor. Gets or sets whether RequiredFieldValidator control will be rendered before or after the column editor. Gets the RequiredFieldValidator control which will be generated next to the column editor. RadGrid BIFF Export event arguments object BIFF Export event arguments ExportStructure object ExportStructure object Returns the DataType of the column that corresponds to a given cell TableCell element To determine whether the current row is a sub-row of a MultiRowItem Type value The main class representing MultiColumn Headers in . A Grid column group can contain grid columns as well as other Column groups which form the hierarchical structure of the MultiColumn Headers. Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. An object to compare with this instance. is not the same type as this instance. A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: Value Meaning Less than zero This instance precedes in the sort order. Zero This instance occurs in the same position in the sort order as . Greater than zero This instance follows in the sort order. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Sets the displayed text in the header Sets the name of the column group Sets the parent group name of the column group Style of the column group cell. For internal use. Holds a collection of the columns belonging to the group Gets the colSpan of the multiheader cell. Read only. For internal use. Gets or sets the order index of the multiheader cell Gets the visiblility of the multiheader cell. Read only. For internal use. Gets or sets the display of the multiheader cell. For internal use. Holds a collection of the child groups of the current group Represents a collection of . Used to define MultiColumn Headers. Initializes a new instance of the class. Gets the index of the item in the collection. The item. index of the item Inserts group at the specified index. The index. The item. Removes the item at the specified index. The zero-based index of the item to remove. is not a valid index in the . The is read-only. Adds the specified item. The item. Removes all items from the . The is read-only. Determines whether [contains] [the specified item]. The item. true if the items is contained, otherwise false Copies the current collection to the specified array. The array. the index to start copying from. Removes the specified item. The item. Returns an enumerator that iterates through the collection. An enumerator that can be used to iterate through the collection. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Adds an item to the . The to add to the . The is read-only. -or- The has a fixed size. The position into which the new element was inserted. Removes all items from the . The is read-only. Determines whether the contains a specific value. The to locate in the . true if the is found in the ; otherwise, false. Determines the index of a specific item in the . The to locate in the . The index of if found in the list; otherwise, -1. Inserts an item to the at the specified index. The zero-based index at which should be inserted. The to insert into the . is not a valid index in the . The is read-only. -or- The has a fixed size. is null reference in the . Removes the first occurrence of a specific object from the . The to remove from the . The is read-only. -or- The has a fixed size. Removes the item at the specified index. The zero-based index of the item to remove. is not a valid index in the . The is read-only. -or- The has a fixed size. Copies the elements of the to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. The zero-based index in at which copying begins. is null. is less than zero. is multidimensional. -or- is equal to or greater than the length of . -or- The number of elements in the source is greater than the available space from to the end of the destination . The type of the source cannot be cast automatically to the type of the destination . Finds the in the collection by specifying its group name. The name of the group. Returns the which was found. Otherwise 'null'. Loads the previously saved view state to the collection. An that contains the saved view state values for the collection. When implemented by a class, saves the changes to a server control's view state to an . The that contains the view state changes. Instructs the collection to track changes to its view state. Gets the at the specified index. Gets or sets the at the specified index. Gets the number of elements contained in the . The number of elements contained in the . Gets a value indicating whether the is read-only. true if the is read-only; otherwise, false. Gets a value indicating whether the has a fixed size. true if the has a fixed size; otherwise, false. Gets a value indicating whether the is read-only. true if the is read-only; otherwise, false. Gets or sets the at the specified index. Gets the number of elements contained in the . The number of elements contained in the . Gets a value indicating whether access to the is synchronized (thread safe). returns false - the access to the collection is not synchronized. Gets an object that can be used to synchronize access to the . An object that can be used to synchronize access to the . Gets a value indicating whether a the is tracking its view state changes. true if a server control is tracking its view state changes; otherwise, false. Exposes various printer-related options. ElementBase object IElement object ElementBase constructor Collection of elements Collection of attributes Renders the element StringBuilder object that holds the rendered output Renders the child elements StringBuilder object that holds the rendered output Appends the attirbutes to the output StringBuilder object that holds the rendered output Collection of inner elements Collection of the attributes of the current element Specifies the number of pages to spread the height of a print area across. Specifies the paper size. GridDetailTemplateItem is a placeholder for the PreviewItemTemplate Initializes the base properties for the DetailTemplateItem. For internal use only. Initializes the DetailTemplateItem's data cell. This method is for internal use only. A collection holding objects. Adds the at the end of the collection. The to be added. Adds a collection of objects at the end of the colleciton. The collection of object to be added at the end of the collection. Adds an Array of objects at the end of the colleciton. The Array of object to be added at the end of the Array. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Copies the elements of the collection to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from collection The must have zero-based indexing. The zero-based index in at which copying begins. Gets the number of elements contained in the . The number of elements contained in the . Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. Gets an object that can be used to synchronize access to the collection An object that can be used to synchronize access to the collection Get/Set whether the object should be visible Specifies background color Specifies the chart title alignment Specifies the chart title position Defines the text style settings Defines the text style settings A way to define a client-side template for the labels appearance. #= value # Specifies the chart title position The legend horizontal alignment when the legend.position is "Top" or "Bottom" and the vertical alignment when the legend.position is "Left" or "Right". The orientation of the legend items. Get/Set the width of the legend. Get/Set the height of the legend. Get/Set the height of the legend. Get/Set the height of the legend. Specifies background color A class with helper functions related to the RadHtmlChart and its serialization Converts a Color from a well-known name to a hex string, e.g. Black to #000000 The System.Drawing.Color instance that will be converted. The Color's hex representation in #abcdef format Defines the line style. Get/Set missing values behavior The data field with the values of the series for the size value The data field for the tooltip text Creates a collection with specific series items for the current series type The donut series class will produce a donut chart series. Base class for the Pie and Donut series The data field holding bool value which determines whether the sector should be exploded The data field holding names of the sectors Specifies the visibility of the series items in the legend for a data-bound scenario. Specifies the start angle of the first pie segment. Creates a collection with specific series items for the current series type The size of the hole in the donut chart Defines the appearance settings of the series labels The pie series class will produce a pie chart series. Defines the appearance settings of the series labels Creates a collection with specific series items for the current series type Defines the appearance settings of the line. Get/Set missing values behavior Applicable for Scatter and ScatterLine charts only. Get/Set the x value of the item. Get/Set the y value of the item. Get/Set the size value of the item. Applicable for pie chart only. Get/Set whether the sector should be exploded. Get/Set the name of the item. For pie charts this is the category shown in legend. Applicable for pie chart only. Specifies background color Get/Set the text of the tooltip for a Bubble series Get/Set whether the object should be visible Get/Set the color of the grid lines Get/Set the width of the grid line Defines the appearance settings of the chart legend Defines the x axis settings Defines the y axis settings A collection with the additional Y axes to be displayed in the chart plot area Defines the series of the chart Defines the common visual appearance settings for all the series' tooltips Gets or sets a value that indicates whether the font is bold. Gets or sets a value that indicates whether the font is italic. Gets or sets the text color. Gets or sets the font size. Gets or sets the font family. Gets or sets the padding of the text in pixels. Get/Set the text of the title Defines the appearance settings of the chart title Override this to process the pixel in the first pass of the algorithm The pixel to quantize This function need only be overridden if your quantize algorithm needs two passes, such as an Octree quantizer. Override this to process the pixel in the second pass of the algorithm The pixel to quantize The quantized value Retrieve the palette for the quantized image Any old palette, this is overrwritten The new color palette Struct that defines a 32 bpp colour This struct is used to read data from a 32 bits per pixel image in memory, and is ordered in this manner as this is the way that the data is layed out in memory Holds the blue component of the colour Holds the green component of the colour Holds the red component of the colour Holds the alpha component of the colour Permits the color32 to be treated as an int32 Return the color for this Color32 object Construct the octree quantizer The Octree quantizer is a two pass algorithm. The initial pass sets up the octree, the second pass quantizes a color based on the nodes in the tree The maximum number of colors to return The number of significant bits Construct the octree The maximum number of significant bits in the image Add a given color value to the octree Reduce the depth of the tree Return the array of reducible nodes Keep track of the previous node that was quantized The node last quantized Convert the nodes in the octree to a palette with a maximum of colorCount colors The maximum number of colors An arraylist with the palettized colors Get the palette index for the passed color Mask used when getting the appropriate pixels for a given node The root of the octree Number of leaves in the tree Array of reducible nodes Maximum number of significant bits in the image Store the last node quantized Cache the previous color quantized Get/Set the number of leaves in the tree Class which encapsulates each node in the tree Construct the node The level in the tree = 0 - 7 The number of significant color bits in the image The tree to which this node belongs Add a color into the tree The color The number of significant color bits The level in the tree The tree to which this node belongs Reduce this node by removing all of its children The number of leaves removed Traverse the tree, building up the color palette The palette The current palette index Return the palette index for the passed color Increment the pixel count and add to the color information Flag indicating that this is a leaf node Number of pixels in this node Red component Green Component Blue component Pointers to any child nodes Pointer to next reducible node The index of this node in the palette Get/Set the next reducible node Specifies the options for enabling the canvas mode (using HTML5 canvas element for editing images) in the RadImageEditor control. The RadImageEditor enables the canvas mode if the client browser supports the HTML5 canvas element, and doesn't enable the canvas mode if the canvas element is not supported. The canvas mode is always enabled no matter if the browser does not support the HTML5 canvas element. The canvas mode is disabled. Specifies the locations where a instance can store its intermediary objects, resulting from server operations. The objects are stored in the of the current application. The objects are stored in the of the current HTTP Request. The objects are stored in the WebSerer's file system. Specifies the position of the Toolbar relative to the edited content (content area). The Toolbar is rendered above the content area. The Toolbar is rendered to the right of the content area. The Toolbar is rendered below the content area. The Toolbar is rendered to the left of the content area. Specifies the Toolbar behavior of the RadImageEditor control. The Toolbar is attached to the ImageEditor control. In this mode the Toolbar is static and can't be moved. The Toolbar is rendered within a dock and can be docked into one of the 4(four) zones available, or left undocked anywhere on the page. Provides the event data for the RadImageEditor's ImageEditing event. Provides the event data for the RadImageEditor's ImageChanged event Gets the current Editable Image of the RadImageEditor control. Gets or sets a bool value indicating whether the saving on the image should be canceled. Gets or sets additional argument that will be passed back to the client callback function. Gets the current command applied to the Editable Image. Gets a dictionary containing all the objects sent from the client. Depending on the operation different set of Key-Value pair is sent. During AddText operation the following keys are sent: name, key, clientOps, x, y, color, font, size, text. During Crop operation the following keys are sent: name, key, clientOps, x, y, width, height. During InsertImage operation the following keys are sent: name, key, clientOps, x, y, value, arrayOps. Encapsulates the properties used for FileBrowser dialog management. The FileManagerDialogConfiguration members are passed in a secure manner to the respective dialogs using the DialogParameters collection of the editor. Specifies the render mode of the controls in the file browser dialogs. A Telerik.Web.UI.RenderMode, specifying the Render mode of the controls in the dialogs. Default value is Telerik.Web.UI.RenderMode.Classic. Gets or sets a bool value that indicates whether the ImageEditor uses the specified ContentProvider to load and save the edited image. Gets or sets the fully qualified type name of the ICacheImageProvider used by the instance (to store the intermediary objects). When setting the property make sure you include the assembly name, version, culture, public key token. The default value is string.Empty When the value of this property is string.Empty (default), the instance will use the integrated . This property gets the current ICacheImageProvider type. To set the image provider type use ImageProviderTypeName property. If no provider is set, this property will return the default CacheImageProvider Telerik Image Editor control. Returns a bool value that indicates whether the command is built-in in the RadImageEditor, or is a custom one. The name of the command to check. True - if the command is built-in; False - if the command is custom. Goes through each value of the ToolBarPosition. Tries to retrieve/load the image from the following sources: 1. From the ImageLoading event args; 2. From the FileBrowserContentProvider 3. From the ICacheImageProvider Pass FALSE if you want to avoid creating the EditableImage object when the image is specified through the ImageUrl. The editable image object retrieved from the source. Retrieves an EditableImage from the specified FileBrowserContentProvider. The path to the image. The editable image Invokes the Store method of the current ICacheImageProvider and sets the CurrentImageUrl and CurrentImageKey properties. The editable image to store The key returned by the ICacheImageProvider.Store method. Invokes the Store method of the current ICacheImageProvider and sets the CurrentImageUrl and CurrentImageKey properties. The editable image to store. If the image is null it would not be stored. The ICacheImageProvider to use for storing the image. The key returned by the ICacheImageProvider.Store method. If the EditableImage is null returns string.Empty. Saves the EditableImage on the FileSystem. The EditableImage to save. The ICacheImageProvider to use for saving The file name to use for the image. If string.Empty the existing URL will be used The flag indicating whether the existing file should be overwritten. Returns string.Empty if the image was saved successfully, otherwise a string indicating the problem. Saves the EditableImage on the FileSystem. The EditableImage to save. The ICacheImageProvider to use for saving The file name to use for the image. If string.Empty the existing URL will be used The flag indicating whether the existing file should be overwritten. Defines if the extension of the image should be taken from the image format and not by parsing the URL Returns string.Empty if the image was saved successfully, otherwise a string indicating the problem. Saves the image using the FileBrowserContentProvider. The image to save. The image format to use when saving the image. Should we overwrite if the image exists. (true means to overwrite) The relative image path. A message indicating whether the saving was successful. Empty string means the saving was successful. Creates the ImageEditor's set of tools. Finds out the actual skin that is applied to the controls. true - always look for the skin, false - return the currently stored skin The actual skin applied to the ImageEditor control. Calculates the actual client url of the image applied to the tool. The current skin of the control. The client url of the embedded web resource. Creates a RadDock control that serves as a Tools container for the controls that edit the Image. Creates an XmlHttpPanel control which loads the Tool's specific controls. The XmlHttpPanel is added to the Dock Tools panel. Creates an UpdatePanel and adds it to the ContentContainer of the Dock Tools panel. Update the MaxJsonLength value of the editable image's XmlHttpPanel Creates RadAjaxLoadingPanel to show over the dock while its updating. Creates RadDock that holds the toolbar. Create Top and Left ToolBar zones. Create Right and Bottom ToolBar zones. Applies settings to the ImageEditor when the MetroTouch Skin is used. Bool value indicating whether the MetroTouch Skin is used. Loads ImageEditor tools from the passed XmlDocument. The XmlDocument from which the tools are loaded. Forces the ToolsFile to be parsed and loaded at any given time. Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. Applies the IImageOperation(s) to the current EditableImage in the order they appear in the operations collection. Collection of IImageOperation(s) to apply. The modified EditableImage object. Applies the IImageOperation(s) to the passed EditableImage in the order they appear in the operations collection. Collection of IImageOperation(s) to apply. The EditableImage to apply the operations to. The modified EditableImage object. Extracts the file name from the value of the ImageUrl property. The file name without the extension. Gets the format of the image as a string. The format may be different from the actual filename extension. The format of the image as a string Applies the current pending changes on the current RadImageEditor's EditableImage, saves the EditableImage using the ContentProvider's SaveImage method, and invokes the ImageSaving event. This method requires AllowedSavingLocation propety of RadImageEditor to be set to "Server" or "ClientAndServer". The name to use if the image is saved on the FileSystem. Use string.Empty to use the existing name. Bool value indicating whether the existing image in the ContentProvider should be overwritten. Returns a string message that indicates whether the saving was successful. Empty string means the saving was successful. Applies the current pending changes on the current RadImageEditor's EditableImage, saves the EditableImage using the ContentProvider's SaveImage method, and invokes the ImageSaving event. This method requires AllowedSavingLocation propety of RadImageEditor to be set to "Server" or "ClientAndServer". The EditableImage to save. The name to use if the image is saved on the FileSystem. Use string.Empty to use the existing name. Bool value indicating whether the existing image in the ContentProvider should be overwritten. Returns a string message that indicates whether the saving was successful. Empty string means the saving was successful. Clears all the changes currently applied to the image, and restores the original image. This method should be invoked before PreRender so that the control can request the original image. Gets a reference to the Telerik.Web.UI.ImageEditor.EditableImage that is currently associated with the ImageEditor control. The Telerik.Web.UI.ImageEditor.EditableImage currently associated with Registers a custom command in case it is missing as a button from the toolbar. This method should be called before PreRender The name of the command Gets the of the ICacheImageProvider used. The fully qualified name of the provider used. Returns the of the Raises the ImageChanged event and passes the event related data. The editable image that is being modified. Calls the event handler methods of the ImageChanged event. The editable image that is being modified. The key used to find the event handler method handling the event. Raises the DialogLoading event and passes the event related data. The name of the dialog that is being loaded. The panel to which the dialog control loaded will be added. Calls the event handler methods of the DialogLoading event. The name of the dialog that is being loaded. The panel to which the dialog control loaded will be added. The key used to find the event handler method handling the event. Raises the ImageSaving event and passes the event related data. The event arguments passed to the event handler methods. Calls the event handler methods of the ImageSaving event. The event arguments that will be passed to the event handling methods. The key used to find the event handler method handling the event. Raises the ImageLoading event and passes the event related data. The event arguments passed to the event handler methods. Calls the event handler methods of the ImageLoading event. The event arguments that will be passed to the event handling methods. The key used to find the event handler method handling the event. Raises the ImageEditing event and passes the event related data. The event arguments passed to the event handler methods. Calls the event handler methods of the ImageEditing event. The event arguments that will be passed to the event handling methods. The key used to find the event handler method handling the event. GUID key used to get all the image keys from the CacheProvider, related with the current instance of the ImageEditor control. Key used for downloading the image on the client from the HttpHandler. Gets or sets a string containing the localization language for the RadImageEditor UI Gets or sets a bool value that indicates whether the RadImageEditor is used in the RadEditor. The collection of commands that are applied on the client, and need to be applied on the server. Gets the unique identifier of the current EditableImage. GUID key used to get all the image keys from the CacheProvider, related with the current instance of the ImageEditor control. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Gets or sets the location of an image to edit within the Image editor Gets or sets the alternate text displayed in the edited image when the image is unavailable. Gets or sets the location to a detailed description for the edited image. Gets the collection containing RadImageEditor tools. Gets or sets a string containing the path to the XML toolbar configuration file. Use "~" (tilde) as a substitution of the web-application's root directory. You can also provide this property with an absolute URL which returns a valid XML toolbar configuration file, e.g. http://MyServer/MyApplication/Tools/MyToolsFile.aspx Gets the name of the last (active) command executed by the ImageEditor. Specifies the URL of the HTTPHandler that serves the cached image. The HTTPHandler should either be registered in the application configuration file, or a file with the specified name should exist at the location, which HttpHandlerUrl points to. If a file is to serve the files, it should inherit the class Telerik.Web.UI.WebResource Specifies where the cached imaged from the operation will be stored When the image is stored in the session the HttpHandler definition (in the web.config file) must be changed from type="Telerik.Web.UI.WebResource" to type="Telerik.Web.UI.WebResourceSession" so that the image can be retrieved from the Session. The panel type to use for loading the tools dialogs' content The Localization property specifies the strings that appear in the runtime user interface of RadImageEditor. Gets or sets a value indicating where the image editor will look for its .resx localization files. By default these files should be in the App_GlobalResources folder. However, if you cannot put the resource files in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource files. A relative path to the dialogs location. For example: "~/controls/RadImageEditorResources/". If specified, the LocalizationPath property will allow you to load the image editor localization files from any location in the web application. Gets or sets a value that controls the behavior of the RadImageEditor's StatusBar. Gets or sets a bool value that indicates whether the control can be resized. Gets or sets the height of the RadImageEditor control Gets or sets the width of the RadImageEditor control Gets or sets a value that indicates where the user is allowed to save the image. The options available are: "Client", "Server" and "ClientAndServer". The default is ClientAndServer. Gets or sets value that controls the behavior of the Toolbar. The options available are: "Default" and "Docked". Gets or sets the position of the Toolbar relative to the edited content (content area). Configures the ImageEditor's ContentProvider. Specify settings related to the EditableImage behavior. Gets or sets the maximal number of operations that will be stored in the Undo stack. Zero (0) is the default value, meaning there is no limit on the number of operations stored. Gets or sets a bool value that indicates whether RadAjaxLoadingPanel will be shown over the tools panel. Gets or sets a value indicating where the image editor will look for its dialogs. A relative path to the dialogs location. For example: "~/controls/RadImageEditorDialogs/". If specified, the ExternalDialogsPath property will allow you to customize and load the image editor dialogs from normal ASCX files. Gets or sets the lower limit of the zoom level. This is the lowest percentage value up to which the user can zoom out the image in the RadImageEditor. The default is 25%. Gets or sets the upper limit of the zoom level. This is the highest percentage value up to which the user can zoom in the image in the RadImageEditor. The default is 400%. Gets or sets a value that indicates whether or not the canvas mode of the ImageEditor will be enabled. The name of the javascript function called when the control loads in the browser. The name of the javascript function called when the image in the editor loads in the browser. The name of the javascript function called when the resizing is started on the control. The name of the javascript function called when the resizing on the control ends. The name of the javascript function called when a command is firing on the RadImageEditor. This event is triggered when the ImageEditor's ToolBar buttons are clicked or the RadImageEditor.fire(commandName) method is invoked. The event can be canceled. The name of the javascript function called when a command is fired on the RadImageEditor. This event is triggered when the ImageEditor's ToolBar buttons are clicked or the RadImageEditor.fire(commandName) method is invoked. The name of the javascript function called when a tool widget dialog is loaded from the server. The name of the javascript function called before a change is applied on the image edited. The event can be canceled. The name of the javascript function called after a change is applied on the image edited. The name of the javascript function called before the image is saved on the client or the server. The event can be canceled. The name of the javascript function called after the image is saved on the client or the server. The name of the javascript function called when the tool's panel dialog is closed. The name of the javascript function called, when a given Keyboard ShortCut of the RadImageEditor was hit. The event can be cancelled. Fires when the image has been changed. Fires when an operation's dialog is loading its content. Fires just before the image is saved on the file system. This event can be canceled and the edited image saved into a custom location. Fires just before the image is loaded from the file system. This event can be canceled and the edited image loaded from a custom location. The event is fired only when the ImageEditor needs to load the initial image. Fires just before the image is edited on the server. It is fired only during callbacks when the user performs a server operation. Server operations include the following: Crop, AddText, InsertImage. The event can be cancelled and the image edited accordingly. The serializer for the InsertImageOperation The serializer for the SwapImageOperation The base for all the image operation serializers. The default constructor for any image operation serializer. Serializes the image operation The operation that should be serialized The string representation of the serialized image operation Constructs an image operation from the serialized input The serialized input The image operation represented by the serialized input Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Checks if the provided data is relevant to the current serializer The provided data True if the provided data is relevant to the current image operation. False otherwise. Constructs an image operation from the provided data input The data content representing an image operation An image operation represented by the provided data Name of the current serializer. Every serializer should specify a name. Provides a mechanism to serialize and deserialize image operations. Serializes the image operation The operation that should be serialized The string representation of the serialized image operation Constructs an image operation from the serialized input The serialized input The image operation represented by the serialized input Constructs an image operation from the provided data input The data content representing an image operation An image operation represented by the provided data The name of the currently serializable operation Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Constructs an image operation from the provided data. The input key/value collection of the operation A newly constructed operation based on the input data Name of the current serializer. Name of the current serializer. Represents an ImageEditor dialog used for changing the brightness and contrast of the editable image. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the InsertImage functionality of the control. Creates an instance of the class. Pencil is used to draw sharp lines in the ImageEditor The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the InsertImage functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Enumeration determining the the type. This feature is supported only in browsers supporting HTML5. RadListBoxItemData is designed to give your the freedom to specify predefined or customized type of layout for the items displayed in the control and in the same time gives you integrated sorting, paging, grouping, editing, selecting, etc. capabilities. You can embed various controls of your choice in RadListView's templates and model their appearance in a custom manner. Thanks to its innovative architecture is extremely fast and generates very little output. is designed to give your the freedom to specify predefined or customized type of layout for the items displayed in the control and in the same time gives you integrated sorting, paging, grouping, editing, selecting, etc. capabilities. You can embed various controls of your choice in RadListView's templates and model their appearance in a custom manner. Thanks to its innovative architecture is extremely fast and generates very little output. RadListView class When overridden in an abstract class, creates the control hierarchy that is used to render the composite data-bound control based on the values from the specified data source. The number of items created by the . An that contains the values to bind to the control. true to indicate that the is called during data binding; otherwise, false. The control does not have an item placeholder specified. Creates a default object used by the data-bound control if no arguments are specified. A initialized to . Binds the data from the data source to the composite data-bound control. An that contains the values to bind to the composite data-bound control. InvalidOperationException. The RadListView control does not have an InsertItemTemplate template specified. There was a problem extracting DataKeyValues from the DataSource. Please ensure that DataKeyNames are specified correctly and all fields specified exist in the DataSource. InvalidOperationException. The RadListView control does not have an item placeholder specified. InvalidOperationException. Creates and instantiate layout template instance Created controls count Saves any control state changes that have occurred since the time the page was posted back to the server. Returns the 's current state. If there is no state associated with the control, this method returns null. Restores control-state information from a previous page request that was saved by the method. An that represents the control state to be restored. maximumRows is out of range. startRowIndex is out of range. Raises event Raises event Raises event Raises the event. Raises the event. Raises the event. Raises the event. Raises event Raises the event Raises the event Removes all selected items that belong to instance. Removes all edit items that belong to the instance. Handles the event. An object that contains the event data. Handles the event. An object that contains event data. Renders the to the specified HTML writer. The object that receives the control content. You should not call DataBind in event handler. DataBind would take place automatically right after handler finishes execution. Rebinds this instance and updates the . The passed object (like for example) will be filled with the names/values of the corresponding 's bound values and data-key values if included. dataItem is null. newValues is null. Perform asynchronous update operation, using the control API and the Rebind method. Please, make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. Perform asynchronous update operation, using the control API. Please make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. The boolean property defines if will after the update. editedItem is null. Perform asynchronous delete operation, using the API the Rebinds the grid. Please make sure you have specified the correct for the . When the asynchronous operation calls back, will fire event. Perform delete operation, using the API. Please make sure you have specified the correct for the . Places the RadListView in insert mode, allowing user to insert a new data-item values. Places the RadListView in insert mode, allowing user to insert a new data-item values. Places the RadListView in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to values found in defaultValues dictionary; values with which InsertItem will be populated Places the RadListView in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to values found in defaultValues dictionary; position at which the insertItem will be shown values with which InsertItem will be populated Places the RadListView in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to the provided object; object to which InsertItem will be bound Places the RadListView in insert mode, allowing user to insert a new data-item values. The InsertItem created will be bound to the provided object; position at which the insertItem will be shown object to which InsertItem will be bound Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. Insert item is available only when RadListView is in insert mode. Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. insertItem is null. container is null. -or- propName is null or an empty string (""). The object in container does not have the property specified by propName. InvalidOperationException. Gets or sets the ODataDataSource used for data binding. Gets or sets a OData service DataModelID. The OData service DataModelID. Gets or sets the custom content for the root container in a control. Gets or sets the custom content for the data item in a control. Gets or sets the custom content for the alternating data item in a control. Gets or sets the custom content for the item in edit mode. An object that contains the custom content for the item in edit mode. The default is null, which indicates that this property is not set. Gets or sets the custom content for an insert item in the control. Gets or sets the custom content for group container in the control. Gets or sets the user-defined content for the separator between groups in a control. Gets or sets the user-defined content for the empty item that is rendered in a control when there are no more data items to display in the last row of the current data page. Gets or sets the ID for the item placeholder in a control. The ID for the item placeholder in a control. The default is "itemPlaceholder". Gets or sets the ID for the group placeholder in a control. The ID for the group placeholder in a control. The default is "groupPlaceholder". Gets a collection of objects that represent the data items of the current page of data in a control. Gets or sets the custom content for the separator between the items in a control. Gets or sets the Template that will be displayed if there are no records in the DataSource assigned. Gets or sets the number of items to display per group in a control. Default value is 1 value is out of range. Gets or sets an array of data-field names that will be used to populate the collection, when the control is databinding. Gets or sets comma delimited list of data-field Names. Comma delimited list of data-field Names. Gets or sets the scope of the aggregates in a . Meaningful only in case of data grouping. Default value is Gets collection of data key values. The collection of data key values. Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik control. Gets a collection of sort expressions for Gets or sets the custom content for the data group template in a control. Gets a collection of filter expressions for Gets or sets the value indicating if more than one datafield can be sorted. The order is the same as the sequence of expressions in . Allows and disallows the no-sort state when changing sort order. Allows and disallows the no-sort state when changing sort order. Allow RadListView equal items not to be reordered when sorting. Enables sorting result consistancy between 3.5, 4.0, 4.5 Framework Gets or sets a value indicating the index of the currently active page in case paging is enabled ( is true). The index of the currently active page in case paging is enabled. AllowPaging Property value is out of range. Gets or sets a value indicating if the RadListView is currently in insert mode. true, if the RadListView is currently in insert mode; otherwise, false. The ItemInserted property indicates if the RadListView is currently in insert mode. After setting it you should call the method. Gets or sets a value indicating if the should override the default sorting with its native sorting. You can set this to true in case of with data without implemented sorting. Gets or sets if the custom sorting feature is enabled. Specify the maximum number of items that would appear in a page, when paging is enabled by property. Default value is 10. value is out of range. Gets the number of pages required to display the records of the data source in a control. value is out of range. Gets or sets if the custom paging feature is enabled. Raised when is created Raised when is created Raised when is data bound Raised when a button in a control is clicked. Fires when a paging action has been performed. Fires when has been changed. Fires the SelectedIndexChanged event. Fires when has been changed. Occurs when an insert operation is requested, but before the control performs the insert. Occurs when an insert operation is requested, after the control has inserted the item in the data source. Occurs when an edit operation is requested, but before the item is put in edit mode Occurs when a delete operation is requested, but before the control deletes the item. Occurs when a delete operation is requested, after the control deletes the item. Occurs when the Update command is fired from any Occurs when the Update command is fired from any Occurs when the Cancel command is fired from any Raised when the is about to be bound and the data source must be assigned. Occurs when a ListView item is dragged and dropped on an HTML element Occurs when a ListView grouped by custom aggregate Gets or sets a value indicating whether the automatic paging feature is enabled. Gets or sets a value indicating whether Telerik should retrieve all data and ignore server paging in case of sorting. true (default) if the retrieve all data feature is enabled; otherwise, false. Gets a reference to the object that allows you to set the properties of the validate operation in a control. Gets or sets the custom content for the selected item in a control. Gets a collection of indexes of the selected items. Gets or sets a value indicating whether you will be able to select multiple items in Telerik . By default this property is set to false. true if you can have multiple dataItems selected at once. Otherwise, false. The default is false. Gets a collection of the currently selected RadListViewDataItems Returns a of all selected data items. Gets the data key value of the selected item in a control. The data key value of the selected row in a control. Gets the edit indexes which represent the indexes of the items that are currenly in edit mode. The edit indexes which represent the indexes of the items that are currenly in edit mode. Gets a collection of all in edit mode. of all items that are in edit mode. Gets or sets a value indicating whether RadListView will allow you to have multiple items in edit mode. The default value is false. true if you can have more than one item in edit mode. Otherwise, false. The default value is false. Gets or sets a value that indicates whether empty string values ("") are automatically converted to null values when the data field is updated in the data source. Gets or sets the location of the template when it is rendered as part of the control. Gets the insert item of a control. Gets or sets ID of RadClientDataSource control that to be used for client side binding Contains client-side databinding settings for Gets or sets the ID of an HTML element in which will be rendered. Gets or sets the ID of an HTML element in the LayoutTemplate that will contain the data items in when using client-side databinding. Gets or sets the HTML template of the container when using client-side databinding. Gets or sets the HTML template of a item when using client-side databinding. Gets or sets the HTML template of a alternating item when using client-side databinding. Gets or sets the HTML template of a empty item when using client-side databinding. Gets or sets the HTML template of a separator item that is rendered between two bound items when using client-side databinding. Gets or sets the HTML template of a selected item thwhen using client-side databinding. Contains data service settings for the client-bound . These allow the control to automatically connect to a data service. Class containing data service settings for the client-bound . These allow the control to automatically connect to a data service. Gets or sets the base URL of the web service. Gets or sets the table, method or entity path that gets appended to the base location of the web service. The result URL is used for requesting the data. Gets or sets the count method name that gets appended to the base location of the web service. The result URL is used for requesting the total item count. Gets or sets the HTTP method that will use to access the data service URL. Default is POST. Enables or disables client-side data caching in . Caching is disabled by default. Gets or sets the name of the property in the result object returned by the data service that contains the data objects will bind to. Gets or sets the name of the property in the result object returned by the data service that contains the total item count in the data source. Gets or sets the name of the filter parameter that will be used with the data service. Gets or sets the format in which the filter expressions will be sent to the web service. Default is List. Gets or sets the name of the sort parameter that will be used with the data service. Default is List. Gets or sets the format in which the sort expressions will be sent to the web service. Default is List. Gets or sets the name of the start row index parameter that will be used with the data service. Gets or sets the name of the maximum rows parameter that will be used with the data service. Gets or sets the response type that is expected from the data service. Enumerates the supported HTTP methods can use with a data service. A POST request will be used A GET request will be used Enumerates the data request formats RadGrid uses when making data service requests. Response will be returned in JSON (JavaScript Object Notation) format Response will be returned in JSONP (JSON with padding) format Enumerates the different formats parameters sent to data services can take. Parameter will be converted to a JSON list Parameter will be converted to an SQL-style string Parameter will be converted to Dynamic LINQ-style string Parameter will be converted to OData-style string This Class defiens the Client events in ODataDataSource. Gets or sets the requesting event that is fired when a request to the server is about to be sent. The requesting. Gets or sets the RequestSucceeded event that is fired when a request to the server is started. The RequestSucceeded. Gets or sets the RequestFailed event that is fired when a request to the server is started. The RequestFailed. This abstract Class defienes the ExpressionBase and gets or sets the model id to whom this filters applies. Gets or sets the model id to whom this filters applies This Class defines SortEntryCollection that inherits EntryCollectionBase of SortEntries. This abstract Class defines EntryCollectionBase collection that inherits List collection. This Class is responsible for getting the sort expression entries from the SortEntryCollection. Gets the sort expression entries. The sort expression entries. This enum specifies the ODataSourceFilters functionality. ODataSourceFilters is set to "Eq". Eq = 1 ODataSourceFilters is set to "Neq". Neq = 2 ODataSourceFilters is set to "Gt". Gt = 3 ODataSourceFilters is set to "Gte". Gte = 4 ODataSourceFilters is set to "Lt". Lt = 5 ODataSourceFilters is set to "Lte". Lte = 6 ODataSourceFilters is set to Contains filtering mode. Contains = 7 ODataSourceFilters is set to EndsWith filtering mode. EndsWith = 8 ODataSourceFilters is set to StartsWith filtering mode. StartsWith = 9 ODataSourceFilters is set to None. None This enum specifies the ODataSourceResponseType. ODataSourceResponseType is set to "JSONP". JSONP = 0 ODataSourceResponseType is set to "XML". XML = 1 This enum specifies the ODataSourceOrder . ODataSourceOrder is set to "Asc". Asc = 1 ODataSourceOrder is set to "Desc". Desc= 2 This Class gets or sets the filtering operator and the value for the filtering operation. This abstract Class gets or sets the field name for the operation. Gets or sets the field name for the operation. Gets or sets the filtering operator Gets or sets the value for the filtering operation This Class defines the FilterEntryCollection that inherits EntryCollectionBase. This Class defines SortExpressionCollection that inherits EntryCollectionBase of SortExpressions. This class defines the FilterExpression that inherits ExpressionBase by getting or settting the filter logic, AND or OR and getting the filter expression entries. Gets or sets the filter logic, AND or OR. Gets the filter expression entries. The filter expression entries. This Class defines FilterExpressionCollection that inherits EntryCollectionBase of FilterExpressions. This enum specifies if the ODataSourceFilterLogic uses "And or "Or" functionality. ODataSourceFilterLogic is set to "And". And = 0 ODataSourceFilterLogic is set to "Or". Or = 1 This Class is responsible for gettting or setting the sorting direction. Gets or sets the sorting direction RadODataDataSource This partial class defines RadODataDataSource- it is a client data source component that allows querying of local and remote services. The purpose of the control is to allow user to easily create data model for their applications. To facilitate the configuration of the data model further, we implemented a specially designed wizard. Using it, you can visually configure the data model. With the RadODataDataSource one can easily configure not only one but several models and bind each of them to a different control. It is also important to note that these controls should support such binding. Registers the control with the ScriptManager Gets a collection of script descriptors that represent ECMAScript (JavaScript) client components. An collection of objects. Gets a collection of objects that define script resources that the control requires. An collection of objects. Gets the web service to be used for populating items with ExpandMode set to WebService. The transport. Gets the client events. The client events. Gets the schema. The schema. Gets the filter expressions. The filter expressions. Gets the sort expressions. The sort expressions. Gets or sets whether server-side sorting is enabled. Gets or sets whether server-side sorting is enabled. Gets or sets whether server-side paging is enabled. Gets or sets whether data caching is enabled. Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. This Class defines DataModelField that inherits EntryBase. This Class defines the DataModel object. Gets or sets the name of the collection that holds the model. Gets or sets the id for the model. i.e. Products Gets the Collection of fields for the model. The fields. Gets or sets the page size when paging is enabled Gets or sets the queried page index when paging is enabled. This Class defines the schema and wheather this instance has models. Determines whether this instance has models. This Class Gets or sets the data service url for CRUD operation and the type of the response. It could be JSON or JSONP if the request is cross domain. Gets or sets the data service url for CRUD operation. Gets or sets the type of the response. It could be JSON or JSONP, should the request is cross domain. This Class defines Read that inherits CrudBase class. This Class gets or sets the settings for the Read data service i.e. the one responsible for obtaining the data from the server. Gets or sets the settings for the Read data service i.e. the one responsible for obtaining the data from the server. Represents collection of GroupItems in the RadOrgChart control. Initializes a new instance of the OrgChartGroupItemCollection class. Add a new GroupItem to the OrgChartGroupItemCollection if the collection does not contains it. This example shows how to add an Item into OrgChartGroupItemCollection orgChart.Nodes[0].GroupItems.Add(new OrgChartGroupItem()); orgChart.Nodes(0).GroupItems.Add(New OrgChartGroupItem()) The added Item Insert a new Item to the OrgChartGroupItemCollection on a specific position. This example shows how to insert a GroupItem into OrgChartGroupItemCollection on first position orgChart.Nodes[0].GroupItems.Insert(0, new OrgChartGroupItem()); orgChart.Nodes(0).GroupItems.Insert(0, New OrgChartGroupItem()) Integer position to insert at The added GroupItem Add an IEnumerable of GroupItems to the OrgChartGroupItemCollection. IEnumerable ofGroupItems Insert a collection of GroupItems to a specified index in the OrgChartGroupItemCollection. Integer the position to insert at IEnumerable of GroupItems Remove a GroupItem from the OrgChartGroupItemCollection if the collection contains it. This example shows how to remove an Item from OrgChartGroupItemCollection var item = new OrgChartGroupItem(); item.Text = "item1"; orgChart.Nodes[0].GroupItems.Remove(item); Dim item As New OrgChartGroupItem() item.Text = "item1" orgChart.Nodes(0).GroupItems.Remove(item) The removed GroupItem Remove all GroupItems in the collection matching the passed condition. Predicate to match GroupItems Remove the GroupItem on the specified position in the collection. Integer index Removes a range of GroupItems in the collection. Integer index - the starting point of the range Integer count - the size of the range Remove all GroupItems in the collection. Synchronize Renderer's properties during OnPreRender stage. Gets or sets the node to which the items belong. Gets the Renderer for OrgChartGroupItemCollection. Represents collection of Nodes in the RadOrgChart control. Initializes a new instance of the OrgChartNodeCollection class. Add a new Node to the OrgChartNodeCollection if the collection does not contains it. This example shows how to add a Node into OrgChartNodeCollection orgChart.Nodes.Add(new OrgChartNode()); orgChart.Nodes.Add(New OrgChartNode()) The added Node Insert a new Node to the OrgChartNodeCollection on a specific position. This example shows how to insert a Node into OrgChartNodeCollection on first position orgChart.Nodes.Insert(0, new OrgChartNode()); orgChart.Nodes.Insert(0, New OrgChartNode()) Integer position to insert at The added Node Add a collection of Nodes to the OrgChartNodeCollection. IEnumerable of Nodes Insert a collection of Nodes to a specified index in the OrgChartNodeCollection. Integer the position to insert at IEnumerable of Nodes Remove a Node from the OrgChartNodeCollection if the collection contains it. This example shows how to remove a Node from OrgChartNodeCollection var node = new OrgChartNode(); node.ColumnCount = 2; orgChart.Nodes.Remove(node); Dim node As New OrgChartNode() node.ColumnCount = 2 orgChart.Nodes.Remove(node) The removed Node Remove all Nodes that match the passed criteria from the collection. Predicate to match Nodes for removal Remove the Node on the specified position in the collection. Integer index Removes a range of Nodes in the collection. Integer index - the starting point of the range Integer count - the size of the range Remove all Nodes in the collection. Synchronize Renderer's properties during OnPreRender stage. Gets and sets OrgChartNodeCollection's parent container. Check if the OrgChartNodeCollection is the root node collection for RadOrgChart control. Gets the Renderer for OrgChartNodeCollection For internal use Represents an OrgChartGroupItem in the RadOrgChart control. Initializes a new instance of the OrgChartGroupItem class. Initializes a new instance of the OrgChartGroupItem class. OrgChart to which the item belongs. Although OrgChartGroupItem is not a Control inheritor, it provides a method to search controls in its renderer (OrgChartGroupItemRendererBase). The id of the searched control Control instance or null Synchronize Renderer's properties during OnPreRender stage. Gets or sets the OrgChart to which the item belongs. Gets or sets the item's image URL. The URL can be a full or relative path to an image. If the property is not set a default image will be rendered. This example shows how set ImageURL orgChart1.Nodes[0].GroupItems[0].ImageUrl = "Images/Copy.jpg"; orgChart1.Nodes[0].GroupItems[0].ImageUrl = "http://sampleimages.com/sampleImage.jpg"; orgChart1.Nodes(0).GroupItems(0).ImageUrl = "Images/Copy.jpg" orgChart1.Nodes(0).GroupItems(0).ImageUrl = "http://sampleimages.com/sampleImage.jpg" Gets or sets the item image's alternative text. Gets or sets item's text. The set text will be rendered on the item. Gets the Renderer for OrgChartGroupItem. Gets OrgChartRenderedFieldCollection for OrgChartGroupItem. Gets or sets the Template for OrgChartGroupItem. When a template is set, it is applied only for the current item. Gets or sets the OrgChartNode to which the item belongs. Gets the value of the data field ID of the currently bound GroupItem. The value is set in Group-Enabled binding. Gets or sets the CSS class of the GroupItem. The set CSS class is rendered additionally to the GroupItem. Gets or sets data source DataItem during data binding. Gets or sets item's Children. Represents an OrgChartNode in the RadOrgChart control. Initializes a new instance of the OrgChartNode class. Initializes a new instance of the OrgChartNode class. OrgChart to which the node belongs. Synchronize Renderer's properties during OnPreRender stage. Gets or sets OrgChartNode's GroupItem collection. Collection of all GroupItems in the Node. Gets the Renderer for OrgChartNode. Gets the Node collection containing the current Node. The collection containing the current Node. Gets Node's parent in the hierarchy (OrgChartNode/RadOrgChart). Gets OrgChartRenderedFieldCollection for theNode. Gets or sets Template for all contained GroupItems. When a template is set, it is applied for all items in the Node, which doesn't have a template set. Gets the depth level of the Node towards the RadOrgChart. When the Node is not added in RadOrgChart, the level is -1. Gets or sets the number of columns in the Node's visualization. Simply breaks the single-line presentation of the group in RadOrgChart on multiple lines. Gets the value of the data field ID of the currently bound Node. Gets or sets the CSS class of the OrgChartNode. The set CSS class is rendered additionally to the Node. Gets or sets whether the Node to be collapsed/expand The property takes effect if EnableCollapsing property of the RadOrgChart is set to true. Gets or sets whether the GroupItems of the Node to be collapsed/expand The property takes effect if EnableGroupCollapsing property of the RadOrgChart is set to true. Gets a collection of the direct child Nodes of the current. Gets or set whether the Node has nodes for load Used to determine if the Node is the last and to render an expand/collapse arrow on it in web service binding Represents an OrgChartRenderedField in the RadOrgChart control. RenderedField is an extra text information about every Node or Item. They can be added either to the Node or OrgChartGroupItem of the RadOrgChart, or to the both. Gets or sets field name of the data item that populates the entity (Node/GroupItem). Gets or sets description about custom field's text. Gets or sets short description of the custom field that will appears in the Node or OrgChartGroupItem. Gets the text which is to be rendered in the Node or the GroupItem. Load nodes on demand Loads Group Load on Demand is disabled (default value). Loads Nodes on Demand. Loads Groups on Demand. Loads Nodes and Groups on Demand. For internal use Represents an OrgChartGroupItemDataBoundEventArguments in the RadOrgChart control. OrgChartGroupItemDataBoundEventArguments is an event argument of the OnGroupItemDataBound event handler. Initializes a new instance of the OrgChartGroupItemDataBoundEventArguments class. The OrgChartGroupItem which is bound. Gets the OrgChartGroupItem which is created from a data source. The item is added to it's parent-node's GroupItems Collection. Represents an OrgChartNodeDataBoundEventArguments in the RadOrgChart control. OrgChartNodeDataBoundEventArguments is an event argument of the OnNodeDataBound event handler. Initializes a new instance of the OrgChartNodeDataBoundEventArguments class. The OrgChartNode which is bound. Gets the OrgChartNode which is created from a data source. It is added to OrgChartNodeCollection and all of its OrgChartGroupItems are binded and inserted in its GroupItems collection. This example shows how to set event handler for OnNodeDataBound event. protected void Page_Load(object sender, EventArgs e) { RadOrgChart1.NodeDataBound += new OrgChartNodeDataBoundEventHandler(RadOrgChart1_NodeDataBound); } void RadOrgChart1_NodeDataBound(object sender, OrgChartNodeDataBoundEventArguments e) { e.Node.RenderedFields.Add(new OrgChartRenderedField() { Text = "SampleFieldText" }); } Protected Sub RadOrgChart2_NodeDataBound(sender As Object, e As Telerik.Web.UI.OrgChartNodeDataBoundEventArguments) Handles RadOrgChart1.NodeDataBound e.Node.RenderedFields.Add(New OrgChartRenderedField() With {.Text = "SampleFieldText"}) End Sub This example shows how to set event handler for OnGroupItemDataBound event. protected void Page_Load(object sender, EventArgs e) { RadOrgChart1.GroupItemDataBound += new OrgChartGroupItemDataBoundEventHandler(RadOrgChart1_GroupItemDataBound); } void RadOrgChart1_GroupItemDataBound(object sender, OrgChartGroupItemDataBoundEventArguments e) { e.Item.RenderedFields.Add(new OrgChartRenderedField() { Text = "SampleFieldText" }); } Protected Sub RadOrgChart2_GroupItemDataBound(sender As Object, e As Telerik.Web.UI.OrgChartGroupItemDataBoundEventArguments) Handles RadOrgChart1.GroupItemDataBound e.Item.RenderedFields.Add(New OrgChartRenderedField() With {.Text = "SampleFieldText"}) End Sub Represents the GroupEnabledBinding settings in the RadOrgChart control. Gets the NodeBindingSettings. Gets the GroupItemBindingSettings. Represents an GroupItemBindingSettings section in the RadOrgChart control. RadOrgChart supports binding to hierarchical data including groups as logical entities. Gets or sets the name of the data field which indicates the GroupItem's parent Node. Gets or sets the name of the data field containing the GroupItem's ImageUrl. Gets or sets the name of the data field containing the GroupItem's ImageAltText. Gets or sets the name of the data field containing the GroupItem's Text. Gets or sets an instance of GroupItem's data source. Gets or sets the ID of the GroupItem's data source. Gets or sets the name of the data field used to uniquely identify each row. Represents an NodeBindingSettings section in the RadOrgChart control. RadOrgChart supports binding to hierarchical data including groups as logical entities. Gets or sets the name of the data field used to identify the parent Node. Gets or sets an instance of Node's data source. Gets or sets the ID of the Node's data source. Gets or sets the name of the data field used to uniquely identify each row. Gets or sets the data field holding the Collapsed property for the currently bound Node. Gets or sets the data field holding the GroupCollapsed property for the currently bound Node. For internal use Represents all CSS classes that are rendered to the RadOrgChart. RadOrgChart is a flexible tool for visualization of organizational structures and hierarchies. Saves the client state data Gets a node by hierarchical index If the node does not exist the returned value is null. Returns all GroupItems in the RadOrgChart. Collection of OrgChartGroupItem Returns items by some criteria (lambda). Collection of OrgChartGroupItem Lambda expression Returns items by some criteria (lambda). Collection of OrgChartGroupItem Lambda expression Returns all Nodes in the RadOrgChart. Returns nodes by some criteria (lambda). Collapse all Nodes in the RadOrgChart Collapse Nodes by criteria (lambda) Expand all Nodes in the RadOrgChart Expand Nodes by criteria (lambda) Collapse all Groups in the RadOrgChart Collapse Groups by criteria (lambda) Expand all Groups in the RadOrgChart Expand Groups by criteria (lambda) Gets OrgChart serialized as XML. string (XML). Deserializes OrgChart from XML file. Relative or virtual path of the loaded Xml file. Deserializes OrgChart from XML string. string (XML) Gets or sets default image URL for every GroupItem image. When GroupItem's image URL is not set a default image is rendered for every GroupItem. Gets or sets whether to render a default image for every GroupItem. Gets or sets the data field holding the unique identifier for a Node. Gets or sets the data field holding the ID of the parent Node. Gets or sets the data field holding an image URL for the currently bound GroupItem. Gets or sets the data field holding the ImageAltText property for the currently bound GroupItem. Gets or sets the data field holding the Collapsed property for the currently bound Node. Gets or sets the data field holding the Text of the currently bound GroupItem. Gets or sets GroupEnabledBinding settings for RadOrgChart. Gets or sets the maximum depth of the RadOrgChart hierarchy which will be binded. Gets RenderedFields settings. Gets or sets template for all items that doesn't have template nor does their node. Gets or sets the number of columns in all Node's visualization, except these that have their ColumnCount property set locally. Simply breaks the single-line presentation of the Node (group) in RadOrgChart on multiple lines. Gets or sets whether to enable drag and drop Allows dragging of GroupItems (except in Simple Binding) Gets or sets whether to enable collapsing and expanding of the Nodes Gets or sets whether to enable collapsing and expanding the GroupItems of a Node. The property takes effect if there is more than one item in a Node. In SimpleBinding is ignored. Gets or sets whether to persist expand/collapse state after a postback. Gets or sets whether to enable drill down functionality of the RadOrgChart. Gets or Sets LoadOnDemand state Gets OrgChart's child nodes. Gets or sets a value indicating the client-side event handler that is called when the OrgChartNodeCollection is about to be populated (for example by callback). Gets or sets a value indicating the client-side event handler that is called when the OrgChartNodeCollection is populated (for example by callback). Gets or sets a value indicating the client-side event handler that is called when the OrgChartNodeCollection populating failed (for example by callback). Gets or sets a value indicating the client-side event handler that is called when the OrgChartGroupItemCollection is about to be populated (for example by callback). Gets or sets a value indicating the client-side event handler that is called when the OrgChartGroupItemCollection is populated (for example by callback). Gets or sets a value indicating the client-side event handler that is called when the OrgChartGroupItemCollection populating failed (for example by callback). For internal use Represents the OrgChartRenderedFieldsSettings section in the RadOrgChart control. The set RenderedFields will apply for every Node or GroupItem in the RadOrgChart. Gets the RenderedFields collection for OrgChartNodes. Gets the RenderedFields collection for OrgChartGroupItems. Represents the renderer of not loaded item when web service binding is used. Represents the renderer of OrgChartGroupItemCollection in Classic render mode. Renders OrgChartGroupItemCollection. All renderers are attached to the control's tree during PreRender stage. Represents the renderer of OrgChartGroupItem in Classic render mode. Renders OrgChartGroupItem. All renderers are attached to the control's tree during PreRender stage. Represents the renderer of OrgChartNodeCollection. Renders OrgChartNodeCollection. All renderers are attached to the control's tree during PreRender stage. Gets or sets depth level of the Node towards RadOrgChart. The default HtmlTextWriterTag is overrided to ul. The base HtmlTextWriterTag is span. Represents the renderer of OrgChartNode. Renders OrgChartNode. All renderers are attached to the control's tree during PreRender stage. Base StateStorageProvider class StateStorageProvider interface that should be implemented by the different storage providers Save the provided serialized state to the repository The key identifier for the stored state State's serialized value that should be stored in the repository Retrieves stored state from the repository The key identifier for the stored state State value corresponding to the provided key StateStorageProvider class utilizing HttpCookies as data repository Gets or Sets the LifeSpan of the cookie Base ControlState class that should be inherited by each control state class Container for additional settings to be persisted with the state Gets or sets the UniqueId representing the corresponding control's UniqueId property Used with RadPersistenceFrameworkProxy controls for avoiding problems with controls having identical UniqueId's Static class used to hold the List<RadControls> helper extension methods Returns the first state with the given unique id List<RadControlState> collection Unique Id of the state RadControlState object Returns the first state with the given unique key List<RadControlState> collection Unique Key of the state RadControlState object Removes the first state with the given unique id List<RadControlState> collection Unique Id of the state true if successfull; otherwise false Returns the first state with the given unique key List<RadControlState> collection Unique Key of the state true if successfull; otherwise false Represents the aggregate fields zone of . RadPivotGrid field zone Represents the row fields zone of . Represents the column fields zone of . RadPivotGrid data cell Returns the row index for the current cell Returns the column index for the current cell Returns an array of the parent row indexes Returns an array of the parent column indexes Gets/sets the formatted value of the current cell Determines the cell type Returns true if the current cell is a total cell; otherwise false Returns true if the current cell is a grand total cell; otherwise false Represents the row fields zone of . Represents the filter fields zone of . RadPivotGrid row header cell Determines whether the current cell is in expanded state Represents the row fields zone of . RadPivotGrid table header cell Provides data for Command events including CancelCommand, SortCommand and FilterCommand. Override to fire the corresponding command. Gets or sets a value, defining whether the command should be canceled. Fires the command stored in property The arguments passed when fires AggregateChange event. Fires the command stored in property The source control which triggers the event Gets the owner pivot grid. The owner pivot grid. Summary description for PivotGridPageChangedEvent. The event arguments passed when fires Expand\Collapse of a Rows or Columns group level. Fires the command stored in property Gets the owner pivot grid. The owner pivot grid. Gets the group which will be expanded or collapsed. Gets a value indicating if a expand or collapse operation will be performed. Get a value indicating which level will be expanded or collapsed. Enumeration determining a group type. Could be either Columns or Rows. Enumeration determining if a operation is Expand or Collapse. The event arguments passed when reorders field. Fires the command stored in property. The source control which triggers the event. Summary description for NeedDataSourceEvent. Summary description for PivotGridPageChangedEvent. The arguments passed when fires ShowHideField event. Fires the command stored in property The source control which triggers the event Summary description for PivotGridSortEventargs. The type of command which will be executed. The class represents one command which is one client-side operation when the DeferLayoutUpdate is enabled. Executes the command and depending on the Type and Arguments properties it performs different operations. Gets the owner pivot grid. The owner pivot grid. Gets the type of the command which determines what operation will be made on . The type of the command which determines what operation will be made on . Gets the arguments of the command which determines the operation values. The arguments of the command which determines the operation values. The arguments passed when fires UpdateLayout event which is fired when DeferLayoutUpdate is enabled and then the is pressed. Fires the command stored in property The source control which triggers the event Gets the update layout commands which will be executed in order for the to be updated depending on the operations made client-side. The update layout commands which will be executed in order for the to be updated depending on the operations made client-side. The settings are associated with and determines its behavior and enabled functionalities. Gets or sets if the drag drop in the configuration panel will be enabled. Enable\disables if the drag drop in the configuration panel will be enabled. Gets or sets if a context menu will be displayed when right clicking fields in the configuration panel. Enable\disables if a context menu will be displayed when right clicking fields in the configuration panel. Gets or sets if the defered layout update is enabled which determines if the changes will be applied after every operation or only when clicking the Update button. The defered layout update determines if the changes will be applied after every operation or only when clicking the Update button. Gets or set a value indicating where the ConfigurationPanel will be places relative to the pivot grid. This default value for this property is Right. Gets or sets a value indicating whether the row header zone of the pivotgrid will be shown. ToolTip that would appear over the fields' checkboxes Gets or sets a value indicating if the will use a Load-on-demand to load its nodes. A value indicating if the will use a Load-on-demand to load its nodes. The name of category under which all uncategorized fields are put. Gets or sets a value indicating if all uncategorized fields coming from OLAP cube will be put under category folder or rendered directly as children Represents an aggregate error. Describes the supported aggregate functions available for . . . . Gets a string format suitable to format the value of the s produced by that . The type of the data items. A string format selected by other means. You may keep or discard it. A string. Creates an AggregateValue supported by that AggregateFunction. An . Creates an AggregateValue supported by that AggregateFunction. AggregateContext containing information about AggregateValue usage. An . Converts instances of other types to and from instances. Describes the supported aggregate functions available for . Computes the sum. Counts items. Computes the average. Computes the maximum. Computes the minimum. Computes the product. Estimates the standard deviation of a population based on a sample. Estimates the standard deviation of a population based on the entire population. Estimates the variance based on a sample. Estimates the variance based on the entire population. Computes the average. Counts items. Computes the maximum. Base class for generic that preserve the meaning of the underlying data. It provides a basic functionality to select default string formats. Computes the minimum. Computes the product. Describes the aggregation of items using a property name as the criteria. Base class that describes the aggregation of items using a property name as the criteria. Returns the value that will be passed in the aggregate for given item. The item which value will be extracted. Returns the value for given item. Makes the instance a clone (deep copy) of the specified . The object to clone. Notes to Inheritors If you derive from , you need to override this method to copy all properties. It is essential that all implementations call the base implementation of this method (if you don't call base you should manually copy all needed properties including base properties). Gets or sets a value identifying a property on the grouped items. Gets or sets the aggregate function that will be used for summary calculation. Gets or sets a value that determines whether the s of this will ignore null values when calculating the result. Provides the data type of the aggregate description. Gets a list of suitable functions for the . Initializes a new instance of the class. Base class for generic statistical . It provides a basic functionality to select default string formats. Estimates the standard deviation of a population based on a sample. Estimates the standard deviation of a population based on the entire population. Computes the sum. Estimates the variance based on a sample. Estimates the variance based on the entire population. Provides a way to choose a string format for a . Select a StringFormat suitable to format the s provided for the and . The type of the data items. The for which s a StringFormat is selected. A string format. Select a StringFormat suitable to format the s. A string format. A base class that is used for all totals that compare a to other from the totals or the s sibling list. Formats the aggregate values based on the values for its siblings identified by and . A base class for all total formats. For internal use. Please refer to one of the or instead. Gets a string format suitable to form the produced s by this . The type of the data items. A string format selected by other means. You may keep or discard it. A string. Gets a read only collection of the s for all siblings at the and . Based on the s the should be set. A read only list of the s for all siblings at the and . The with the current pivot grouping results. Gets the type of the variation for the groups deeper than the . The type. The axis for which siblings are compared. The level at which siblings are compared. A that is used for all totals that compute a as a difference from other specified by . A base class that is used for all totals that compute a as a difference from other from the totals or the s sibling list. Gets or sets the name of the used for comparison. A that compute the difference for each TotalValue from its next sibling. A that compute the difference for each TotalValue from its previous sibling. A base class TotalComparers. One could be used with . Compares the two s. The results should be as the result from . The first to compare. The second to compare. A signed integer that indicates the relative values of x and y, as shown: Value Meaning Less than zero - x is less than y. Zero - x equals y. Greater than zero - x is greater than y. A that computes the 'Index' for the pivot grouping values. The index is computed by the following formula: (aggregateValue * grandTotalValue) / (rowTotalValue * columnTotalValue). Formats the aggregate value based on its own value and some relative values such as row/column subtotals or grand totals. Formats the value located at the . The current value could be retrieved from the . The for the formatted value. The current results in the pivot grouping. The index of the aggregate description we are formatting value for. The formatted value. A base class that is used for all totals that compute a as a difference from other and computes the difference as percent from the previous difference. A base class that is used for all totals that compute a as a difference from other and computes the difference as percent from the previous difference. Gets or sets the name of the used for comparison. A base class for all 'percent-difference' s. A base class that calculate the percent of the difference for each of its previous sibling. A that formats each to show the percent of the group with = . A base class for all that show 'percent-of'. Gets or sets the name which will be used to find a base value for comparison for all sibling groups. A that is base class for all "percent of" formats. A that formats each to show the percent of the column total. A that formats each total as the percent of the grand total. A that formats each to show the percent of the next sibling. A that formats each to show the percent of the previous sibling. A that formats each to show the percent of the row total. A that computes running totals and then computes the percent of these running totals from the grand total. For example if you group by and use to on that groups the results will show how the values sum up in time. The values will show the percent of the so accumulated values from the grand total. A that rank totals by sorting the totals using the and then uses the indices of the s in the sorted list for . A used to rank the total values. The comparer used to sort the s. A that computes running totals. For example if you group by and use to on that groups the results will show how the values sum up in time. Specifies which sibling values should be grouped. Totals that have equal names for them and their parent groups are considered siblings. Totals that have equal names and are generated for the same are considered siblings. Used to format an for a in a pivot grouping. Gets the this is responsible for. Gets or sets the that should replace the in the final result. Gets and caches the value for from the this is generated for. Represents an aggregate that computes the average of items. Represents an aggregate that computes the average of items. The sum used to compute the average is stored in a and the count in a . Represents an aggregate that counts items. Represents an aggregate that computes the maximum. Represents an aggregate that computes the maximum. The minimum value is stored in a . Represents an aggregate that computes the maximum. The minimum value is stored in a . Represents an aggregate that computes the minimum. Represents an aggregate that computes the minimum. The minimum value is stored in a . Represents an aggregate that computes the minimum. The minimum value is stored in a . Represents an aggregate that computes the product of items. Represents an aggregate that estimates the standard deviation of a population based on a sample. Represents an abstract aggregate class helping in variance estimation. Represents an aggregate that estimates the standard deviation of a population based on the entire population. Represents an aggregate that computes the sum of items. Represents an aggregate that computes the sum of items. The sum is aggregated in a . Represents an aggregate that computes the sum of items. The sum is aggregated in a . Represents an aggregate that estimates the variance based on a sample. Initializes a new instance of the class. Represents an aggregate that estimates the variance based on the entire population. Initializes a new instance of the class. Base implementation of . Provides data access for pivot grouping. Force recalculation operation. Block the calling thread until all calculations performed by calling method completes. Enters a defer cycle that you can use to merge changes to the data provider and delay automatic refresh. An IDisposable object that you can use to dispose of the calling object. Creates and returns an aggregate description suitable for the supplied field description. A instance. An instance. Creates and returns a group description suitable for the supplied field description. A instance. An instance. Returns a filter description suitable for the supplied field description. A instance. An instance. Returns a list of suitable functions for the supplied aggregate description. The . A list of possible aggregate functions. Set the retrieved from to the . The . The aggregate function. Occurs when the current operation has completed. Occurs when description should be prepared for a specified field info. Gets the status of this instance. Gets the results from the last grouping. Gets or sets the instance that is being used. Gets the instance that provided information for all available properties of the data source. The field information. Gets or sets a value indicating where the aggregate groups should be positioned. Gets or sets the position where groups for the aggregates should be placed. Gets the state object that is provided to method. The object that will be passed to method. Gets or sets a property that indicates if changes to the grouping settings would trigger computations immediately when invalidated or on explicit . Gets a value that indicates if there are pending changes since the last . The value will be true after a change is applied. The value will be false after an automatic or user triggered . The value will be false during any work or download process so even if false may not be ready yet. In that case you may check for additional information. Enters a defer cycle that you can use to merge changes to the provider and delay automatic refresh. An object that you can use to dispose of the calling object. Notify that changes were applied that would alter the pivot results. Queues an automatic . Recreates the . Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Called when FieldDescriptionsProvider is changed. Creates an instance of for this . Raises PropertyChanged event. Creates and returns an aggregate description suitable for the supplied field description. A instance. An instance. Creates and returns a group description suitable for the supplied field description. A instance. An instance. Returns a filter description suitable for the supplied field description. A instance. An instance. Gets or sets a value that indicates if changes to this will trigger automatic . Specifies description type. Identifies a group description. Identifies a filter description. Identifies an aggregate description. An status. The provider is in uninitialized state. The provider is initializing. The provider is ready for data processing. The provider is currently retrieving data. The provider action was canceled. The provider has failed. Event data for the event of all types. Initializes a new instance of the class. The old status. The new status. DataProvider results have changed if set to true. Exception if available . Gets or sets the error. The error. Gets the old status. The new status. Gets the new status. The new status. Gets a value indicating whether the results of the data provider have changed. true if results have changed; otherwise, false. Represents an interface for controlling pivot settings like group descriptions, aggregate descriptions, etc. Enters the in a new editing scope. Use when applying multiple changes to the pivot settings. using(pivotSettings.BeginEdit()) { // Apply multiple changes to pivotSettings here. } An edit scope token that you must when you are done with the editing. An event that notifies some of the , , , , or has changed. Notifications are raised even in scope. Notifies when this or one of the children is changed. Gets the pivot filter descriptions list. Gets the pivot row group descriptions list. Gets the pivot column group descriptions list. Gets the pivot aggregate descriptions list. Gets or sets the position where groups for the aggregates should be placed. Gets or sets a value indicating where the aggregate groups should be positioned. Provides a pivot grouping access to local source such as an IList of instances of user defined classes. Initializes a new instance of the class. Gets or sets the CultureInfo used for grouping and formatting. Gets a list of that specified how pivot should filter items. Gets a list of that specified how pivot should group rows. Gets a list of that specify how pivot should group columns. Gets a list of that specify how pivot should aggregate data. Gets a list of s that can be used as a calculated aggregate values. The item source for the grouping. Description position and index map build based on two description snapshots. SettingsNodeCollection with notification rerouting. A Collection of items. Tunnels events from the items to the . Does not raises on collection change. A class that inherits the . Initializes a new instance of the class. The parent . Notifies the Parent for a change. The that contains the event data. Gets the parent . Provides data for the event. Initializes a new instance of the class. The field info for which description should be prepared. Default description instance. Type of description that should be prepared. Gets the field info for which description should be prepared. The field info. Gets the type of the description that should be prepared. The type of the description. Gets or sets the description that will be passed to . This property is initialized with the default description for the specified field info. The description. An read only list. Items type. Gets the count of items in this . Get the item at position . The index. The item. Represents a trace writer for RadPivotGrid-related information. Writes a trace text. The text. Exposes RadPivotGrid-related trace infrastructure. Sets a trace writer to be used for writing trace messages. The new writer. Trace writer that writes all trace messages to a string. Initializes a new instance of the class. Provides debug tracing support that is specifically targeted for applications that use Telerik pivot components. Gets a trace source for data providers. Represents a node in hierarchy. Initializes a new instance of the class. Initializes a new instance of the class. Gets a string that can be used as an identifier of this instance. The name. Gets or sets the display name. The display name. Gets the children. The children. Value indicating whether this instance has child nodes. True, if there are child nodes. Gets or sets the role. The role. An role. Dimension. A measure item. A folder in hierarchy. Kpi. Other. Selectable. None. Gets the for the specified type. Field type. Available roles for an . This is best use as source for aggregate. This is best use as source for aggregate. This is best use for grouping in rows. This is best use for grouping in columns. This is best use for filtering. This is best use for filtering. A s provider. Gets the s. The s. An that uses to identify a property. Initializes a new instance of the class. The property descriptor. An that uses for property access. Initializes a new instance of the class. The property info. The property access. Initializes a new instance of the class. The property info. Gets the . Gets the for property access. Represents a node that is associated with instance. Initializes a new instance of the class. The associated with this node. The role. Initializes a new instance of the class. The associated with this node. An implementation for source. Initializes a new instance of the class. The table. Interface used to provide for specific data source. Gets a instance by name. Name of a description. Gets the root node of the hierarchy of instances. An for source. Initializes a new instance of the class. The source. A base class for various implementations of . Handles creation and lookup of instances. Retrieves information about all available field descriptions. This method does not block the calling thread. Occurs when an asynchronous GetDescriptionsData operation completes. Gets whether a GetDescriptionsData request is in progress. Initializes a new instance of the class. Raise GetDescriptionsDataAsyncCompleted event. The event args used to invoke the event. An state. The provider's initialization is pending. The provider is initializing. The provider has completed initialization. Provides information about properties/fields of items that are used by a . Initializes a new instance of the class. The root. Provides data for the event. Initializes a new instance of the class. Gets a value indicating which error occurred during an operation. The error. Gets the unique identifier for the asynchronous operation. Identifier. Provides information about available fields/properties. An for a generic ItemsSource. A base class for various FieldInfo classes presenting local sources. An implementation of . Retrieves the DescriptionsData for data source. DescriptionsData instance. Gets the field description hierarchy. Collection of instances. Gets the object which FieldDescriptions are generated. Initializes a new instance of the class. Gets the for the itemsSource. The with all s for this provider. A list of all possible filtering conditions used in . checks if the compared value equals the comparison value. checks if the compared value does not equals the comparison value. checks if the compared value is greater than the comparison value. checks if the compared value is greater than or equal the comparison value. checks if the compared value is less than the comparison value. checks if the compared value is less than or equal to the comparison value. A list of all possible filtering conditions used in . that checks if a value is within an interval. Gets the that checks if a value is outside an interval. Exposes a method that compares two objects. Compares two objects and returns a value indicating whether one is less than, equal to, or greater than the other. The first object to compare. The second object to compare. A signed integer that indicates the relative values of x and y, as shown in the following table.Value Meaning Less than zero x is less than y. Zero x equals y. Greater than zero x is greater than y. A list of all possible filtering conditions used in . Items included in the will pass the condition. Items that are not included in the will pass the condition. Filter that checks if items are included/excluded from a set. Initializes a new instance of the class. Gets or sets the filter condition. Gets the set of items used for filtering. A list of all possible filtering conditions used in . that checks if a string begins with a specific pattern. that checks if a string does not begin with a specific pattern. that checks if a string ends with a specific pattern. that checks if a string does not end with a specific pattern. that checks if a string contains a specific pattern. that checks if a string does not contain a specific pattern. A class that filters based on text matching. Initializes a new instance of the class. Gets or sets the text pattern used in the comparison. Gets or sets the condition used in the comparison. Gets or set a value that indicates if the case of the strings should be ignored. Used for values of s that are grouping by . The contains the items with values with the same and . Initializes a new instance of the struct. The month which this DayGroup will represents. The day which this DayGroup will represents. Initializes a new instance of the struct. The month which this DayGroup will represents. The day which this DayGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same day group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same day group; otherwise, false. Gets the Day this represents. Gets the Month this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The month. Initializes a new instance of the struct. The month. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same month group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same month group; otherwise, false. Gets the Month this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The quarter which this QuarterGroup will represents. Initializes a new instance of the struct. The quarter which this QuarterGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same quarter group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same quarter group; otherwise, false. Gets the Quarter this represents. Used for values of s that are grouping by . The contains the items with values with the same . Initializes a new instance of the struct. The year which this YearGroup will represents. Initializes a new instance of the struct. The year which this YearGroup will represents. The culture. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same year group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same year group; otherwise, false. Gets the Year this represents. Used for values to group items, provide well known groups, sort and filter the groups. Base class used to group items, provide well known groups, sort and filter the groups for a based on the item's value. Return a name for group that would contain the . The item to group. The level of grouping for this . A name for the group that would contain the . Makes the instance a clone (deep copy) of the specified . The object to clone. Notes to Inheritors If you derive from , you need to override this method to copy all properties. It is essential that all implementations call the base implementation of this method (if you don't call base you should manually copy all needed properties including base properties). Gets or sets a value identifying a property on the grouped items. Gets the CultureInfo from the LocalDataSourceProvider. Gets the collection of calculated items that are used to initialize a group with a set of subgroups and summarized value. Initializes a new instance of the class. Names a group that would contain the . . . . . The item to group. The level of grouping for this . A name for the group that would contain the . Gets or sets the step of the grouping. Items will be put in an with a based on the . . . . . . - not auto generated by default. - not auto generated by default. - not auto generated by default. Grouping steps for groups based on values. Group by year. Group by quarters. Group by months. Group by weeks. Group by month and day. Group by hour. Group by minute. Group by second. Used for numeric values to group items, provide well known groups, sort and filter the groups. Initializes a new instance of the class. Names a group that would contain the . . The item to group. The level of grouping for this . A name for the group that would contain the . Used to group items, provide well known groups, sort and filter the groups for a based on the item's value. Initializes a new instance of the class. Used for advanced group filtering based on group's siblings. Can filters the groups based on count, average values, sorted values etc. Initializes a new instance of the class. Filters the groups within a parent group. Can filter based on count, average values or sorted values. A read only list of all siblings. The current aggregate results. Identifies if the groups are in or . The level of the groups. A implementation that is used to filter the groups. Implements a that selects a specific number of groups sorted by a given criteria. A base class for groups filter based on sorted list. Specifies which aggregate description in the grouping would be used as source for comparison. Specifies whether the or groups would be accepted by the filter. Gets or sets the comparer used to sort for the . Filters groups until that sum of their totals reaches that sum. A that selects groups until the sum of their aggregates reaches a percent of their total. A percent of the total to be reached while selecting s. Implements a that selects from the groups until sum of their grand totals reaches . Filters groups until that sum of their totals reaches that sum. Identifies a location of a subset of items in a sorted list. Identifies the items in the beginning of a sorted list. Identifies the items at the bottom of a sorted list. Implements a default comparison for AggregateValues. Initializes a new instance of the class. Gets or sets if the string comparisons will ignore case. Used for values of s that are grouping in ranges by numeric values. The contains the items with values in range from to . Initializes a new instance of the struct. The start value which this group represents. The end value which this group represents. Determines whether one specified is less than another specified . The first object to compare. The second object to compare. true if is less than ; otherwise, false. Determines whether one specified is greater than another specified . The first object to compare. The second object to compare. true if is greater than ; otherwise, false. Determines whether one specified is less than or equal to another specified . The first object to compare. The second object to compare. true if is less than or equal to ; otherwise, false. Determines whether one specified is greater than or equal to another specified . The first object to compare. The second object to compare. true if is greater than or equal to ; otherwise, false. Determines whether two specified instances of are equal. The first object to compare. The second object to compare. true if and represent the same double group; otherwise, false. Determines whether two specified instances of are not equal. The first object to compare. The second object to compare. true if and do not represent the same double group; otherwise, false. Gets the lower limit for values in this . Gets the upper limit for values in this . Used for comparison based on their grand totals. Compares two s based on their grand totals. The current aggregate results. The first to compare. The second to compare. Identifies if the groups are in or . A signed integer that indicates the relative values of x and y, as shown in the following table. Value Meaning Less than zero x is less than y. Zero x equals y. Greater than zero x is greater than y. Gets or sets a value that indicates the aggregate's grand total to be used in the comparison. Used for comparison based on their s. Compares two s based on their s. The current aggregate results. The first to compare. The second to compare. Identifies if the groups are in or . A signed integer that indicates the relative values of x and y, as shown in the following table. Value Meaning Less than zero x is less than y. Zero x equals y. Greater than zero x is greater than y. Specifies how items are sorted. Items are sorted in ascending order. Rows are sorted in descending order. Rows are sorted in Data source order. Add a value with an associated index to the table. Index where the value is to be added or updated. Value to add. Add multiples values with an associated start index to the table. Index where first value is added. Total number of values to add (must be greater than 0). Value to add. Clears the index table. Returns true if the given index is contained in the table. Index to search for. True if the index is contained in the table. Returns true if the entire given index range is contained in the table. Beginning of the range. End of the range. True if the entire index range is present in the table. Returns true if the given index is contained in the table with the the given value. Index to search for. Value expected. True if the given index is contained in the table with the the given value. Returns a copy of this IndexToValueTable. Copy of this IndexToValueTable. Returns the inclusive index count between lowerBound and upperBound of all indexes with the given value. LowerBound criteria. UpperBound criteria. Value to look for. Number of indexes contained in the table between lowerBound and upperBound (inclusive). Returns the inclusive index count between lowerBound and upperBound. LowerBound criteria. UpperBound criteria. Number of indexes contained in the table between lowerBound and upperBound (inclusive). Returns the number indexes in this table after a given startingIndex but before. reaching a gap of indexes of a given size. Index to start at. Size of index gap. Returns an enumerator that goes through the indexes present in the table. An enumerator that enumerates the indexes present in the table. Returns all the indexes on or after a starting index. Start index. Return the index of the Nth element in the table. N. Returns the value at a given index or the default value if the index is not in the table. Index to search for. The value at the given index or the default value if index is not in the table. Returns the value at a given index or the default value if the index is not in the table. Index to search for. Set to true by the method if the index was found; otherwise, false. The value at the given index or the default value if index is not in the table. Returns an index's index within this table. Inserts an index at the given location. This does not alter values in the table. Index location to insert an index. Inserts an index into the table with the given value . Index to insert. Value for the index. Inserts multiple indexes into the table. This does not alter Values in the table. First index to insert. Total number of indexes to insert. Inserts multiple indexes into the table with the given value. Index to insert first value. Total number of values to insert. (must be greater than 0). Value to insert. Removes an index from the table. This does not alter Values in the table. Index to remove. Removes a value and its index from the table. Index to remove. Removes multiple indexes from the table. This does not alter Values in the table. First index to remove. Total number of indexes to remove. Removes multiple values and their indexes from the table. First index to remove. Total number of indexes to remove. Removes a value from the table at the given index. This does not alter other indexes in the table. Index where value should be removed. Removes multiple values from the table. This does not alter other indexes in the table. First index where values should be removed. Total number of values to remove. Total number of indices represented in the table. Returns true if the table is empty. Returns the number of index ranges in the table. Base class for all ViewModel classes. It provides support for property change notifications and has a DisplayName property. This class is abstract. Initializes a new instance of the class. Warns the developer if this object does not have a public property with the specified name. This method does not exist in a Release build. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Raises this object's event. The property that has a new value. Releases unmanaged and - optionally - managed resources. true to release both managed and unmanaged resources. false to release only unmanaged resources. Raised when a property on this object has a new value. Holds extension methods for function delegates. Converts the given function to untyped one. The type of the parameter of the function. The type of the return value of the function. The function that will be converted. Untyped function for the given . Converts the given function to untyped one. The type of the first parameter of the function. The type of the second parameter of the function. The type of the return value of the function. The function that will be converted. Untyped function for the given . Converts the given function to untyped one. The function. Converts the given function to an untyped one that has a strongly-typed return value. The type of the parameter of the function. The type of the return value of the function. The function that will be converted. Untyped function with a strongly-typed return value for the given . Base dynamic class . Returns a string that represents the current object. A string that represents the current object. Initializes a new instance of the class. The name. The type. Gets the name. The name. Gets the type. The type. Used to specify aggregation parameters for OLAP data sources. Gets or sets cube measure name that is used for aggregation. The name of the field. Provides the data type of the aggregate description. Exception type that represents OLAP errors. Base class for Olap data providers. An for Olap data sources. Gets the object for which FieldDescriptions are generated. Gets the loaded data. The data. A class that represents an olap group name. Initializes a new instance of the class by provided caption and a group key object. The group caption used to display the group in UI. Sets the property. The group key used to identify and compare the group with other groups. Sets the property. Initializes a new instance of the class by provided group name. The group caption used to display the group in UI and compare the group with other groups. Sets the and properties. Gets or sets the GroupCaption. Use setter only on groups created by you. Gets or sets the GroupCaption. Use setter only on groups created by you. Gets the keys based on which Sorting is applied. Pivot results supplied by Olap data providers. This interface provides access to the s and s accumulated during a pivot grouping process. Gets the AggregateValue for the at index for the and s. The index of the for which a value is retrieved. An from the 's tree. An from the 's tree. Null or if it is available. Returns the unique keys generated for the GroupDescription located at at index . The axis. The GroupDescription index. The unique keys. Returns the unique items generated for FilterDescription located at index . The FilterDescription index. The unique items. A read-only collection of the s used to generate the 's s tree. A read-only collection of the s used to generate the 's s tree. A read-only collection of the used to generate the the available s for the . A read-only collection of the used to filter the items. Traverses all tuples and fills raggedBottomLevels with bottom level TraversalStates that are not with index = hierarchy.TotalLevels - 1. Used for ragged hierarchies. Identifies a pivot grouping axis - rows or columns. Identifies the Rows. Identifies the Columns. An unique point determined by two s - the and the . Initializes a new instance of the struct. The row group. The column group. Compares two instances of for equality. The first instance of to compare. The second instance of to compare. true if the instances of are equal; otherwise, false. Evaluates two instances of to determine inequality. The first instance of to compare. The second instance of to compare. false if is equal to ; otherwise, true. Get the RowGroup. Gets the ColumnGroup. A pivot group abstraction. Gets the name of this group. s contained within this . Gets a value that indicates if the is empty. Gets the parent . This instance would be in its parent's list. Gets the type of the group. Gets the level of the . Possible IGroup types. The group has no children and usually an aggregate value is available for it. The group has aggregated values for all other groups. The group contains other groups. Aggregate values may or may not be available. The group contains no subgroups. The aggregate values for this groups parent could be retrieved using this group. Object that represents Group with null value. Overrides the string representation. Gets the singleton instance of NullValue class. Signals a pivot has completed, been canceled or an error occurred. The completion status. A read-only collection of any Exceptions thrown during a pivot grouping. A pivot grouping status. The pivot grouping has successfully completed grouping. The pivot grouping has failed. The pivot result is working. Contains the value of an and the that produced it. Gets the row for which this values is generated. Gets the column for which this values is generated. Gets the which produced the . Gets the value for the some s produced by the . Gets the string representation of the value with the 's string formats applied. Describes a hierarchy. Get an enumeration with the child items of the provided . The item children are requested for. The children of the . Gets a child of at the . The item child is requested for. The index of the requested child. The child of at . Gets or sets the name for grand total groups. Gets or sets the name of the description for value groups. Gets or sets a string value used to format the name of a grand total group created for aggregate description. The indexed parameter {0} is the display name of the aggregate description. Default value: "Total {0}" By default for the 'Sum of Quantity' aggregate description the grand total group would be named 'Sum of Quantity Total'. Gets or sets a string value used to format the name of a sub total group. The indexed parameter {0} is the name of the group for which a sub total is created. Default value: "{0} Total". By default for the 'Copy holder' group the sub total group would be named 'Copy holder Total'. Gets or sets a string value used to format the name of a sub total group. The indexed parameter {0} is the name of the group for which a sub total is created. The indexed parameter {1} is the display name of the aggregate description. Default value: "{0} {1}" By default for the 'Copy holder' group the aggregate for 'Sum of Quantity' will be named 'Copy holder Sum of Quantity'. Report implementation. Report implementation. Return a value the . The item. A name for the group that would contain the . Gets the item that is used in filtering for the provided . The data to be filtered. The value used for filtering. Checks if a value generated from passes the filter. The value to filter. True if the passes the filter; otherwise - false. Makes the instance a clone (deep copy) of the specified . The object to clone. Notes to Inheritors If you derive from , you need to override this method to copy all properties. It is essential that all implementations call the base implementation of this method (if you don't call base you should manually copy all needed properties including base properties). Gets or sets a value identifying a property on the grouped items. Gets or sets the used to filter the groups. Provides data for the event. Initializes a new instance of the class. Gets the from which the change originated. Connection setting class used by . Compares two instances for equality. The left. The right. True, if instances are equal. Compares two instances for non-equality. The left. The right. True, if instances are not equal. Gets or sets the name of the cube that will be used. Cube name. Gets or sets the database to connect to. Database name. Gets or sets the connection string (OLE DB connection string format). The connection string. Provides Cube data access and operations using Adomd. Initializes a new instance of the class. A list of that specified how the pivot items should be filtered. A list of that specified how the pivot should be grouped by rows. A list of that specified how the pivot should be grouped by columns. A list of that specified how the pivot should be aggregated for the groups. Gets or sets the connection settings that are used for establishing connection to the data server. The connection settings. An implementation for Adomd sources. Initializes a new instance of the class. The connection settings. Gets MeasureGroups from the specified connection. The connectionString used by AdomdDataProvider to connect to OLAP Cube. Query that will be executed on OLAP Server and will return MeasureGroupsAndMeasureCaptions. Dictionary with MEASUREGROUP_NAME as key and MEASUREGROUP_CAPTION as value. If a caption for MEASUREGROUP_NAME doesn't exist in the returned xml, whole pair is skipped. HACK!!! Used to replace Key tags in xml with Key0, Key1 etc. Reader from the input xml. MemoryStream to write to. Reader from the changed xml. Used to specify aggregation parameters for . Used to specify grouping parameters for . Represents a aggregation operation for QueryableDataProvider. Represents Sum aggregate operation. Represents Count aggregate operation. Represents Average aggregate operation. Represents Max aggregate operation. Represents Mix aggregate operation. Represents a group descriptor, which can group by date time values. Initializes a new instance of the class. Gets or sets the step of the grouping. Represents a group descriptor, which can group numeric values. Initializes a new instance of the class. Represents an aggregate descriptor, which aggregates by . Represents a group descriptor, which groups by its . Used for internal grouping by days. This is for internal use only and is not intended to be used directly from your code. Gets the Day part of the group. Gets the Month part of the group. Used for internal grouping by numeric ranges. This is for internal use only and is not intended to be used directly from your code. Gets the start part of the group. Gets the end part of the group. Used for internal grouping by months. This is for internal use only and is not intended to be used directly from your code. Gets the Month part of the group. Used for internal grouping by quarters. This is for internal use only and is not intended to be used directly from your code. Gets the Quarter part of the group. Used for internal grouping by years. This is for internal use only and is not intended to be used directly from your code. Gets the Year part of the group. Holds extension methods for . Filters the elements of a sequence according to a specified key selector function. An whose elements to filter. A function to extract the key for each element. An with items, who passes the filter. Projects each element of a sequence into a new form. An whose elements are the result of invoking a projection selector on each element of . A sequence of values to project. A projection function to apply to each element. Groups the elements of a sequence according to a specified key selector function. An whose elements to group. A function to extract the key for each element. An with items, whose elements contains a sequence of objects and a key. Represents an that works with IQueryable sources. Initializes a new instance of the class. A list of that specified how the pivot items should be filtered. A list of that specified how the pivot should be grouped by rows. A list of that specified how the pivot should be grouped by columns. A list of that specified how the pivot should be aggregated for the groups. Gets a list of s that can be used as a calculated aggregate values. Gets or sets the IQueryable data source. Represents a property of an entity. Initializes a new instance of the class. The property info. Represents an for . Initializes a new instance of the class. Used to specify aggregation parameters for . Used to specify grouping parameters for . Connection setting class used by . Initializes a new instance of the class. Compares two instances for equality. The left. The right. True, if instances are equal. Compares two instances for non-equality. The left. The right. True, if instances are not equal. Gets the default encoding used for XMLA service calls. The default encoding. Properties that are used for Discover and Execute methods. The query properties. Gets or sets the name of the cube that will be used. Cube name. Gets or sets the database to connect to. Database name. Gets or sets the server address. The server address. Gets or sets the client credentials used for XMLA service calls. The credentials. Gets or sets the encoding that is used for XMLA service calls. The encoding. Provides Cube data access and operations using Xmla. Initializes a new instance of the class. A list of that specified how the pivot items should be filtered. A list of that specified how the pivot should be grouped by rows. A list of that specified how the pivot should be grouped by columns. A list of that specified how the pivot should be aggregated for the groups. Gets or sets the connection settings that are used for establishing connection to the data server. The connection settings. An implementation for Xmla sources. Initializes a new instance of the class. The connection settings. Provides credentials used for XMLA service calls. Initializes a new instance of the class. Initializes a new instance of the class. The username. The password. Initializes a new instance of the class. The username. The password. The domain. A PivotGridField is the main logic unit that relates the content of the pivot grid to fields in the DataSource. The PivotGridField defines the properties and methods that are common to all field types in RadPivotGrid. Sets the IsHidden property to false and sets the ZoneIndex so the field will be placed as last in the zone Gets or sets the string that specifies the display format for all cells which belongs to this field. A string that specifies the display format all cells which belongs to this field. Gets or sets a referance of the PivotGridFieldRenderingControl that allow you to control how the field is rendered. Gets the zone type of the field which determines in which zone the field is positioned. The zone type of the field which determines in which zone the field is positioned. Gets or sets if the field will be hidden which exlude it from the pivot table calculations. Determines if the field will be hidden which exlude it from the pivot table calculations. Gets or sets a referance instance of the PivotGridSortOrder enum. Gets or sets the order indexes for fields displayed within the same zone. Each column in Telerik RadPivotGrid has an UniqueName property (string). This property is assigned automatically by the designer (or the first time you want to access the columns if they are built dynamically). Gets or sets the field name from the specified data source to bind to the PivotGridField. A string, specifying the data field from the data source, from which to bind the PivotGridField. Gets or sets the field's display caption. Gets or sets the string that specifies the display format for all total cells which belongs to this field. A string that specifies the display format all cells which belongs to this field. Style of the cells in the the grid, corresponding to the field. RadPivotGrid Aggregate Cell Template property RadPivotGrid Header Cell (Aggregate Field) Template RadPivotGrid Total Cell Template (Row Field) Template RadPivotGrid Total Cell Template (Column Field) Template RadPivotGrid Total Cell Template (Row And Column) Template RadPivotGrid Grand Total Cell Template (Row Field) Template RadPivotGrid Grand Total Cell Template (Column Field) Template RadPivotGrid Grand Total Cell Template (Row And Column) Template RadPivotGrid Grand Total Header Cell Template (Row Field) Template RadPivotGrid Grand Total Header Cell Template (Column Field) Template Gets or sets the Aggregate function of the field. Gets or sets the string that specifies the display format for all grand total cells. A string that specifies the display format all grand total cells. Gets or sets a value that indicates whether null values will be included in the calculation of the aggregate. The enumeration determines where aggregate will be positioned. Used in AggregatesPosition property of . Gets or sets a referance instance of the PivotGridGroupRange enum which combine fields into groups Gets or sets a GroupIntervalNumericRange which specifies the length of the numeric group interval Determines whether the empty column groups will be displayed Calcualted Items Collection RadPivotGrid Column Cell Template property RadPivotGrid Column Total Header Cell Template property The collection of fields of RadPivotGrid. Accessible through Fields property of RadPivotGrid classes. Determines the index of a specific field in the PivotGridFieldsCollection. The index of value if found in the collection; otherwise, -1. The object to locate in the PivotGridFieldsCollection. Inserts a field to the PivotGridFieldsCollection at the specified index. The zero-based index at which field should be inserted. The to insert into the collection. Removes the PivotGridFieldsCollection field at the specified index. The zero-based index of the field to remove. Access a in the collection by index. The index in the collection. The at the specified position. Finds the in the collection with the specified . The to search for. Returns the found . If no field is found returns null. Telerik RadWindow Gets or sets the id (ClientID if a runat=server is used) of a html element that will open the RadWindow when clicked. Specifies the URL that will originally be loaded in the RadWindow (can be changed on the client). The default is an empty string - "". Gets the control, where the ContentTemplate will be instantiated in. You can add controls programmatically here. You can use this property to programmatically add controls to the content area. If you add controls to the ContentContainer the NavigateUrl property will be ignored. RadWindow1.ContentContainer.Controls.Add(new LiteralControl("this will appear in the RadWindow")); Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the control content area. You cannot set this property twice, or when you added controls to the ContentContainer. If you set ContentTemplate the NavigateUrl property will be ignored. Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. Contains the possible actions which may be taken using the provided values for the report filter Includes all the values set to the report filter Excludes all the values set to the report filter Action type. Determines whether the Values will be used for exclusive or inclusive filtering. Used to set the predefined filter values for the report filter. Please use comma-separated values. Determines the data type of the filter values RadPivotGrid Row Cell Template property RadPivotGrid Row Total Header Cell Template property Determines the aggregate type when filtering with Top and Bottom filtering functions. Finds the top or bottom items depending on their sum. Finds the top or bottom items. Fintd the top or bottom items depending on their calculated percent. Represents the dialogues that manages the filter expressions for the Top/Bottom filter operators. Panel container control RadPivotGrid aggretates combo box RadPivotGrid aggregate operators combo box First filter value textbox Second filter value textbox 'And' filter label 'By' filter label Filter dialog selection combo Filter dialog aggregate operator combo Filter dialog aggregate operator combo Ignore case checkbox Represents the window that manages the filter expressions for the pivot grid. Get/set the custom type Filter window container panel Filter window menu Filter window set box Filter window option list Cancel button OK button Filter button Returns true if it is a report filter Percent group filter Percent value Sum group filter RadPivotGrid text comparison condition RadPivotGrid value group filter Default constructor for the value group filter Constructor for value group filter Filter condition Aggregate index value Creates copy of button used for the pager in RadPivotGrid control. must be on of the following: FirstPageCommandArgument, NextPageCommandArgument, PrevPageCommandArgument, LastPageCommandArgument GetButtonForArgument(RadPivotGrid.FirstPageCommandArgument) The mode of the pager defines what buttons will be displayed and how the pager will navigate through the pages. The pivotgrid Pager will display only the Previous and Next link buttons. The pivotgrid Pager will display only the page numbers as link buttons. The pivotgrid Pager will display the Previous button, page numbers, the Next button, the PageSize dropdown and information about the items and pages count. The pivotgrid Pager will display the Previous button, then the page numbers and then the Next button. On the next Pager row, the Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The pivotgrid Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The pivotgrid Pager will display a slider for very fast and AJAX-based navigation through pivotgrid pages. This enumeration defines the possible positions of the pager item The Pager item will be displayed on the bottom of the pivotgrid. (Default value) The Pager item will be displayed on the top of the pivotgrid. The Pager item will be displayed both on the bottom and on the top of the pivotgrid. RadPivotGrid use instance of this class to set style of thir PagerItem-s when rendering Summary description for TreeListTableItemStyle. Returns 'True' if none of the properties have been set Returns true if none of the properties have been set. Gets a value indicating whether the default pager will be used, i.e. no customizations have been made. Gets a value indicating whether the pager is displayed on the bottom of the pivotgrid. Returns true if the pager will be displayed on the bottom of the pivotgrid. Otherwise false. Gets a value indicating whether the pager is displayed on the top of the pivotgrid. Returns true if the pager will be displayed on the top of the pivotgrid. Otherwise false. Gets or sets the mode of Telerik PivotGrid Pager. The mode defines what the pager will contain. This property accepts as values only members of the PivotGridPagerMode Enumeration. Returns the pager mode as one of the values of the PivotGridPagerMode Enumeration. ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is NextPrevNumericAndAdvanced for 'GoToPage' textbox ToolTip that would appear if Mode is NextPrevNumericAndAdvanced for 'ChangePageSize' textbox ToolTip that would appear if Mode is NextPrevNumericAndAdvanced for 'GoToPage' button ToolTip that would appear if Mode is NextPrevNumericAndAdvanced for 'Change' button Gets or sets the 'summary' attribute for the PageSizeComboBox control's table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadPivotGrid accessibility features. A string representation of the 'summary' attribute for the respective table. ToolTip that would appear over the pager's RadComboBox input ToolTip that would appear if Mode is PrevNext for 'last' page button ToolTip that would appear if Mode is PrevNext for 'prev' page button Gets or sets the number of buttons that would be rendered if pager Mode is returns the number of button that will be displayed. The default value is 10 buttons. By default 10 buttons will be displayed. If the number of pivotgrid pages is greater than 10, ellipsis will be displayed. Gets or sets the Position of pager item(s).Accepts only values, members of the PivotGridPagerPosition Enumeration. Returns the Pager position as a value, member of the PivotGridPagerPosition Enumeration. In order to display the PivotGrid pager regardless of the number of records returned and the page size, you should set this property to true. Its default value is false. Gets or set a value indicating whether the Pager will be visible regardless of the number of items. (See the remarks) true, if pager will be displayed, regardless of the number of PivotGrid items, othewise false. By fefault it is false. ToolTip that would appear if Mode is Slider for 'Increase' button. ToolTip that would appear if Mode is Slider for 'Decrease' button. ToolTip that would appear if Mode is Slider for 'Drag' button. Text that will appear if Mode is Slider for current page. Text that will appear before the dropdown for changing the page size. Text for the 'Change' button when Mode is Advanced. Text for the 'Go' button when Mode is Advanced. Text that will appear before current page number when Mode is Advanced. Text that will appear after the current page number and before count of all pages when Mode is Advanced. Gets or sets the type of the page size drop down control. This enumeration defines the possible positions of the PivotGrid's subtotal items and grandtotal items. Gets or sets the database to connect to. Database name. Gets or sets the name of the cube that will be used. Cube name. Gets or sets the server address. The server address. Gets or sets the encoding that is used for XMLA service calls. The encoding. Gets the default encoding used for XMLA service calls. The default encoding. Gets or sets the client credentials used for XMLA service calls. The credentials. Gets or sets the user name for the network credentials that will be used. User name. Gets or sets the password for the network credentials that will be used. Password. Gets or sets the domain for the network credentials will be used. Domain. RadPivotGrid aggregate types Sum aggregate Count aggregate Average aggregate Max aggregate Min aggregate Product aggregate Standard deviation aggregate Standard deviation (for the population for all values) aggregate Statistical variance aggregate Statistical variance (for the population for all values) aggregate The class holding all client events. Gets or sets the name of the JavaScript function (the handler) which will be fired before the client-side object have been fully initialized. Gets or sets the name of the JavaScript function (the handler) which will be fired after the client-side object have been fully initialized. Gets or sets the name of the JavaScript function (the handler) which will be fired before the client-side object have been fully disposed. Gets or sets the name of the JavaScript function (the handler) which will be fired after the client-side object have been fully disposed. Gets or sets the name of the JavaScript function (the handler) which will be fired when is set to true and a cell tooltip is shown. Gets or sets the name of the JavaScript function (the handler) which will be fired when , , is clicked. Gets or sets the name of the JavaScript function (the handler) which will be fired when mouse is over a , and . Gets or sets the name of the JavaScript function (the handler) which will be fired when mouse is out of , and . Gets or sets the name of the JavaScript function (the handler) which will be fired when , and is double clicked. Gets or sets the name of the JavaScript function (the handler) which will be fired when , and is right clicked. Gets or sets the name of the JavaScript function (the handler) which will be fired before is shown. Gets or sets the name of the JavaScript function (the handler) which will be fired after is shown. Gets or sets the name of the JavaScript function (the handler) which will be fired before a header cell is resized. Gets or sets the name of the JavaScript function (the handler) which will be fired after a header cell is resized. holds various properties for setting the Telerik RadPivotGrid client messages Gets or sets a string that will be displayed as a tooltip when you hover a expand button. The string that will be displayed as a tooltip when you hover a expand button. field. By default it states "Expand". Gets or sets a string that will be displayed as a tooltip when you hover a collapse button. The string that will be displayed as a tooltip when you hover a collapse button. By default it states "Collapse". Gets or sets a string that will be displayed as a tooltip when you hover a field that can be dragged. The string that will be displayed as a tooltip when you hover a field that can be dragged. By default it states "Drag to reorder". string, the tooltip that will be displayed when you hover the resizing handle of a column. By default it states "Drag to resize". Gets or sets a string that will be displayed as a tooltip when you hover the resizing handle of a column. The format string used for the tooltip when resizing a column Class holding all settings associated with client-side functionlity for the . Determines whether the dragging fields between and in zones is allowed Gets a reference to , which holds various properties for setting the Telerik RadPivotGrid scrolling features. Gets a reference to , which holds properties for setting the Telerik RadPivotGrid client-side events Gets a reference to , which holds various properties for setting the Telerik RadPivotGrid client messages Gets a reference to class providing properties related to client-side resizing features. The idea behind the ConfigurationPanel is taken from the Excel PivotTable Field List which enables Fields manipulations like sorting, reordering, hiding outside of the table which represents the data. Enabling such functionality gives the user ability to separate the logic for manipulating fields and displaying data. Gets the owner pivot grid. The owner pivot grid. Gets the position where the will be placed. The position where the will be placed. Gets the panel layout which could be altered on the client and its default type could be changed by setting on of the four available values. The type of the layout. Gets the control which determines if the updates will be made on every operation or only when clicking the Update button. The control which determines if the updates will be made on every operation or only when clicking the Update button. Gets the control which is enabled when DeferLayoutUpdateCheckBox is Checked and performs postback updating the . The control which is enabled when DeferLayoutUpdateCheckBox is Checked and performs postback updating the . Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. Enumeration determining the layout. The values are taken from Excel and present similar behavior. Enumeration determining where will be placed relative to the pivot grid. Class extending from which represents the context menu. Gets the owner pivot grid. The owner pivot grid. RadPivotGrid exception class The class holding all properties associated with the Fields Popup functionality which groups the fields in convinient popup in order to leave more space for the data to be displayed. The minimum amount of row fields that should the Row zone contain in order for the popup to appear. The minimum amount of column fields that should the Column zone contain in order for the popup to appear. The minimum amount of aggregate fields that should the Aggregate zone contain in order for the popup to appear. The minimum amount of filter fields that should the Filter zone contain in order for the popup to appear. Include filter template RadPivotGrid Layout type See the Layouts topic for more information Use to see all data in a traditional table format and to easily copy cells to another worksheet. Tabular is the default value of the RowTableLayout property. Use to outline the data in the classic PivotTable style: Use this layout to keep related data from spreading horizontally off the screen and to help minimize scrolling. Beginning fields on the side are contained in one column and are indented to show the nested column relationship. Class holding all settings associated with connection parameters for OLAP binding for . Use this property to set the name of the connection string key in the web.config Gets or sets a value that indicates the total number of distinct items shown into the set condition filter. Gets a reference to , which holds various properties for setting the Telerik RadPivotGrid Adomd Olap settings Gets a reference to , which holds various properties for setting the Telerik RadPivotGrid Xmla Olap settings Formats the text depending on PivotGridPagerButtonType. Text for LinkButton is wrapped with span tag. Value from PivotGridPagerButtonType enum. Text to be formatted. Returns string representing content of button. Ensures button Enabled property. If button command argumetn is same as current page, button will be disabled. Button instance to be validated. Command argument for the button. Returns same button with Enabled property set. Creates button control from one of the following type: LinkButton, PushButton, ImageButton or HyperLink if AllowSEOPaging is set to "true". Button Enabled state will be validated depending on current page index. PivotGridPagerButtonType enumerator Text shown as content the button control Tooltip of the button Command that button triggers Command argument which will be passed along with CommandName CssClass that will be applied on the button Returns button control of type: LinkButton, PushButton, ImageButton or HyperLink if SEO paging. Create button control for one of the following types: LinkButton, PushButton, ImageButton Method for creating "Previous" button. Method for creating "Next" button. Method for creating "First" button. Method for creating "Last" button. Method for creating all numeric pager buttons. Enumeration that holds a list of the possible reasons for rebind Not specified rebind reason Initial load rebind reason Explicit rebind reason Postback event reason Postback (ViewState not persisted) event reason Contains properties related to customizing the settings for scrolling operation in Telerik RadPivotGrid. Gets or sets a value indicating whether vertical scrolling will be enabled in Telerik RadPivotList. true, if scrolling is enabled, otherwise false (the default value). Gets or sets a value specifying the RadPivotGrid height in pixels (px) beyond which the scrolling will be enabled. the default value is 300px Gets or sets a value indicating whether Telerik RadPivotGrid will keep the scroll position during postbacks. true (the default value), if Telerik RadPivotGrid keeps the scroll position on postback, otherwise false . Represents the control that manages the settings of the automatically generated tooltips in the PivotGrid RadTooltipManager class RadToolTipBase class Causes the tooltip to open automatically when the page is loaded Gets or sets a value indicating whether the tooltip will open automatically when its parent [aspx] page is loaded on the client. The default value is false. Get/Set the animation effect of the tooltip. Turned off by default. Takes one of the members of the enumerator. The default value is None. Sets/gets the duration of the animation in milliseconds. 500 by default. This property is obsolete. Please use HideEvent="ManualClose" instead. Gets/Sets whether the tooltip will need to be closed manually by the user using the [x] button, or will close automatically. This property is obsolete. Please use HideEvent="LeaveToolTip" instead. Gets/Sets whether the tooltip will hide when the mouse moves away from the target element (when false), or when the mouse [enters] and moves out of the tooltip itself (when set to true). Get/Set the client event at which the tooltip will be hidden. Takes one of the members of the enumerator. The default value is Default, which means the tooltip will hide when the mouse moves out of the target element. Get/Set the client event at which the tooltip will be made visible for a particular target control. Takes one of the members of the enumerator. The default value is OnMouseOver. Get/Set the Width of the tooltip in pixels. Get/Set the Height of the tooltip in pixels. Get/Set the Text that will appear in the tooltip (if it should be different from the content of the 'title' attribute of the target element). Can take and properly display an HTML string. This requires that line breaks and special characters are prepared (escaped) for HTML as well. Get/Set the indicator whether the Alt specified for the target should be ignored or not You can use the IgnoreAltAttribute to instruct the RadToolTip to ignore the AlternateText and alt properties and not remove them from its target element. This will result in a change of the content source priorities for images and a second tooltip being shown under IE6 and IE7, as these browsers interpret the alt attribute like the title attribute. Get/Set a title for the tooltip. This title is not affected by the rest of the content and is always displayed, regardless of the content source. For more details see this help article: http://www.telerik.com/help/aspnet-ajax/tooltip-content.html. Get/Set the manual close button's tooltip text. Get/Set the top/left position of the tooltip relative to the target element Takes one of the members of the Telerik.Web.UI.ToolTipPosition enumerator. The default value is BottomCenter. If there isn't enough room in the viewport to show the tooltip in the specified position (this depends on the tooltip's Width and Height and the target's position) the tooltip will automatically reposition itself so that it is entirely visible. Usually this will be the opposite position. All positions are tried until enough room is found on the screen, if there isn't the top left corner of the tooltip will be visible and scrollbars will be produced. Get/Set overflow of the tooltip's content area. Takes one of the members of the enumeration. The default value is Default which leaves the default behavior of the HTML elements with respect to handling content larger than their original dimensions (usually they stretch visually, but programmatically keep their orignal dimensions). Get/Set whether the tooltip should appear relative to the mouse, to the target element or to the browser viewport. Works in cooperation with the Position property. Takes a member of the enumerator. The default value is Mouse. When the display is relative to the mouse or to the element the tooltips are positioned absolutely on the page, when relative to the browser viewport they have fixed position and do not scroll with the rest of the page. Get/Set the tooltip's horizontal offset from the target control in pixels. Works in cooperation with the Position property. Takes an integer specifying how many pixels the offset will be. Zero by default. Get/Set the tooltip's vertical offset from the target control in pixels. Works in cooperation with the Position property. Takes an integer specifying how many pixels the offset will be. Zero by default. Get/Set the delay (in milliseconds) after which the tooltip will hide if the mouse stands still over the target element. 3000 by default. Get/Set delay (in milliseconds) for the tooltip to hide after the mouse leaves the target element. 300 by default. Get/Set the time (in milliseconds) for which the user should hold the mouse over a target element for the tooltip to appear. The default is 400. Get/Set whether the tooltip will move to follow mouse movement over the target control or will stay fixed. Get/Set whether the tooltip will show a small arrow pointing to its target element. True by default. Get/Set whether the tooltip should be added as a child of the form element or as a child of its direct parent. True by default. Gets or sets a value indicating whether the RadToolTip should have shadow. True by default. True if there should be shadow; otherwise false. The default value is true. Gets or sets a value indicating whether the RadToolTip should have rounded corners. True by default. True if there should be rounded corners; otherwise false. The default value is true. Gets or sets a value indicating whether a tooltip is modal or not. The default value is false. Gets or sets a value indicating whether the tooltip will create an overlay element to ensure it will be displayed over a flash element. The default value is false. When set to true enables support for WAI-ARIA Gets or sets the name of client-side JavaScript function that is called just before the RadToolTip is shown. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientBeforeShow client-side event handler is called before the RadToolTip is shown. Two parameters are passed to the handler: sender, the RadToolTip object. args. This event can be cancelled. The following example demonstrates how to use the OnClientBeforeShow property.
<script type="text/javascript">
function OnToolTipShowHandler(sender, args)
{
var tooltip = sender;
}
</script>
<radsld:RadToolTip ID="RadToolTip1"
runat= "server"
OnClientBeforeShow="OnToolTipShowHandler">
....
</radsld:RadToolTip>
Gets or sets the name of client-side JavaScript function that is called just after the RadToolTip is shown. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShow client-side event handler is called after the tooltip is shown Two parameters are passed to the handler: sender, the RadToolTip object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientShow property.
<script type="text/javascript">
function OnClientShowHandler(sender, args)
{
var tooltip = sender;
}
</script>
<radsld:RadToolTip ID="RadToolTip1"
runat= "server"
OnClientShow="OnClientShowHandler">
....
</radsld:RadToolTip>
Gets or sets the name of client-side JavaScript function that is called just before the RadToolTip hides. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientBeforeHide client-side event handler that is called before the tooltip is hidden. Two parameters are passed to the handler: sender, the RadToolTip object. args. This event can be cancelled. The following example demonstrates how to use the OnClientBeforeHide property.
<script type="text/javascript">
function OnBeforeHideHandler(sender, args)
{
var tooltip = sender;
}
</script>
<radsld:RadToolTip ID="RadToolTip1"
runat= "server"
OnClientBeforeHide="OnBeforeHideHandler">
....
</radsld:RadToolTip>
Gets or sets the name of client-side JavaScript function that is called just after the RadToolTip is hidden. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientHide client-side event handler that is called after the tooltip is hidden. Two parameters are passed to the handler: sender, the RadToolTip object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientHide property.
<script type="text/javascript">
function OnHideHandler(sender, args)
{
var tooltip = sender;
}
</script>
<radsld:RadToolTip ID="RadToolTip1"
runat= "server"
OnClientHide="OnHideHandler">
....
</radsld:RadToolTip>
Allows for dynamic content to be set into the tooltip with an ajax request. The tooltip triggers the event when it is shown on the client. A string specifying the name of the server-side event handler that will handle the event. The default value is empty string. If specified, the OnAjaxUpdate is triggered when the tooltip is shown on the client. Two parameters are passed to the handler: sender, the RadToolTip object. args. This event cannot be cancelled. The following example demonstrates how to use the OnAjaxUpdate property.
<telerik:RadToolTip ID="RadToolTip1"
runat= "server"
OnAjaxUpdate="OnAjaxUpdate">
....
</telerik:RadToolTip>
Gets the settings for the web service used to populate items. An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public string WebServiceMethodName(object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } Gets or sets a value indicating the client-side event handler that is called when the RadToolTipManager when a call to a WebService is initiated or AJAX request is started. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientRequestStart client-side event handler is called when the request is started Two parameters are passed to the handler: sender, the RadToolTipManager object. args. This event can be cancelled. The following example demonstrates how to use the OnClientRequestStart property.
<script type="text/javascript">
function OnClientRequestStart(sender, args)
{
var tooltipManager = sender;
}
</script>
<radsld:RadToolTipManager ID="RadToolTipManager1"
runat= "server"
OnClientRequestStart="OnClientRequestStart">
....
</radsld:RadToolTipManager>
Gets or sets a value indicating the client-side event handler that is called when the RadToolTipManager receives the server response from a WebService or AJAX request. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientResponseEnd client-side event handler is called before the RadToolTipManager displays the content returned from the server. Two parameters are passed to the handler: sender, the RadToolTipManager object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientResponseEnd property.
<script type="text/javascript">
function OnClientResponseEnd(sender, args)
{
var tooltipManager = sender;
}
</script>
<radsld:RadToolTipManager ID="RadToolTipManager1"
runat= "server"
OnClientResponseEnd="OnClientResponseEnd">
....
</radsld:RadToolTipManager>
Gets or sets a value indicating the client-side event handler that is called when the Load On Demand call to the WebService or the AJAX request is interrupted by an error. Gets or sets a value indicating whether the content of loaded on demand tooltip should be cached after the first request. True if data should be cached; otherwise false. The default value is false. When caching is enabled only one request will be performed for each target, regardless of how many times the tooltip will be shown. By default a new request is performed each time the tooltip must be shown (caching is disabled). Gets or sets the id (ClientID if a runat=server is used) of a html element whose children will be tooltipified Gets or sets a value whether the RadToolTipManager, when its TargetControls collection is empty will tooltipify automatically all elements on the page that have a 'title' attribute The collection of TargetControl objects that allows for specifying the objects for which tooltips will be created on the client-side. The collection of TargetControl objects that allows for specifying the objects for which tooltips will be created on the client-side. Use the TargetControls collection to programmatically control which objects should be tooltipified on the client-side. Gets a reference to the UpdatePanel property of RadToolTipManager. The UpdatePanel allows for sending AJAX content to the client-side during the OnAjaxUpdate event. Gets a reference to the UpdatePanel property of RadToolTipManager. The UpdatePanel allows for sending AJAX content to the client-side during the OnAjaxUpdate event. The event is used to load content on-demand in the tooltip via AJAX The event handler takes two parameters - an object for the sender and an object of type for the event arguments. The event cannot be cancelled. Class that is used to define sort field and sort order for RadPivotGrid Sets the sort order. The SortOrder paremeter should be either "Ascending" or "Descending". ArgumentException. This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Returns a enumeration based on the string input. Takes either "ASC" or "DESC" Parses a string representation of the sort order and returns RadPivotGridSortExpression. Gets or sets the name of the field to which sorting is applied. Sets or gets the current sorting order. A collection of objects. Returns an enumerator that iterates through the RadPivotGridSortExpressionCollection. Adds a to the collection. Clears the RadPivotGridSortExpressionCollection of all items. Find a SortExpression in the collection if it contains any with sort field = expression sort field Adds the sortExpression in the collection. Adds the sortExpression in the collection. String containing sort field and optionaly sort order (ASC or DESC) Adds a to the collection at the specified index. Removes the specified from the collection. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a parameter. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a string parameter. Adds the sort field (expression parameter) if the collection does not alreqady contain the field. Else the sort order of the field will be inverted. The default change order is Asc -> Desc. Parameter that indicates whether natural sorting is enabled. Get a comma separated list of sort fields and sort-order, in the same format used by DataView.Sort string expression. Returns null (Nothing) if there are no sort expressions in the collection Comma separated list of sort fields and optionaly sort-order, null if there are no sort expressions in the collection Searches for the specified and returns the zero-based index of the first occurrence within the entire . This is the default indexer of the collection - takes an integer value. Returns the number of items in the RadPivotGridSortExpressionCollection. Gets a value indicating whether access to the RadPivotGridSortExpressionCollection is synchronized (thread safe).
Gets an object that can be used to synchronize access to the RadPivotGridSortExpressionCollection.
RadPivotGrid table layout Auto layout Fixed layout RadPivotGrid Totals configuration settings Gets or sets the grand total text value Gets or sets the column total group name format text. Gets or sets the row total group name format. Enables or disabled the visibility of the grand totals Gets or sets all rows subtotals items position Gets or sets row grandtotals item position Gets or sets all columns subtotals items position Gets or sets column grandtotals item position RadPivotGrid control. See the Overview topic for more information about this control. RadPivotGrid control. See the Overview topic for more information about this control. Rebind command constant Page command constant First page command constant Last page command constant Next page command constant Prev page command constant ExpandCollapse command constant ExpandCollapseLevel command constant Select command constant Deselect command constant SelectAll command constant DeselectAll command constant Sort command constant ChangePageSize command constant FieldReorder command constant ShowHideField command constant UpdateLayout command constant AggregateChange command constant InitFilterDialogueCommandName command constant Filter command constant AggregateFunctionChanged command constant PageSizeChanged command constant Changes the sort order of the specified field. The UniqueName value of the field for which the sort order will be changed. The new sort order. A value indicating whether a Rebind will be called after the Sort operation. Changes the sort order of the specified field. The field for which the sort order will be changed. A value indicating whether a Rebind will be called after the Sort operation. Changes the sort order of the specified field. The field for which the sort order will be changed. The new sort order. A value indicating whether a Rebind will be called after the Sort operation. Executes the sort expressions which should contain the field UniqueName which will be sorted and optionally include the sort order - ASC (Ascending) or DESC (Descending). The expression containing which field will be sorted and optionally includes the sort order. A value indicating whether a Rebind will be called after the Sort operation. Executes the provided if it does not exist it will add it in the or otherwise will change the currently added. The . A value indicating whether a will be called after the Sort operation. Expands all column groups. A value indicating whether a will be called after the Sort operation. Expands all column groups at a certain level. The column level group which will be expanded. A value indicating whether a will be called after the Sort operation. Expands all rows groups. A value indicating whether a will be called after the Sort operation. Expands all column groups at a certain level. The row level group which will be expanded. A value indicating whether a will be called after the Sort operation. Expands all row groups which are at the level of the specified field. The field which groups will be expanded. A value indicating whether a will be called after the Sort operation. Expands all column groups which are at the level of the specified field. The field which groups will be expanded. A value indicating whether a will be called after the Sort operation. Collapses all column groups. A value indicating whether a will be called after the Sort operation. Collapses all column groups at a certain level. The column level group which will be collapsed. A value indicating whether a will be called after the Sort operation. Collapses all row groups. A value indicating whether a will be called after the Sort operation. Collapses all row groups at a certain level. The row level group which will be collapsed. A value indicating whether a will be called after the Sort operation. Collapses all row groups which are at the level of the specified field. The field which groups will be collapsed. A value indicating whether a will be called after the Sort operation. Collapses all column groups which are at the level of the specified field. The field which groups will be collapsed. A value indicating whether a will be called after the Sort operation. Clears all previously applied filter expressions. Clears all filter expressions associated with a field. The which expressions will be cleared. Clears all filter expressions associated with a field. The which expressions will be cleared. Filters by the text value of the field. Label filters control which groups for a given field will remain in the pivot data view after grouping has been performed. If, for example, you have your data grouped by a Country field and you need only those Country groups of items that relate to Bulgaria you should apply an Equals label filter to the Country field with the respective string filter value of “Bulgaria”. The filter function to be applied to the filter expression. The that will be filtered. The value that will be used for the filtering of the data. A value indicating whether a will be called after the Filter operation. Filters by the text value of the field. Label filters control which groups for a given field will remain in the pivot data view after grouping has been performed. The filter function to be applied to the filter expression. The that will be filtered. The value that will be used for the filtering of the data. The value that will be used as the between value when filtering the data. A value indicating whether a will be called after the Filter operation. A value indicating whether filtering will ignore the case of the value's letters or not. Filters by the values of the field. Value filters, for their part, allow filtering operations to be performed on the aggregate results. Again, the filtering is applied after the grouping of the data. Here is another example: Suppose you have grouped your data by Country, aggregated it by Sum of Cost and need only those Country groups of items which cumulative cost falls within a certain range. Then you should apply a Between value filter on the Country field with the corresponding filter values. The filter function to be applied to the filter expression. The that will be filtered. The that will be used to determine which values will be used when filtering. The value that will be used for the filtering of the data. A value indicating whether a will be called after the Filter operation. Filters by the values of the field. Value filters, for their part, allow filtering operations to be performed on the aggregate results. Again, the filtering is applied after the grouping of the data. The filter function to be applied to the filter expression. The that will be filtered. The that will be used to determine which values will be used when filtering. The value that will be used for the filtering of the data. The value that will be used as the between value when filtering the data. A value indicating whether a will be called after the Filter operation. A value indicating whether filtering will ignore the case of the value's letters or not. When a Top/Bottom value filter is applied to a given field with the Items mode, it will select the top/bottom groups for that field sorted by the chosen aggregate field and the count of which is given by the filter value. For example, a Top operator with and Items filter value of 10 on the Sum of Cost aggregate field will return the 10 groups (of the field filtered on) which Sum of Cost is greatest. The Percent mode will return the top/bottom groups which cumulative aggregate values (just to remind: the aggregate field being set as part of the filter condition) add to the specified percent of the grand total for that field. The Sum mode, in a similar fashion, gets the top/bottom groups which cumulative aggregate values add to the sum specified by the filter value. The that will be filtered. The that will be used to determine which values will be used when filtering. The aggregate type determining the mode which filters the data. The value that will be used for the filtering of the data. A value indicating whether a will be called after the Filter operation. When a Top/Bottom value filter is applied to a given field with the Items mode, it will select the top/bottom groups for that field sorted by the chosen aggregate field and the count of which is given by the filter value. For example, a Top operator with and Items filter value of 10 on the Sum of Cost aggregate field will return the 10 groups (of the field filtered on) which Sum of Cost is greatest. The Percent mode will return the top/bottom groups which cumulative aggregate values (just to remind: the aggregate field being set as part of the filter condition) add to the specified percent of the grand total for that field. The Sum mode, in a similar fashion, gets the top/bottom groups which cumulative aggregate values add to the sum specified by the filter value. The that will be filtered. The that will be used to determine which values will be used when filtering. The aggregate type determining the mode which filters the data. The value that will be used for the filtering of the data. A value indicating whether a will be called after the Filter operation. Set the values which will be included in the results of the . The which values will be filtered. The values that will be included in the results. A value indicating whether a will be called after the Filter operation. Sets the values which will be excluded in the results of the . The which values will be filtered. The values will be excluded in the results. A value indicating whether a will be called after the Filter operation. Returns a collection of objects based on their . A s collection of objects based on their . The , which will be used as a criteria for the collection. Tries to reorder the specified field with new ZoneType and/or new ZoneIndex. The field reference which will be reordered The new ZoneType for the field The new ZoneIndex for the field If the reorder happened or not which could happen if the zoneType and zoneIndex are the same Tries to reorder the specified field with new ZoneType and/or new ZoneIndex. The field unique name which will be reordered The new ZoneType for the field The new ZoneIndex for the field If the reorder happened or not if the zoneType and zoneIndex are the same Saves any control state changes that have occurred since the time the page was posted back to the server. Returns the 's current state. If there is no state associated with the control, this method returns null. Restores control-state information from a previous page request that was saved by the method. An that represents the control state to be restored. Creates the filter item. Creates the aggregate item. Creates the Row item. Creates the HeaderRow items. Creates the HeaderColumn items. Creates the Data Table which contains calculated aggregates. Raises event Binds a datasource to the invoked RadPivotGrid control and all its child controls. Rebinds the RadPivotGrid control. Please see Advanced data-binding topic for more information. Method that returns a collection of all PivotGridRowZone objects in the current RadPivotGrid. Returns a collection of all PivotGridRowZone objects in the current RadPivotGrid. Gets zone by its type. Handles the event. An object that contains the event data. Handles the event. An object that contains event data. Raises event Exports the pivot grid data in Microsoft Excel format using the properties set in the ExportSettings Exports the pivot grid data in Microsoft Word format using the properties set in the ExportSettings Stores a custom PageSize value if such is set when page mode is NextPrevAndNumeric Filters collection. Used internally by Persistence Framework. RadPivotGrid Filters collection. See the Filtering topic for more information. Gets or sets the outer table. The outer table. Gets or sets the row header table The row header table. Gets or sets the column header table The column header table. Gets or sets the data table The data table. Gets if the grid should be data-bound. The flag that indicates if the grid should be data-bound. Gets if the grid is always bound on post-back (when the view state is disabled). The flag indicating if the grid is always bound on post-back. Item Created event. See RadPivotGrid Events topic for more information. DataProviderError event. See RadPivotGrid Events topic for more information. Raised before a is inserted into particular zone. Event raised after a field have been added to the collection. CellCreated event. See RadPivotGrid Events topic for more information. CellDataBound event. See RadPivotGrid Events topic for more information. Fires when a paging action has been performed. Fires when has been changed. Raised when a button in a control is clicked. Gets or sets the default expand state of all row groups which will be applied on initial load. Gets or sets the default expand state of all column groups which will be applied on initial load. Gets or sets a value that indicates whether the &nbsp; will be rendered into all empty data cells instead of empty string. Gets or sets a value that indicates if the aggregate will be placed in the row axis or the column axis. Gets or sets a value that indicates the aggregate level. Gets or sets a value that indicates whether the row table layout will be Tabular, Outline or Fixed. Gets a reference to which holds all properties associated with the Fields Popup functionality which groups the fields in convinient popup in order to leave more space for the data to be displayed. Gets or sets a string that indicates whether the pivot model should be persisted into the session cache. Gets or sets a string that indicates whether the pivot model should be persisted into the session cache. Gets or sets a value that indicates whether the row table layout is fixed or auto. Gets or sets a value that indicates whether the column table layout is fixed or auto. Gets or sets a value that will be displayed in data cells where aggragate values could not be calculated. Gets or sets a value that will be displayed in data cells where aggragate values were empty. Specify the maximum number of items that would appear in a page, when paging is enabled by property. Default value is 10. value is out of range. Gets or sets a value indicating the index of the currently active page in case paging is enabled ( is true). The index of the currently active page in case paging is enabled. AllowPaging Property value is out of range. Style used to change the appearance and styling of the pager Gets the number of pages required to display the records of the data source in a control. Gets or sets a value indicating whether the paging feature is enabled. Gets or sets a value indicating whether the pivotgrid uses IQueryableDataProvider. Gets or sets a value indicating whether the sorting feature is enabled. Gets or sets a value indicating whether natural sorting is enabled. Gets or sets a value indicating whether the filtering feature is enabled. Gets a reference to the object that allows you to set the configuration parameters for OLAP binding in a Telerik control. Gets a collection of RadPivotGridDataItem objects that represent the data items of the current page of data in a RadPivotGrid control Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets a collection of PivotGridFieldsCollection objects. Field settings collection. Used by Persistence Framework. Gets a collection of the pivot grid's collapsed row groups indexes. Gets a collection of the pivot grid's collapsed column groups indexes. Gets a collection of sort expressions for Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik control. Gets a reference to the object that allows you to set the properties of the control's child controls for purpose and structure for user agents rendering to non-visual media such as speech and Braille Returns a reference to the object. This group contains all the settings that are related to the PivotGrid totals. Gets or set a value indicating whether the filter header zone of the pivotgrid will be shown. This default value for this property is true. Gets or set a value indicating whether the data header zone of the pivotgrid will be shown. This default value for this property is true. Gets or set a value indicating whether the column header zone of the pivotgrid will be shown. This default value for this property is true. Gets or set a value indicating whether the row header zone of the pivotgrid will be shown. This default value for this property is true. Gets or sets if the configuration panel will be enabled. For customization use . The configuration panel enabled state. Returns a reference to the object. This group contains all settings related to the Gets or sets a value indicating whether the zone context menu should be enabled. true if the zone context menu feature is enabled; otherwise, false. Default is false. Represents the ContextMenu RadMenu control Represents the FieldsWindow RadWindow control which holds all hidden fields Represents the PivotGridConfigurationPanel control which is used to manipulate fields and AggregatesPosition and AggregatesLevel values Represents the control that manages the settings of the automatically generated tooltips in the PivotGrid Represents the window that manages the filter expressions for the pivot grid. Represents the dialogues that manages the filter expressions for the TOP/Bottom filter operators. Field settings window. Used by RadPivotGrid configuration panel. For more information, please examine the Configuration Panel topic. Gets or sets the header zone text when there are no items added to the row header zone. Gets or sets the filter zone text when there are no items added to the filter header zone. Gets or sets the column zone text when there are no items added to the column header zone. Gets or sets the data zone text when there are no items added to the data header zone. Gets the horizontal scroll div. Gets the vertical scroll div. When set to true enables support for WAI-ARIA Style of the row heades' cells in the the pivotgrid. Style of the column heades' cells in the the pivotgrid. Style of the row totals' cells in the the pivotgrid. Style of the column totals' cells in the the pivotgrid. Style of the data cells in the the pivotgrid. Style of the row grand totals' cells in the the pivotgrid. Style of the column grand totals' cells in the the pivotgrid. Gets or sets a value indicating where RadPivotGrid will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadPivotGridResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Get/set the selected culture. Localization strings will be loaded based on this value. Gets or sets a value indicating whether the ToolTips in the PivotGrid will be enabled feature. Gets or sets a value indicating whether the Filter window of RadPivotGrid should have Overlay set to ensure popups are over a flash element or Java applet. The default value is false. Gets a reference to the object that allows you to set the properties of the grouping operation in a Telerik RadGrid control. Template that will be displayed if there is no aggregated data to show Gets or sets a value indicating whether the NoRecordsTemplate will be visualized when no records are present The default value is true. Gets or sets the text that will appear in the PivotGridNoRecordsItem when the default no records template is used. Fires when a pivotgrid is exporting. Fires when a pivotgrid is exporting to BIFF format Fires when a PivotGrid is exporting to XLS/XLSX/DOCX formats. Fires when a pivotgrid cell is exporting. Raised when the is about to be bound and the data source must be assigned. Fires when calculation for Item or Field is needed. Fires when Sort has been changed. Fires when default description of the field is created. Fires when all descrition fields are got from the cube. PersistableFieldSetting type. Used by Persistence Framework. Grand totals visibility enumeration. Please see the Totals topic for detailed information. The default value is RowAndColumns, where both row and column grand totals are visible. Only the row grand totals will be shown. The row grand totals won’t be visible, but you will still have the column totals. No grand totals will be shown. PivotGridFieldRenderingControl allows you to control how the field is rendered. Owner RadPivotGridField Sort link button Gets or sets the context menu button which will show a context menu when ConfigurationPanelSettings EnableFieldsContextMenu is set to true and the field is placed in the ConfigurationPanel. The context menu button which will show a context menu when ConfigurationPanelSettings EnableFieldsContextMenu is set to true and the field is placed in the ConfigurationPanel. Sort icon button Sort link icon Gets or sets the control which shows\hides the field. The control which shows\hides the field. Server ID of the control Gets the numericTextBox. Gets the group of the combobox. Gets the new text of the combobox. Gets the numericTextBox. Gets the group of the combobox. Gets the new text of the combobox. Gets the combobox. Gets the group of the combobox. Gets the new text of the combobox. Gets the index of the item in the combo. Gets the parent combobox of the selected item. Gets the group of the selected item's parent combobox. Gets the listitem that has been selected. Gets the index of the item in the combo. Gets the parent combobox of the selected item. Gets the group of the selected item's parent combobox. Gets the listitem that has been selected. RadRibbonBar control allows you to easily organize the navigation of your application in a simple, structured way. RadRibbonBar mimics the UI of the RibbonBar used in Microsoft Office 2007, thus providing your end-users with a familiar way to navigate around your application. The tabs to render are: * In an Active contextual tab group; * In an Inactive contextual tab group only if the RenderInactiveContextualTabGroups is set to true; * Their Visible property is set to true; The contextual tab groups to render are: * In a Visible tab in an Active contextual tab group; * In a Visible tab in an Inactive contextual tab group only if the RenderInactiveContextualTabGroups is set to true; * Their Visible property is set to true; Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. The instance that triggered the event. Loads the posted content of the list control, if it is different from the last posting. The key identifier for the control, used to index the postCollection. A that contains value information indexed by control identifiers. true if the posted content is different from the last posting; otherwise, false. Searches the RadRibbonBar control for the first RibbonBarTab which Value property is equal to the specified value. A RibbonBarTab whose Value property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RadRibbonBar control for the first RibbonBarGroup which Value property is equal to the specified value. A RibbonBarGroup whose Value property is equal to the specifed value. If a group is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RadRibbonBar control for the first RibbonBarButton which Value property is equal to the specified value. A RibbonBarButton whose Value property is equal to the specifed value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RadRibbonBar control for the first RibbonBarToggleButton which Value property is equal to the specified value. A RibbonBarToggleButton whose Value property is equal to the specified value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RadRibbonBar control for the first RibbonBarMenuItem which Value property is equal to the specified value. A RibbonBarMenuItem whose Value property is equal to the specifed value. If a menu item is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Populates the control from the specified XML file. The name of the XML file. Loads the control from an XML string. The string representing the XML from which the control will be populated. Use the LoadXml method to populate the control from an XML string. You can use it along the GetXml method to implement caching. Gets an XML string representing the state of the control. All child items and their properties are serialized in this string. A String representing the state of the control - child items, properties etc. Use the GetXml method to get the XML state of the control. You can cache it and then restore it using the LoadXml method. Occurs (server-side) after a non-selected tab is clicked. The following example demonstrates how to use the SelectedTabChange event to determine the new and the previously selected tab. protected void RadRibbonBar1_SelectedTabChange(object sender, RibbonBarSelectedTabChangeEventArgs e) { string message = string.Format("Tab {0} was selected.", e.Tab.Text); string details = string.Format("Previosly selected tab was: {0}", e.PreviouslySelectedTab.Text); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_SelectedTabChange(sender As Object, e As RibbonBarSelectedTabChangeEventArgs) Dim message As String = String.Format("Tab {0} was selected.", e.Tab.Text) Dim details As String = String.Format("Previosly selected tab was: {0}", e.PreviouslySelectedTab.Text) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after a button is clicked. The following example demonstrates how to use the ButtonClick event to determine the clicked button and its group. protected void RadRibbonBar1_ButtonClick(object sender, RibbonBarButtonClickEventArgs e) { string message = string.Format("Button {0} was clicked.", e.Button.Text); string details = string.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_ButtonClick(sender As Object, e As RibbonBarButtonClickEventArgs) Dim message As String = String.Format("Button {0} was clicked.", e.Button.Text) Dim details As String = String.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after a split button or button inside of it is clicked. The following example demonstrates how to use the SplitButtonClick event to determine the clicked button and its group. protected void RadRibbonBar1_SplitButtonClick(object sender, RibbonBarSplitButtonClickEventArgs e) { string message = string.Format("Button {0} was clicked.", e.Button.Text); string details = string.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_SplitButtonClick(sender As Object, e As RibbonBarSplitButtonClickEventArgs) Dim message As String = String.Format("Button {0} was clicked.", e.Button.Text) Dim details As String = String.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after a menu item inside RibbonBarMenu is clicked. The following example demonstrates how to use the MenuItemClick event to determine the clicked menu item and its group. protected void RadRibbonBar1_MenuItemClick(object sender, RibbonBarMenuItemClickEventArgs e) { string message = string.Format("Item {0} was clicked.", e.Item.Text); string details = string.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_MenuItemClick(sender As Object, e As RibbonBarMenuItemClickEventArgs) Dim message As String = String.Format("Item {0} was clicked.", e.Item.Text) Dim details As String = String.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after a group launcher is clicked. The following example demonstrates how to use the LauncherClick event to determine the group of the clicked launcher. protected void RadRibbonBar1_LauncherClick(object sender, RibbonBarLauncherClickEventArgs e) { string message = string.Format("Launcher of group {0} was clicked.", e.Group.Text); textBox1.Text = message; } Protected Sub RadRibbonBar1_LauncherClick(sender As Object, e As RibbonBarLauncherClickEventArgs) Dim message As String = String.Format("Launcher of group {0} was clicked.", e.Group.Text) textBox1.Text = message End Sub Occurs (server-side) after a toggle button is clicked. The following example demonstrates how to use the ButtonToggle event to determine the toggled button and its group. protected void RadRibbonBar1_ButtonToggle(object sender, RibbonBarButtonToggleEventArgs e) { string message = string.Format("ToggleButton {0} was toggled.", e.Button.Text); string details = string.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_ButtonToggle(sender As Object, e As RibbonBarButtonToggleEventArgs) Dim message As String = String.Format("ToggleButton {0} was toggled.", e.Button.Text) Dim details As String = String.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after a toggle button inside RibbonBarToggleList is clicked. The following example demonstrates how to use the ToggleListToggle event to determine the toggled button and its group. protected void RadRibbonBar1_ToggleListToggle(object sender, RibbonBarToggleListToggleEventArgs e) { string message = string.Format("ToggleList's ToggleButton {0} was toggled.", e.ToggleButton.Text); string details = string.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index); textBox1.Text = string.Format("{0} {1}", message, details); } Protected Sub RadRibbonBar1_ToggleListToggle(sender As Object, e As RibbonBarToggleListToggleEventArgs) Dim message As String = String.Format("ToggleList's ToggleButton {0} was toggled.", e.ToggleButton.Text) Dim details As String = String.Format("Group: {0}, Index: {1}", e.Group.Text, e.Index) textBox1.Text = String.Format("{0} {1}", message, details) End Sub Occurs (server-side) after an item of the ApplicationMenu is clicked. The following example demonstrates how to use the ApplicationMenuItemClick event to determine the clicked item. protected void RadRibbonBar1_ApplicationMenuItemClick(object sender, RibbonBarApplicationMenuItemClickEventArgs e) { string message = string.Format("Application menu item {0} was clicked.", e.Item.Text); textBox1.Text = message; } Protected Sub RadRibbonBar1_ApplicationMenuItemClick(sender As Object, e As RibbonBarApplicationMenuItemClickEventArgs) Dim message As String = String.Format("Application menu item {0} was clicked.", e.Item.Text) textBox1.Text = message End Sub Occurs (server-side) after a ComboBox item is selected. Occurs (server-side) after the text of the ComboBox is changed. Occurs (server-side) after a DropDown item is selected. Occurs (server-side) after an item is clicked. Gets a RibbonBarTabCollection object that contains the tabs of the RibbonBar. A RibbonBarTabCollection that contains the tabs of the RibbonBar. By default the collection is empty (RibbonBar has no tabs). Use the Tabs property to access the tabs of RadRibbonBar. You can also use the Tabs property to manage the tabs. You can add, remove or modify tabs from the Tabs collection. The following example demonstrates how to programmatically modify the properties of root tabs. RadRibbonBar1.Tabs[0].Text = "Example"; RadTabStrip1.Tabs(0).Text = "Example" Gets or sets the rendering mode of all RibbonBarClickableItems images. One of the RibbonBarImageRenderingMode values. The default value is Auto. Used to customize the RibbonBar keyboard navigation functionality Gets or sets the index of the selected tab. The zero based index of the selected tab. The default value is -1 (empty Tabs collection). Use the SelectedTabIndex property to programmatically specify the selected tab in RadRibbonBar. The following example demonstrates how to programmatically select a tab by using the SelectedTabIndex property. void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { var tab1 = new RibbonBarTab(){ Text="GraphicTools" }; // this will be selected tab RadRibbonBar1.Tabs.Add(tab1); var tab2 = new RibbonBarTab(){ Text="TextTools" }; RadRibbonBar1.Tabs.Add(tab2); RadRibbonBar1.SelectedIndex = 1; // will select "TextTools" tab } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Not Page.IsPostBack Then ' this will be selected tab Dim tab1 = New RibbonBarTab() With { Key .Text = "GraphicTools" } RadRibbonBar1.Tabs.Add(tab1) Dim tab2 = New RibbonBarTab() With { Key .Text = "TextTools" } RadRibbonBar1.Tabs.Add(tab2) ' will select "TextTools" tab RadRibbonBar1.SelectedIndex = 1 End If End Sub Gets or sets whether maximizing/minimizing of the RibbonBar should be enabled. True or False. The default value is False. Gets or sets whether the RibbonBar should be minimized. True or False. The default value is False. Enables automatic arrange of items within a group. True or False. The default value is True. Gets a RibbonBarApplicationMenu object (if one is set). A RibbonBarApplicationMenu. If not set, returns null. Use the RibbonBarApplicationMenu property to assign/retrieve an ApplicationMenu to/from RadRibbonBar. The following example demonstrates how to programmatically modify the ApplicationMenu. RadRibbonBar1.ApplicationMenu.Items[0].Text = "Example"; RadRibbonBar1.ApplicationMenu.Items(0).Text = "Example" Gets or sets a value indicating the client-side event handler that is called after the client object of RadRibbonBar is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientLoad property to specify a JavaScript function that is executed after the client object of RadRibbonBar is initialized. A single parameter is passed to the handler, which is the client-side RadRibbonBar object. The following example demonstrates how to use the OnClientLoad property. <script language="javascript">
function ClientLoadHandler(sender)
{
// perform actions after the RibbonBar is initialized
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientLoad="ClientLoadHandler">
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a non-selected tab is clicked. The event serves as a point for conditional cancel of the selecting of new tab. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientSelectedTabChanging property to specify a JavaScript function that is executed after a non-selected tab is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 3 properties:
  • get_tab() - the instance of the tab which is just clicked;
  • get_previouslySelectedTab() - the instance of the tab which still is the selected tab (it's cancelable event);
  • get_domEvent().
The following example demonstrates how to use the OnClientSelectedTabChanging property. <script language="javascript">
function ClientSelectedTabChangingHandler(sender, args)
{
if (args.get_tab().get_text() == "Unselectable")
args.set_cancel(true);
else
alert("The tab about to be selected is: " + arge.get_tab().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientSelectedTabChanging="ClientSelectedTabChangingHandler">
<telerik:RibbonBarTab Text="DefaultSelected"/>
<telerik:RibbonBarTab Text="Unselectable"/>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a non-selected tab is clicked. The event is passed the point for conditional cancel of the selecting of new tab (ClientSelectedTabChanging). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientSelectedTabChanged property to specify a JavaScript function that is executed after a non-selected tab is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 3 properties:
  • get_tab() - the instance of the tab which is the new selected tab;
  • get_previouslySelectedTab() - the instance of the tab which was previously selected;
  • get_domEvent().
The following example demonstrates how to use the OnClientSelectedTabChanged property. <script language="javascript">
function ClientSelectedTabChangedHandler(sender, args)
{
alert("The new selected tab is: " + args.get_tab().get_text());
alert("The previously selected tab is: " + args.get_previouslySelected().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientSelectedTabChanged="ClientSelectedTabChangedHandler">
<telerik:RibbonBarTab Text="DefaultSelected"/>
<telerik:RibbonBarTab Text="Unselectable"/>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a button is clicked. The event serves as a point for conditional cancel of the button clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonClicking property to specify a JavaScript function that is executed after a button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientButtonClicking property. <script language="javascript">
function ClientButtonClickingHandler(sender, args)
{
if (args.get_button().get_text() == "Unclickable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientButtonClicking="ClientButtonClickingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarButton Text="Unclickable" />
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a button is clicked. The event is passed the point for conditional cancel of the button clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonClicked property to specify a JavaScript function that is executed after a button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientButtonClicked property. <script language="javascript">
function ClientButtonClickedHandler(sender, args)
{
alert("Clicked button is: " + args.get_button().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientButtonClicked="ClientButtonClickedHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarButton Text="Button" />
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a button inside split button is clicked. The event serves as a point for conditional cancel of the button clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientSplitButtonClicking property to specify a JavaScript function that is executed after a button inside of a split button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientSplitButtonClicking property. <script language="javascript">
function ClientSplitButtonClickingHandler(sender, args)
{
if (args.get_button().get_text() == "Unclickable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientSplitButtonClicking="ClientSplitButtonClickingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarSplitButton Text="SplitButton">
<Buttons>
<telerik:RibbonBarButton Text="Unclickable" />
</Buttons>
</telerik:RibbonBarSplitButton>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a button inside of a split button is clicked. The event is passed the point for conditional cancel of the button clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientSplitButtonClicked property to specify a JavaScript function that is executed after a button inside of a split button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientSplitButtonClicked property. <script language="javascript">
function ClientSplitButtonClickedHandler(sender, args)
{
alert("The clicked button is:" + args.get_button().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientSplitButtonClicked="ClientSplitButtonClickedHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarSplitButton Text="SplitButton">
<Buttons>
<telerik:RibbonBarButton Text="Button" />
</Buttons>
</telerik:RibbonBarSplitButton>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a menu item is clicked. The event serves as a point for conditional cancel of the menu item clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMenuItemClicking property to specify a JavaScript function that is executed after a menu item is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_item() - the instance of the menu item which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientMenuItemClicking property. <script language="javascript">
function ClientMenuItemClickingHandler(sender, args)
{
if (args.get_item().get_text() == "Unclickable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientMenuItemClicking="ClientMenuItemClickingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarMenu Text="Menu">
<Items>
<telerik:RibbonBarMenuItem Text="Unclickable" />
</Items>
</telerik:RibbonBarMenu>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a menu item is clicked. The event is passed the point for conditional cancel of the menu item clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMenuItemClicked property to specify a JavaScript function that is executed after a menu item is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_item() - the instance of the menu item which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientMenuItemClicked property. <script language="javascript">
function ClientMenuItemClickedHandler(sender, args)
{
alert("The clicked menu item is:" + args.get_item().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientMenuItemClicked="ClientMenuItemClickedHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarMenu Text="Menu">
<Buttons>
<telerik:RibbonBarMenuItem Text="MenuItem" />
</Buttons>
</telerik:RibbonBarMenu>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after the group launcher is clicked. The event serves as a point for conditional cancel of the group launcher clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientLauncherClicking property to specify a JavaScript function that is executed after a group launcher is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_group() - the instance of the group which launcher is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientLauncherClicking property. <script language="javascript">
function ClientLauncherClickingHandler(sender, args)
{
if (args.get_group().get_text() == "Unlaunchable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientLauncherClicking="ClientLauncherClickingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Unlaunchable">
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after the group launcher is clicked. The event is passed the point for conditional cancel of the group launcher clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientLauncherClicked property to specify a JavaScript function that is executed after a group launcher is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_group() - the instance of the group which launcher is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientLauncherClicked property. <script language="javascript">
function ClientLauncherClickedHandler(sender, args)
{
alert("Clicked is the launcher of group: " + args.get_group().get_text());
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientLauncherClicked="ClientLauncherClickedHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a toggle button is clicked. The event serves as a point for conditional cancel of the button's toggling. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonToggling property to specify a JavaScript function that is executed after a toggle button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the toggle button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientButtonToggling property. <script language="javascript">
function ClientButtonTogglingHandler(sender, args)
{
if (args.get_button().get_text() == "Untogglable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientButtonToggling="ClientButtonTogglingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarToggleButton Text="Untogglable" />
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a toggle button is clicked. The event is passed the point for conditional cancel of the button's toggling. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonToggled property to specify a JavaScript function that is executed after a toggle button is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the toggle button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientButtonToggled property. <script language="javascript">
function ClientButtonTogglingHandler(sender, args)
{
alert("ToggleButton: " + args.get_button().get_text() + " was toggled");
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientButtonToggled="ClientButtonToggledHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarToggleButton Text="ToggleButton" />
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a toggle button inside of ToggleList is clicked. The event serves as a point for conditional cancel of the toggle list's toggle-state change. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientToggleListToggling property to specify a JavaScript function that is executed after a toggle button inside of a ToggleList is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the toggle button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientToggleListToggling property. <script language="javascript">
function ClientToggleListTogglingHandler(sender, args)
{
if (args.get_button().get_text() == "Untogglable")
args.set_cancel(true);
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientToggleListToggling="ClientToggleListTogglingHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarToggleList>
<ToggleButtons>
<telerik:RibbonBarToggleButton Text="Untogglable" />
</ToggleButtons>
</telerik:RibbonBarToggleList>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after a toggle button inside of ToggleList is clicked. The event is passed the point for conditional cancel of the toggle list's toggle-state change. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientToggleListToggled property to specify a JavaScript function that is executed after a toggle button inside of a ToggleList is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 2 properties:
  • get_button() - the instance of the toggle button which is clicked;
  • get_domEvent().
The following example demonstrates how to use the OnClientToggleListToggled property. <script language="javascript">
function ClientToggleListToggledHandler(sender, args)
{
alert("Toggled button is: " + args.get_button().get_text()
}
</script>

<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" OnClientToggleListToggled="ClientToggleListToggledHandler">
<telerik:RibbonBarTab Text="Tab">
<telerik:RibbonBarGroup Text="Group">
<Items>
<telerik:RibbonBarToggleList>
<ToggleButtons>
<telerik:RibbonBarToggleButton Text="ToggleButton" />
</ToggleButtons>
</telerik:RibbonBarToggleList>
</Items>
</telerik:RibbonBarGroup>
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after an item inside of an ApplicationMenu is clicked. The event serves as a point for conditional cancel of the item's clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientApplicationMenuItemClicking property to specify a JavaScript function that is executed after an item inside of na ApplicationMenu is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 3 properties:
  • get_applicationMenu() - the instance of the application menu;
  • get_item() - the instance of the clicked application menu item;
  • get_domEvent().
The following example demonstrates how to use the OnClientApplicationMenuItemClicking property. <script language="javascript">
function ClientApplicationMenuItemClickingHandler(sender, args)
{
if (args.get_item().get_text() == "Unclickable")
args.set_cancel(true);
}
</script>

<telerik:RibbonBarApplicationMenu ID="RadRibbonBarApplicationMenu1" runat="server" Text="Menu">
<Items>
<telerik:RibbonBarApplicationMenuItem Text="Unclickable"/>
</Items>
</telerik:RibbonBarApplicationMenu>
<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" ApplicationMenuID="RadRibbonBarApplicationMenu1" OnClientApplicationMenuItemClicking="ClientApplicationMenuItemClickingHandler">
<telerik:RibbonBarTab Text="Tab">
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called after an item inside of an ApplicationMenu is clicked. The event is passed the point for conditional cancel of the item's clicking. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientApplicationMenuItemClicked property to specify a JavaScript function that is executed after an item inside of na ApplicationMenu is clicked. Two parameters are passed to the handler: sender (the client-side RadRibbonBar object); eventArgs with 3 properties:
  • get_applicationMenu() - the instance of the application menu;
  • get_item() - the instance of the clicked application menu item;
  • get_domEvent().
The following example demonstrates how to use the OnClientApplicationMenuItemClicked property. <script language="javascript">
function ClientApplicationMenuItemClickedHandler(sender, args)
{
alert("The clicked ApplicationMenuItem is: " + args.get_item().get_text());
}
</script>

<telerik:RibbonBarApplicationMenu ID="RadRibbonBarApplicationMenu1" runat="server" Text="Menu">
<Items>
<telerik:RibbonBarApplicationMenuItem Text="MenuItem"/>
</Items>
</telerik:RibbonBarApplicationMenu>
<telerik:RadRibbonBar id="RadRibbonBar1" runat="server" ApplicationMenuID="RadRibbonBarApplicationMenu1" OnClientApplicationMenuItemClicked="ClientApplicationMenuItemClickedHandler">
<telerik:RibbonBarTab Text="Tab">
</telerik:RibbonBarTab>
</telerik:RadRibbonBar>
Gets or sets a value indicating the client-side event handler that is called when the RibbonBar is about to be minimized.The event serves as a point for conditional cancel of the RibbonBar's minimizing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the RibbonBar is minimized. The event is passed the point for conditional cancel of the RibbonBar's minimizing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the RibbonBar is about to be maximized.The event serves as a point for conditional cancel of the RibbonBar's maximizing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the RibbonBar is maximized. The event is passed the point for conditional cancel of the RibbonBar's maximizing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when an item inside the RibbonBarComboBox is about to be selected.The event serves as a point for conditional cancel of the item's selecting. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when an item inside the RibbonBarComboBox is selected. The event is passed the point for conditional cancel of the item's selecting. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when an text inside the RibbonBarComboBox is changed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when an item inside the RibbonBarDropDown is about to be selected.The event serves as a point for conditional cancel of the item's selecting. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when an item inside the RibbonBarDropDown is selected. The event is passed the point for conditional cancel of the item's selecting. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the value inside the RibbonBarNumericTextBox is about to be changed. The event serves as a point for conditional cancel of the value's changing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the value inside the RibbonBarNumericTextBox is changed. The event is passed the point for conditional cancel of the value's changing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the selected color of the RibbonBarColorPicker is about to be changed. The event serves as a point for conditional cancel of the selected color's changing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when the selected color of the RibbonBarColorPicker is changed. The event is passed the point for conditional cancel of the selected color's changing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when a gallery item is focused. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when a gallery item loses focus. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating the client-side event handler that is called when a gallery item is clicked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Gets or sets a value indicating whether the Quick Access Toolbar is enabled. False by default. This class defines the RibbonBarApplicationMenu object that inherits WebControl. Gets a RibbonBarApplicationMenuItemCollection object that contains the items of the ApplicationMenu. A RibbonBarApplicationMenuItemCollection that contains the items of the ApplicationMenu. By default the collection is empty (the ApplicationMenu has no items). Use the Items property to access the items of the ApplicationMenu. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of the items inside the collection. applicationMenu.Items[0].Text = "SampleMenuItemText"; applicationMenu.Items(0).Text = "SampleMenuItemText" Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Used to customize the ApplicationMenu Footer. Used to customize the ApplicationMenu AuxiliaryPane. Gets or sets the text of the ApplicationMenu. The text of the ApplicationMenu. The default value is empty string. Use the property to set the displayed text of the ApplicationMenu. This Class defines RibbonBarApplicationMenuItem that inherits WebControl and IRibbonBarCommandItem. Gets or sets the description of the ApplicationMenuItem. The description of the ApplicationMenuItem. The default value is empty string. Use the property to set the description that appears below the ApplicationMenuItem text. This Class defines RibbonBarApplicationMenuItem collection that inherits List collection. Gets the application menu item that has been clicked. Gets the previously selected tab. Gets the currently selected tab. Specifies where the end user can save the edited image The user can save the image on the client and server machine. The user can save image on the client only. The user can save image on the server only. Specifies the control (panel) used for loading the ImageEditor tool dialogs. It can use UpdatePanel(AjaxPanel), XmlHttpPanel and RadAjaxPanel. The default value is AjaxPanel, which means asp:UpdatePanel will be used. (Default Value) ASP.NET UpdatePanel is used to load the tools dialogs. Telerik RadXmlHttpPanel is used to load the tools dialogs. Telerik RadAjaxPanel is used to load the tools dialogs. Provides the event data for the RadImageEditor's ImageLoading event. Gets or sets a bool value indicating whether the saving on the image should be canceled. Gets or set the Editable image that will be used by the ImageEditor control. Provides the event data for the RadImageEditor's ImageSaving event. Gets or sets a bool value indicating whether the saving on the image should be canceled. Gets or sets the name of the image that will be saved. Gets or sets a bool value indicating whether the existing image with the same file name will be overwritten. Gets or sets additional argument that will be passed back to the 'saved' client-side event. Exception for the case of missing editable image. Represents an ImageEditor dialog used for controlling the Print functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Save functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. The settings determining the password strenght. Gets or sets a value indicating whether PasswordStrengthInticator will be shown true, if you want to show PasswordStrengthInticator, otherwise false (the default value). List of semi-colon separated numeric values used to determine the weighting of a strength characteristic. There must be 4 values specified which must total 100. The default weighting values are defined as 50;15;15;20. This corresponds to password length is 50% of the strength calculation, Numeric criteria is 15% of strength calculation, casing criteria is 15% of calculation, and symbol criteria is 20% of calculation. So the format is 'A;B;C;D' where A = length weighting, B = numeric weighting, C = casing weighting, D = symbol weighting. Preferred length of the password. Default preffered length is 10 Minimum number of numeric characters. Default number of minimum numeric characters is 2 Specifies whether mixed case characters are required. By default is true Only in effect if RequiresUpperAndLowerCaseCharacters property is true. Specifies the minimum number of lowercase characters required when requiring mixed case characters as part of your password strength considerations. By default MinimumLowerCaseCharacters is 2 Only in effect if RequiresUpperAndLowerCaseCharacters property is true. Specifies the minimum number of uppercase characters required when requiring mixed case characters as part of your password strength considerations. By default MinimumUpperCaseCharacters is 2 Minimum number of symbol characters. By default is 2 Specify the client event handler that will be executed when calculating the password strength List of semi-colon separated descriptions that will be shown depending on the calculated password strength By default TextStrengthDescriptions is "Very Weak;Weak;Medium;Strong;Very Strong" List of semi-colon separated names of CSS Styles that will be used to style the indicator element. By default TextStrengthDescriptionStyles = "riStrengthBarL0;riStrengthBarL1;riStrengthBarL2;riStrengthBarL3;riStrengthBarL4;riStrengthBarL5;" Set the CSS Style for the indicator element. This style will be set regardless of the calculated password strength. Set ID of the element wtich to style and show the text. Leave this empty and such element will be created automatically. Set Width of the indicator This property auto enables key hints on page load. This property sets the key that is used to focus RadRibbonBar. It is always used in combination with FocusKey. This property sets the key that is used to focus RadGrid. It is always used in combination with CommandKey. The ColorPickerItem class represents Colors items within a RadColorPicker control. Creates an instance of the RibbonBarColorPickerItem class. Creates an instance of the RibbonBarColorPickerItem class. The color of the RibbonBarColorPicker item. Creates an instance of the RibbonBarColorPickerItem class. The color of the RibbonBarColorPickerItem item. The title that will be displayed in the tooltip of the item. Gets or sets the tooltip text of the RibbonBarColorPickerItem. Gets or sets the Color value of the RibbonBarColorPickerItem. RibbonBarColorPickerItemCollection Adds colors to the palette of RibbonBarColorPicker. A collection of ColorPickerItem objects. Gets the height of the item. A that represents the height of the item. The default is . Gets a RibbonBarColorPickerItemCollection object that contains the items of the ColorPicker. A RibbonBarColorPickerItemCollection that contains the items of the ColorPicker. Use the Items property to access the items of the ColorPicker. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. Get/Set the selected color of the ColorPicker. Gets or sets the image's URL of a certain color picker. The URL to the image. The default value is empty string. Use the ImageUrl property to specify a custom image that will be shown in the color picker dropdown button. This Class defines RibbonBarListItemCollection collection that inherits List collection. Returns the Visible list items. All visible items in the DropDown. Clears the selection. The property of all items is set to false. Gets a RibbonBarListItemCollection object that contains the items of the DropDown. A RibbonBarListItemCollection that contains the items of the DropDown. By default the collection is empty (the DropDown has no items). Use the Items property to access the items of the DropDown. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. Gets or sets the selected index of the control. The index that should be selected. Set the selected index to -1 to clear the selection. Gets or sets the text of the ComboBox. The text of the ComboBox. The default value is the text of the selected item, or empty string. Gets or sets the value of the RibbonBarNumericTextBox item. The Value property is a Nullable Double type. A nullable type can represent the normal range of values for its underlying value type, plus an additional null value. Gets or sets the text content of the RibbonBarNumericTextBox item. The text content of the RibbonBarNumericTextBox item. Gets or sets the value to increment or decrement the spin box when the up or down buttons are clicked. Gets or sets the text content to be displayed before the value in the input element of the RibbonBarNumericTextBox item. The text content to be displayed before the value in the input element. Gets or sets the text content to be displayed after the value inside the input element of the RibbonBarNumericTextBox item. The text content to be displayed after the value inside the input element. The default ItemTemplate used when using the RadRotator in AdRotator mode(for displaying banners/ads). A custom template can be specified. Defines the child controls of the BannerItemTemplate. The parent Control to which the child controls will be added. Helper class that provides the the DataItem object when using the RadRotator in AdRotator mode (for displaying banners/ads). Gets or sets the location of the image. Gets or sets the alternate text of the image. Gets or sets the URL to which the user will be navigated when the item is clicked. A resource type class used in OData binding. Gets or sets the name. The name. Gets or sets the key field. The key field. Gets or sets the text field. The text field. Gets or sets the container. The container. Resource type collection used in OData binding. Servers Resources loading For internal use only. RadScheduler settings used in OData binding. Gets or sets theGets or sets the id of the ODataDataSource control which has been used. The O data data source ID. Gets or sets the data recurrence parent key field. The data recurrence parent key field. Gets or sets the data recurrence field. The data recurrence field. Gets or sets the data start field. The data start field. Gets or sets the data end field. The data end field. Gets or sets the data description field. The data description field. Gets or sets the data subject field. The data subject field. Gets or sets the data key field. The data key field. Gets or sets the initial container name field. The data model ID. Collection of Resources to bind against. This interface defines the ITimeZoneModel. Gets or sets a value indicating the base z-index of the reminder dialog. An integer value that specifies the desired base z-index. The default value is 2500. The z-index value is used to position any detachable elements over other elements in the form. This Class sets the styles for MobileRendering This Class sets the styles for MobileRendering Gets the transition delta of a given time frame., i.e. the time to add or substract in when daylgiht saving starts or end. The time zone ID. Localized version of the standard name The standard name of a time zone The base utc offset, without apply daylight saving Returns bool value indicating whether the time zone selected uses daylight saving. Returns array of adjustment rules to be used when DLS occurs. This Class defines the TimeZoneNamePair object. Gets or sets the id. The id. Gets or sets the display name. The display name. This abstract class defines the TimeZoneProviderBase. Locals to UTC. The local. UTCs to local. The UTC. Gets list of all time zones available on the system. Returns list of all time zones available on the system. Gets or sets the operation time zone. The operation time zone. THis Class defines the TimeZoneProvider collection. Adds a provider to the collection. The provider to be added. The collection is read-only. is null. The of is null.- or -The length of the of is less than 1. This Class defines the TimeZoneInfoProvider that implements the TimeZoneProviderBase and IDisposable. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. The name of the provider has a length of zero. An attempt is made to call on a provider after the provider has already been initialized. UTCs to local. The UTC. Locals to UTC. The local. Gets list of all time zones available on the system. Returns list of all time zones available on the system. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. For internal use only. In order to have HTML5 validation, we need to remove from the rendering the following attributes: CellPadding, CellSpacing and Border. To remove CellPadding and CellSpacing from rendering, those need to be -1, except for IE7 or lower. To remove Border from rendering we need to set GridLines to None and a special attribute, except for .NET 3.5... This Class defines AppDataCacheProvider that inherits WebResourceCacheProvider. This abstract class defines the WebResourceCacheProvider object that inherits ProviderBase. If the provider is created with code, put the initialization logic of the provider in this method. Optionally you can set the IsInitialized property to true after the initialization finishes. The calls this method when the Provider property is set if the IsInitialized property of the provider returns false. Stores the combined web resources output for a given unique URL in cache. The unqiue URL of the requested combination of web resources. The combined output of the requested web resources. Associates the given unique key with a URL of a combination of web resources. One key can have many URLs associated with it. The unique key with which the URL will be associated. The key is usually a unique identifier of a web page. The URL of the requested combination of web resources. Checks whether the given unique key and URL are associated in cache. The unique key with which the URL will be associated. The key is usually a unique identifier of a web page. The URL of the requested combination of web resources. True if the key and URL are associated in cache; false otherwise. Gets the combined web resources output from cache for a given URL. The method reads the content of the entry in the cache. If you want to verify whether an entry exists, use the Exists method. The URL of the requested combination of web resources. The combined output of the requested web resources from the cache. Returns null if there is no entry for the requested URL in the cache. Checks whether there is an entry for the requested URL in the cache. The URL of the requested combination of web resources. True if there is an entry in the cache; false otherwise. Deletes all URL entries for the given key from cache. The unique key with which URLs are associated. (The key is usually a unique identifier of a web page.) Clears the cache. Gets or sets the is initialized. The is initialized. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. The name of the provider has a length of zero. An attempt is made to call on a provider after the provider has already been initialized. If the provider is created with code, put the initialization logic of the provider in this method. Optionally you can set the IsInitialized property to true after the initialization finishes. The calls this method when the Provider property is set if the IsInitialized property of the provider returns false. Initializes the specified app data relative path. The app data relative path. Stores the combined web resources output for a given unique URL in cache. The unqiue URL of the requested combination of web resources. The combined output of the requested web resources. Associates the given unique key with a URL of a combination of web resources. One key can have many URLs associated with it. The unique key with which the URL will be associated. The key is usually a unique identifier of a web page. The URL of the requested combination of web resources. Gets the combined web resources output from cache for a given URL. The method reads the content of the entry in the cache. If you want to verify whether an entry exists, use the Exists method. The URL of the requested combination of web resources. The combined output of the requested web resources from the cache. Returns null if there is no entry for the requested URL in the cache. Checks whether there is an entry for the requested URL in the cache. The URL of the requested combination of web resources. True if there is an entry in the cache; false otherwise. Checks whether the given unique key and URL are associated in cache. The unique key with which the URL will be associated. The key is usually a unique identifier of a web page. The URL of the requested combination of web resources. True if the key and URL are associated in cache; false otherwise. Deletes all URL entries for the given key from cache. The unique key with which URLs are associated. (The key is usually a unique identifier of a web page.) Clears the cache. This Class defines the Cache Settings of RadScriptManager. Enables web resource cache. Cache is disabled by default. The enabled. Gets or sets the unique key of the page. Combined web resources are associated with a page key. The page key. This Class defines the WebResourceCacheProvider collection that inherits ProviderCollection. This Class defines the ScriptCacheProviderManager. Gets or sets the provider. The provider. Gets the providers. The providers. This Class defines RadScriptManagerConfigurationSection that inherits ConfigurationSection. Gets the providers. The providers. Gets or sets the default cache provider. The default cache provider. This enum specifies if the ScriptReferenceOutput position is Beginning, End or Same. ScriptReferenceOutputPosition is set to Beginning. Beginning ScriptReferenceOutputPosition is set to End. End ScriptReferenceOutputPosition is set to Same. Same RadScriptManager. ScriptManager derived class to add the ability to combine multiple smaller scripts into a larger one as a way to reduce the number of files the client must download RadScriptManager is a control that replaces the ScriptManager available in the Microsoft Ajax Extensions suite. This Class defines RadScriptManager- a control that replaces the ScriptManager available in the Microsoft Ajax Extensions suite. Determines whether [is encoding in accept list] [the specified accept encoding header]. The accept encoding header. The expected encoding. Gets the groups. The groups. Gets or sets a value indicating if RadScriptManager should check the Telerik.Web.UI.WebResource handler existence in the application configuration file. When EnableHandlerDetection set to true, RadScriptManager automatically checks if the HttpHandler it uses is registered to the application configuration file and throws an exception if the HttpHandler registration missing. Set this property to false if your scenario uses a file to output the combined scripts, or when running in Medium trust. Specifies whether or not multiple script references should be combined into a single file When EnableScriptCombine set to true, the script references of the controls on the page are combined to a single file, so that only one <script> tag is output to the page HTML Specifies whether or not the combined output will be compressed. In some cases the browsers do not recognize compressed streams (e.g. if IE 6 lacks an update installed). In some cases the Telerik.Web.UI.WebResource handler cannot determine if to compress the stream. Set this property to Disabled if you encounter that problem. The OutputCompression property works only when EnableScriptCombine is set to true. Specifies the URL of the HTTPHandler that combines and serves the scripts. The HTTPHandler should either be registered in the application configuration file, or a file with the specified name should exist at the location, which HttpHandlerUrl points to. If a file is to serve the files, it should inherit the class Telerik.Web.UI.WebResource Gets the CDN settings. The CDN settings. Gets the Assembly White List Gets the cache settings. The cache settings. Specifies whether the CompositeScript (if defined) should render last or on its default place when script combining is enabled. When combining is disabled the CompositeScript renders directly after the MS ASP.NET AJAX Framework scripts and before all third-party scripts (including RadControls'). If RadScriptManager 3.5 is used in an ASP.NET 4.0 site/application and the AjaxFrameworkMode property is either 'Disabled' or 'Eplicit' you could set the property to true or upgrade to RadScriptManager 4.0, so that the RadControls scripts are combined in one file instead of in two. Specifies whether the embedded jQuery library is output with RadControls' scripts. If the embedded jQuery is disabled, you must manually load a version of jQuery on the page and ensure that RadControls are compatible with it. If this property is set to false and no compatible jQuery library is used, the page will throw JavaScript exceptions. This Class defines tha ScriptReferenceGroup object. Gets the scripts. The scripts. This type of script reference allows the user to exclude a script reference from combining by RadScriptManager (when RadScriptManager.EnableScriptCombine is set to true). The property Combine (true by default) controls this behavior. Set this property to tell RadScriptManager whether to combine the script reference or serve it as a separate resource. True by default. Set this property to one of the available values - ScriptReferenceOutputPosition.Beggining, ScriptReferenceOutputPosition.Same, ScriptReferenceOutputPosition.End - to move the current script to the beginning of the whole script block, remain on its place in the order of registration or move at the end of the script block. ScriptReferenceOutputPosition.Same by default. This attribute should be used on classes which will be present in the Visual Studio toolbox - i.e. the ones that should also have a attribute. Creates a new instance of the TelerikToolboxCategoryAttribute attribute with the specified title. The title of the category where the control will be placed The title of the category where the control will be placed Specifies the possible values for the StatusBarMode property of the RadImageEditor control. The StatusBar is rendered below the editable area of the ImageEditor The StatusBar is rendered above the editable area of the ImageEditor and below the ToolBar. The StatusBar is not rendered at all. Sets content-disposition header to the HttpResponse using the provided filename. The current HttpContext The filename to use Combines the name of an editable image using the provided name and image format as extension. The editable image specifying the file extension The name of the image Combines a file name from the name and extension provided. If filename is empty, then it uses a default one. The name of the file. If empty, a default value will be used. The file extension Sends a byte array to the client binary file content the filename to be sent to the client the file content type The Response object to which the image is sent. Represents a provider for images of a instance. It stores the images into Cache or Session. Defines the methods and properties that an image provider, for the RadImageEditor's intermediary objects, must implement so that the ImageEditor instance will perform server image operations correctly. Stores an image, generates key that corresponds to the stored image, and returns the key. The EditableImage object to store. The key that corresponds to the stored editable image. Retrieves an EditableImage from the provider. The key that corresponds to the editable image. An object that corresponds to the passed. Loads an image from the specified location. This image will be used to create an object. The path to the image to load. The physical path to the image to load. The to which the application belongs. Returns the object loaded from the specified location. Saves the image in persistent storage location. The EditableImage object to store. The physical path (including the file name) where the image will be stored. The path (relative) to the image that is currently loaded in the ImageEditor. If new image name was specified when saving the image, it will be reflected in the imageUrl. Bool value indicating whether or not the existing image (if it exists) will be overwritten. Returns string.Empty if the saving was successful. "FileExists" - if overwriting is not allowed and the file exists. "MessageCannotWriteToFolder" - if there are not enough permissions to write the file. Clears all images currently saved by the provider. Clears the images in the provider up to the image key passed. The clearing is done from the first image that was placed by the provider, up to the one corresponding to the key. The image that corresponds to the key is not cleared. The key up to which the images are cleared. Gets or sets the location where the objects will be stored. This property is set by the instance. When implementing the property in a class, providing an Auto-Implemented property is enough for the provider to work correctly. Gets or sets a unique key that used to associate the current instance with the images stored by the provider. This property is set by the instance. The class provides exactly the same property, and the provider and the corresponding ImageEditor instance have the same value. When implementing the property in a class, providing an Auto-Implemented property is enough for the provider to work correctly. The property should not be set, since it is set by the corresponding ImageEditor instance. Creates an instance of the class. Creates an instance of the class. The location where the objects will be stored. Creates an instance of the class. The location where the objects will be stored. The unique key associated with the current instance of the RadImageEditor. Stores an image, generates key that corresponds to the stored image, and returns the key. The EditableImage object to store. The key that corresponds to the stored editable image. Retrieves an EditableImage from the provider. The key that corresponds to the editable image. An object that corresponds to the passed. Clears all images currently saved by the provider. Clears the images in the provider up to the image key passed. The clearing is done from the first image that was placed by the provider, up to the one corresponding to the key. The image that corresponds to the key is not cleared. The key up to which the images are cleared. Saves the current image on the FileSystem and returns a string.Empty if the saving was successful. The EditableImage to save. The full physical path (including the file name) where the image will be saved. The path (relative) to the image that is currently loaded in the ImageEditor. If new image name was specified when saving the image, it will be reflected in the imageUrl. Should we overwrite the file if it exists. String.Empty if the operation was successful, else a string indicating the problem. Gets a file from the FileSystem. The physicalPath of the file. The file stream. Null if the file does not exist. Deletes a file from the FileSystem and returns a string.Empty if the action was successful. The physical path to the file. String.Empty if the deletion was successful. "FileReadOnly" if the file exists and it is read only. The file is not deleted. "NoPermissionsToDeleteFile" if the deletion was successful. The file is not deleted. Loads an image from the specified location. This image will be used to create an object. The path to the image to load. The physical path to the image to load. The to which the application belongs. Returns the object loaded from the specified location. Gets or sets the location where the objects will be stored. This property is set by the instance. Gets or sets a unique key that used to associate the current instance with the images stored by the provider. This property is set by the instance. The class provides exactly the same property, and the provider and the corresponding ImageEditor instance have the same value. Gets or sets a value that indicates whether the current instance of the ImageEditor is used in some of the RadEditor's dialogs. Gets or sets a value that indicates whether the current instance of the ImageEditor is used in some of the RadEditor's dialogs. The serializer for the Crop operation Name of the current serializer. The empty serializer. This is the default serializer. It will serialize to the EmptyOperation. Serializes the content to an empty operation content with name being Empty. The input operation is not taken into account. The input operation. It is not taken into account for this method. Returns plain-old EmptyOperation. Data is not taken into account for this case. Name of the current serializer. The serializer for the FlipOperation Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Constructs an image operation from the provided data. The input key/value collection of the operation A newly constructed operation based on the input data Name of the current serializer. The serializer for the RotateOperation Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Constructs an image operation from the provided data. The input key/value collection of the operation A newly constructed operation based on the input data Name of the current serializer. The serializer for the ResizeOperation Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Constructs an image operation from the provided data. The input key/value collection of the operation A newly constructed operation based on the input data Name of the current serializer. The serializer for the OpacityOperation Constructs a key/value pair collection from the image operation. The image operation, from which the data is contructed The constructed data from the image operation Constructs an image operation from the provided data. The input key/value collection of the operation A newly constructed operation based on the input data Name of the current serializer. A collection of image operations Serializes the collected image operations in a collection representation Reads the serialized input and deserializes it to populate the collection of image operations The serialized collection of image operations Populates the image operations collection using the provided enumerated data The enumerated data input Sorts the current collection of IImageOperation(s) on their Index property. The factory class that handles the serialization and deserialization by IImageOperation implementations Initializes the factory with the default(built-in) serializers Intializes the factory with the provided serializers. Default serializers are not included. A collection of image operation serializers. Serializes the provided image operation. The image operation to serialize The already serialized operation Composes an image operation based on the provided serialized value Composes an image operation based on the provided data A key/value collection for the operation The newly composed image operation A key/value pair collection of image operations' serializers following the conversion of key being the operation to serialize and value - the respective serializer Distinguishes between operations using their names. The input image operation serializer The unique key for the serializer. Usually based on the value of the Name property. Represents a single ImageEditor ToolStrip. Gets or sets a bool value that indicates whether the tool is a separator. Creates an ImageEditor ToolStrip. Creates an ImageEditor ToolStrip with the specified command name. The CommandName of the ToolStrip. Creates an ImageEditor ToolStrip with the specified command name. The CommandName of the ToolStrip. The ShortCut of the ToolStrip. Gets the collection of ImageEditorTool objects, inside the tool strip. The ImageEditorTool should not be used as a tool separator. Gets or sets the name of the command fired when the tool is clicked. Gets or sets the text displayed in the tool. Gets or sets the ToolTip of the ImageEditor tool. Gets or sets the CSS class applied to the ImageEditor tool. Gets or sets the location of an image (icon) to display in the ImageEditor tool Gets or sets a value indicating whether this ImageEditor tool is enabled. Enables the use of default tools. Last selected becomes the default. Gets or sets the keyboard shortcut which will invoke the associated RadImageEditor command. An implementation of IGraphicsCore that uses IImageOperations internally Specifies methods that change the graphics of an image. The operations should not change the original image, but rather provide an altered version as a result. Defines the changes of the pixel opacity of the provided Image The original image being the base for the operation The level of opacity. Should be in the range [0-1]. The resultant image of the applied graphics method Resizes the original image by shrinking or expanding it by the provided dimensions The original image being the base for the operation The new dimensions of the image The resultant image of the applied graphics method Flips the image content in the specified direction The original image being the base for the operation The direction of the flip change. The resultant image of the applied graphics method Rotates the image using the enumerated rotation. Currently only rectangular angles' are supported - 90°, 180°, 270° The original image being the base for the operation The rotation direction for the rotation method The resultant image of the applied graphics method Crops the provided image using the specified rectangular box The original image being the base for the operation The bounding box specifying the cropping area The resultant image of the applied graphics method Adds text to the image on the provided position. The original image being the base for the operation The top/left position relative to the original image. The definition of the test to insert, including the content itself The resultant image of the applied graphics method Insert another image within the original image at the specified location. The original image being the base for the operation The top/left coordinates relative to the original image. The image that should be inserted in the original image The resultant image of the applied graphics method Converts the image to the specified format. This change may degrade the quality of the image. The original image being the base for the operation The format of the resultant image The resultant image of the applied graphics method Defines the changes of the pixel opacity of the provided Image The original image being the base for the operation The level of opacity. Should be in the range [0-1]. The resultant image of the applied graphics method Resizes the original image by shrinking or expanding it by the provided dimensions The original image being the base for the operation The new dimensions of the image The resultant image of the applied graphics method Flips the image content in the specified direction The original image being the base for the operation The direction of the flip change. The resultant image of the applied graphics method Rotates the image using the enumerated rotation. Currently only rectangular angles' are supported - 90°, 180°, 270° The original image being the base for the operation The rotation direction for the rotation method The resultant image of the applied graphics method Crops the provided image using the specified rectangular box The original image being the base for the operation The bounding box specifying the cropping area The resultant image of the applied graphics method Adds text to the image on the provided position. The original image being the base for the operation The top/left position relative to the original image. The definition of the test to insert, including the content itself The resultant image of the applied graphics method Insert another image within the original image at the specified location. The original image being the base for the operation The top/left coordinates relative to the original image. The image that should be inserted in the original image The resultant image of the applied graphics method Converts the image to the specified format. This change may degrade the quality of the image. The original image being the base for the operation The format of the resultant image The resultant image of the applied graphics method Applies the provided image operation agaist the original image The original image being the base for the operation The operation to apply The resultant image of the applied graphics method The supported flip directions by the ImageEditor's editing capabilities Defines flip in the vertical/y direction Defines flip in the horizontal/x direciton Defines flip in both horizontal and vertical directions Represents an Image that can be edited. Creates an instance of the EditableImage class from a given Stream. The Stream from which the editable image will be created. Creates an instance of the EditableImage class from a specified location. A physical path to the image. Creates an instance of the EditableImage class from a given Image object. The image object from which EditableImage will be created. Creates an instance of the EditableImage class from a given Image object, and the Graphics core used for image manipulation. The image object from which EditableImage will be created. The IGraphicsCore object to use for image manipulation. Changes the transparency of the current image. A double value between 0.00 - 1.00, representing the opacity. Passing 1 means no opacity. Resizes the image to the size specified. The new dimensions (size) of the image. Resizes the image to the width and height specified. The new width to apply. The new height to apply. Flips the image in the specified direction. The flipping direction. (Possible values: Vertical, Horizontal and Both) Rotates the image clockwise, in the specified rotation direction. The rotation direction.(Possible values of clockwise rotation: Rotate90, Rotate180 and Rotate270). Crop the image into the given rectangle. The rectangle to crop the image into. Adds text to the image. The position of the text. The Image text to add. Inserts additional image into the editable image. The position of the inserted image. The image that will be inserted. Changes the format of the editable image. The new image format of the editable image. Applies the IImageOperation(s) to the current image in the order they appear in the operations collection. Collection of IImageOperation(s) to apply. Copy the containing Image information to a The stream, to which Image data will be saved Fixes a problem with the Gif file format support in the .NET framework. Disposes the EditableImage object. Gets a file from the FileSystem. The physicalPath of the file. The file stream. Replaces the current object of the EditableImage. The object to replace the existing Image with. Creates an identical object of the editable image. The cloned editable image. Checks whether the PixelFormat of an image is indexed or not and returns FALSE if it is indexed, and TRUE if it is NOT indexed. This method is used to determine which method will be used when creating new bitmaps, because the Graphics.FromImage method throws exceptions in some scenarios. http://msdn.microsoft.com/en-us/library/system.drawing.graphics.fromimage.aspx The image whose pixel format is checked. False if the PixelFormat is indexed, and True if it is NOT indexed. Gets the width of the image. Gets the height of the image. Gets the size of the image. (Pair of width and height of the image.) Gets the actual Bitmap that is being edited. Gets the format of the image being edited. Gets the ImageFormat of the image being edited. Gets a bool value that indicates whether the dispose method of the EditableImage has been called. A straight-forward implementation of the IGraphicsCore using GDI+ Defines the changes of the pixel opacity of the provided Image The original image being the base for the operation The level of opacity. Should be in the range [0-1]. The resultant image of the applied graphics method Resizes the original image by shrinking or expanding it by the provided dimensions The original image being the base for the operation The new dimensions of the image The resultant image of the applied graphics method Resize the image using a specific interpolation mode. The original image to resize. The new image size. The interpolation mode to use. All modes except NearestNeighbor will cause a small loss (1-2 px) of image data around the edges of the original image. The resized image. If the new size is identical to the original size, then the original image is returned. Flips the image content in the specified direction The original image being the base for the operation The direction of the flip change. The resultant image of the applied graphics method Rotates the image using the enumerated rotation. Currently only rectangular angles' are supported - 90°, 180°, 270° The original image being the base for the operation The rotation direction for the rotation method The resultant image of the applied graphics method Crops the provided image using the specified rectangular box The original image being the base for the operation The bounding box specifying the cropping area The resultant image of the applied graphics method Adds text to the image on the provided position. The original image being the base for the operation The top/left position relative to the original image. The definition of the test to insert, including the content itself The resultant image of the applied graphics method Insert another image within the original image at the specified location. The original image being the base for the operation The top/left coordinates relative to the original image. The image that should be inserted in the original image The resultant image of the applied graphics method Converts the image to the specified format. This change may degrade the quality of the image. The original image being the base for the operation The format of the resultant image The resultant image of the applied graphics method A factory for built-in graphics cores. Creates an instance of a graphics core based on the provided type. The possible types of graphics cores. The chosen graphics core Available built-in graphics cores Resize the image using a specific interpolation mode. The original image to resize. The new image size. The interpolation mode to use. All modes except NearestNeighbor will cause a small loss (1-2 px) of image data around the edges of the original image. The resized image. If the new size is identical to the original size, then the original image is returned. Data container that defines information text intertable in images The content of the image text The font family related to the image text The font size of the image text The color of the image text The available rotation directions Rotate 90° Rotate 180° Rotate 270° A special ImageEditorTool object, which is rendered as a separator by the default. Creates a tool separator. The ImageEditorSeparator is a separator. Parses the ToolsFileContent property of RadImageEditor and initializes the corresponding collections. Initializes the Tools collection from the ToolsFileContent property of RadImageEditor. Represents an ImageEditor dialog used for controlling the AddText functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Crop functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an empty ImageEditor dialog. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Zoom functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Resize functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Rotate functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Represents an ImageEditor dialog used for controlling the Flip functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. Telerik Notification control Shows the notification when the page is loaded on the client. It does not require that the control is updated after a partial postback in order to work. Shows the notification when the page is loaded on the client with the new text that is provided as an argument. The new text that will be shown in the notification. Can be an HTML string. It does not require that the control is updated after a partial postback in order to work. This text will not be persisted in the ViewState or after postbacks The prototype of the event handler for the callback update load-on-demand mechanism. Prepares the event arguments. The argument received by the handler is of type . Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the control content area. You cannot set this property twice, or when you added controls to the ContentContainer. If you set ContentTemplate, and properties will be ignored. Gets the context title menu. Gets the control, where the ContentTemplate will be instantiated in. Controls can be added programmatically here. You can use this property to programmatically add controls to the content area. If you add controls to the ContentContainer the Text and ContentIcon properties will be ignored. Gets or sets the web method name in the web service used to populate content. Gets or sets the path to the web service used to populate content. Gets or sets the request method for WCF Service used to populate content GET, POST, PUT, DELETE. Gets or sets a string value that indicates the virtual path of the WCF Service used to populate content. Gets or sets a string value that indicates the WCF Service method used to populate content. Gets or sets when the content should be loaded. Takes a member of the enum. Works together with and properties to control how and when new content will be loaded. Specifies the URL of the HTTPHandler that serves the notification sound The HTTPHandler should either be registered in the application configuration file, or a file with the specified name should exist at the location, which AudioHandlerUrl points to. If a file is to serve the files, it should inherit the class Telerik.Web.UI.WebResource Gets or sets when the interval after which the notification will automatically show (in milliseconds). The value is in milliseconds. Defaults to zero (disabled). Use together with and properties to control how and when new content will be loaded. The counter is reset when the notification shows, not when it hides. In order to make sure there is a certain interval between the hiding and subsequent showing the value of the must also be taken into account (considering is set to false to ensure that user activity will not interfere with this logic). Gets or sets when the interval (in milliseconds) after which the notification will automatically update the content. The value is in milliseconds and defaults to zero (disabled). Use together with and properties to control how and when new content will be loaded. Get/Set the delay after which the notification will hide if not explicitly closed. The value is in milliseconds and defaults to 3000. Setting the property to true causes this timer to pause when the mouse is over the control. Gets or sets a value indicating whether the notification has a visible titlebar. The default value is true. Gets or sets the title icon (built-in or URL for a custom one). The default value is info which is one of the built-in icons. It can also take an URL to a custom icon. The size of this icon is 16x16 pixels. The list of built-in icons is as follows: info delete deny edit ok warning none The built-in icons are not available when a custom skin is used for the control, because they are parts of the built-in skins. Gets or sets the content icon (built-in or URL for a custom one). The default value is info. The size of this icon is 32x32 pixels. The list of built-in icons is as follows: info delete deny edit ok warning none The built-in icons are not available when a custom skin is used for the control, because they are parts of the built-in skins. Also, if the ContentTemplate is used this icon will not be shown. Gets or sets the sound to be played on show (built-in or URL for a custom one). The default value is none. info warning ok Gets or sets whether the close [X] button should be visible The default value is true. Gets or sets the content of the close button tooltip The default value is Close Gets or sets whether the icon for the title menu should be visible The default value is true. Gets or sets the content of the the tooltip for the title menu button The default value is Menu Get/Set the top and left position of the notification relative to the browser Takes a member of the enumeration. BottomRight is the default one. Get/Set the animation effect of the notification Takes a member of the enumeration. None by default. Sets/gets the duration of the animation in milliseconds. 500 by default. Get/Set the notification's horizontal offset. Works in cooperation with the property. Get/Set the notification's vertical offset. Works in cooperation with the property. Gets or sets a value indicating whether the notification will open automatically when its parent [aspx] page is loaded on the client. The default value is false. Gets or sets a value indicating whether the notification will create an overlay element. The default value is false. The overlay is used to allow the popup to be displayed above heavy-weight objects like PDFs, Flash and Silverlight. Gets or sets a value indicating whether the notification is pinned (when true it does not scroll with the page). The default value is true. Get/Set the Width of the notification in pixels Get/Set the Height of the notification in pixels Get/Set the Text that will appear in the notification (if there is no ContentTemplate used). The control can display a proper HTML string as well. This is an easy way to add simple styling via a simple property. Get/Set the Text that will appear in the titlebar of the notification. Get/Set the an optional Value to pass. Can be used to pass arbitrary information especially in Load-on-demand scenarios. For example to the webservice, or from the CallbackUpdate method. Gets or sets a value indicating whether the notification should stay on the screen when hovered (autoclose is delayed until the mouse goes outside the popup). The default value is false. When set to true enables support for WAI-ARIA Gets or sets a value indicating whether the notification is enabled The default value is true. Gets or sets a value indicating whether the notification should have rounded corners The default value is false. The effect is achieved via CSS3 and is not available for older browsers (e.g. Internet Explorer 8, FireFox3). Gets or sets a value indicating whether the notification should have shadow The default value is false. The effect is achieved via CSS3 and is not available for older browsers (e.g. Internet Explorer 8, FireFox3). Get/Set overflow of the notification's content area Takes a member of the enumeration. Gets or sets a value indicating what should be the opacity of the notification. The value must be between 0 (transparent) and 100 (opaque). The default value is 100. Gets or sets a value indicating the name of the client-side event handler that is called before the RadNotification shows. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShowing client-side event handler is called before the RadNotification is shown. Two parameters are passed to the handler: sender, the RadNotification object. args. This event can be cancelled. The following example demonstrates how to use the OnClientShowing property.
<script type="text/javascript">
function OnClientShowing(sender, args)
{
var notification = sender;
}
</script>
<telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientShowing="OnClientShowing">
....
</telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called just after the RadNotification is shown. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientShown client-side event handler is called after the notification is shown Two parameters are passed to the handler: sender, the RadNotification object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientShown property.
<script type="text/javascript">
function OnClientShown(sender, args)
{
var notification = sender;
}
</script>
<telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientShown="OnClientShown">
....
</telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called when the RadNotification is to be hidden. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientHiding client-side event handler is called before the notification is hidden on the client. Two parameters are passed to the handler: sender, the notification client object; eventArgs The OnClientHiding event can be cancelled. To do so, set the cancel property to false from the event handler (e.g. eventArgs.set_cancel(true);). The following example demonstrates how to use the OnClientHiding property.
<script type="text/javascript">
function onClientShowingHandler(sender, eventArgs)
{
var shouldHide = confirm("Do you want to hide the notification?") eventArgs.set_cancel(!shouldHide);
}
</script>
<Telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientHiding="onClientHidingHandler">
....
</Telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called when the RadNotification is hidden. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientHidden client-side event handler is called after the notification is hidden on the client. Two parameters are passed to the handler: sender, the notification client object; eventArgs The following example demonstrates how to use the OnClientHidden property.
<script type="text/javascript">
function onClientHiddenHandler(sender, eventArgs)
{
var notification = sender;
}
</script>
<Telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientHidden="onClientHiddenHandler">
....
</Telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called when the content of RadNotification is to be updated. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientUpdating client-side event handler is called before the content of the notification is updated. Two parameters are passed to the handler: sender, the notification client object; eventArgs The OnClientUpdating event can be cancelled. To do so, set the cancel property to false from the event handler (e.g. eventArgs.set_cancel(true);). Cancelling it will prevent the new content from being populated in the notification, but will not prevent the request for the new data. The following example demonstrates how to use the OnClientUpdating property.
<script type="text/javascript">
function onClientUpdatingHandler(sender, eventArgs)
{
var shouldUpdate = confirm("Do you want to update the content of the notification?") eventArgs.set_cancel(!shouldUpdate);
}
</script>
<Telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientUpdating="onClientUpdatingHandler">
....
</Telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called when the content of RadNotification is updated. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientUpdated client-side event handler is called after the content of the notification is updated. Two parameters are passed to the handler: sender, the notification client object; eventArgs The following example demonstrates how to use the OnClientUpdated property.
<script type="text/javascript">
function onClientUpdatedHandler(sender, eventArgs)
{
var notification = sender;
}
</script>
<Telerik:RadNotification ID="RadNotification1"
runat= "server"
OnClientUpdated="onClientUpdatedHandler">
....
</Telerik:RadNotification>
Gets or sets a value indicating the name of the client-side event handler that is called when the call to the WebService or the callback is interrupted by an error. The server error is received as a browser alert() box. It can be avoided by calling the set_cancelErrorAlert(true) method of the event arguments object (the second parameter the event handler receives). This event is raised when content must be loaded on demand via a callback. The event handler delegate for the callback update mechanism. An object that can be cast to a RadNotification. It is the control that fired the event. The argument received by the handler is of type . The class that is the event arguments object for the event handler. Contructor for the class based on the property of the control. Passes the property of the notification to/from the handler for the load-on-demand mechanism. Represents a single ImageEditor tool. Creates an ImageEditor tool. Creates an ImageEditor tool with the specified command name. The CommandName of the tool. Creates an ImageEditor tool with the specified command name. The CommandName of the tool. The ShortCut of the tool. The ImageEditorTool should not be used as a tool separator. Gets or sets the name of the command fired when the tool is clicked. Gets or sets the text displayed in the tool. Gets or sets the ToolTip of the ImageEditor tool. Gets or sets the CSS class applied to the ImageEditor tool. Gets or sets the location of an image (icon) to display in the ImageEditor tool Gets or sets a value indicating whether this ImageEditor tool is enabled. Gets or sets a value indicating whether the ImageEditor tool can be toggled or not. Gets or sets the keyboard shortcut which will invoke the associated RadImageEditor command. Represents logical group of ImageEditorTool objects. Gets all tools inside the group. Finds the tool with the given name. Determines whether the group a tool with the specified name. Gets the children of the ImageEditorToolGroup. Represents an object used to manage the keyboard navigation of the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the TreeView of the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the ToolBar of the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the Grid of the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the Address of the FileExplorer control. Gets or sets the keyboard shortcut used to close the RadWindow that is opened to view/upload/delete/create a file in the FileExplorer control. Gets or sets the keyboard shortcut used to bring the focus to the Slider used for paging in the Grid of the FileExplorer control. Gets or sets the keyboard shortcut used to open the context menu. Gets or sets the keyboard shortcut used to navigate one view Back (if possible) of the FileExplorer control. Gets or sets the keyboard shortcut used to navigate one view Forward (if possible) of the FileExplorer control. Gets or sets the keyboard shortcut used to open the selected file or folder. Gets or sets the keyboard shortcut used to refresh the content of the FileExplorer. Gets or sets the keyboard shortcut used to create new folder in the FileExplorer. Gets or sets the keyboard shortcut used to delete the currently selected file or folder in the FileExplorer control. Gets or sets the keyboard shortcut used to upload a new file to the FileExplorer control. A context menu control used with the control. The menu could have title icon as target if ShowTitleMenu is set to true. A custom target could also be set. Checks whether the provided target ID is already added to the menu the target ID to be checked true if the target is already added Used to specify when content is loaded on demand in the notification. PageLoad by default. When the page is loaded. This is the default value. When the notification is shown for the first time. Every time the notification is shown. On a time interval specified via the property. Specifies the position of the notification according to the browser viewport. BottomRight by default The notification is in the top left corner of the viewport The notification is in the middle of the browser attached to the top The notification is in the top right corner of the viewport The notification is in the middle of the left side of the viewport attached to the left border The notification is in the center of the viewport The notification is in the middle of the right side of the viewport attached to the right border The notification is in the bottom left corner of the viewport The notification is in the middle of the browser attached to the bottom The notification is in the bottom right corner of the viewport Chooses the animation through which the notification becomes visible. None by default. No animation is used. Shows the notification with a size increase from 0 to the size set in its properties. Shows the notification with a change of the opacity from transparent to opaque. Slides the notification down from its titlebar. Shows the notification with a change of position from outside of the viewport to the position specified by its properties. Controls the scrolling of the notification's content element. Sets overflow to auto Sets overflow to hidden Sets overflow-x to scroll, overflow-y to hidden Sets overflow-x to hidden, overflow-y to scroll Sets overflow to scroll Does nothing, leaves the default browser behavior. Represents an ImageEditor dialog used for controlling the Opacity functionality of the control. Creates an instance of the class. The Skin of the parent ImageEditor control. The parent ImageEditor control to which the dialog control belongs. For internal use only. SchedulerPdfExportingEventArgs This Class defines the SchedulerPdfExportException. Container of misc. grouping settings of RadScheduler control A string specifying the name (without the extension) of the file that will be created. The file extension is automatically added based on the method that is used. Opens the exported Scheduler in a new instead of the same page. Gets the PDF. The PDF. Represents the paper size used when exporting to PDF. Represents the paper orientation used when exporting to PDF. Container of misc. grouping settings of RadScheduler control Gets or sets the creator. The creator. Gets or sets the producer. The producer. Gets or sets the author. The author. Gets or sets the title. The title. Gets or sets the subject. The subject. Gets or sets the page title. The page title. Gets or sets the comma delimited list of keywords. The keywords. Gets or sets the comma delimited list of stylesheets that RadScheduler will use when exporting to PDF. The stylesheets. Gets or sets the allow add. The allow add. Gets or sets the allow copy. The allow copy. Gets or sets the allow printing. The allow printing. Gets or sets the allow modify. The allow modify. Gets or sets whether paging is enabled. Gets or sets the physical paper orientation that RadScheduler will use when exporting to PDF. It will be overridden by setting PageWidth and PageHeight explicitly. Gets or sets the physical paper size that RadScheduler will use when exporting to PDF. It will be overridden by setting PageWidth and PageHeight explicitly. Gets or sets the page width that RadScheduler will use when exporting to PDF. This setting will override any predefined value that comes from the PaperSize property. Gets or sets the page height that RadScheduler will use when exporting to PDF. This setting will override any predefined value that comes from the PaperSize property. Gets or sets the page top margin. The page top margin. Gets or sets the page bottom margin. The page bottom margin. Gets or sets the page left margin. The page left margin. Gets or sets the page right margin. The page right margin. Gets or sets the page header margin. The page header margin. Gets or sets the page footer margin. The page footer margin. This property describes the different types of font embedding: Link, Embed and Subset. Possible values:
Link
The font program is referenced by name in the rendered PDF. Anyone who views a rendered PDF with a linked font program must have that font installed on their computer otherwise it will not display correctly.
Embed
The entire font program is embedded in the rendered PDF. Embedding the entire font program guarantees the PDF will display as intended by the author on all computers, however this method does possess several disadvantages:
  1. Font programs can be extremely large and will significantly increase the size of the rendered PDF. For example, the MS Gothic TrueType collection is 8MB!
  2. Certain font programs cannot be embedded due to license restrictions. If you attempt to embed a font program that disallows embedding, RadScheduler will substitute the font with a base 14 font and generate a warning message.
Subset (default value)
Subsetting a font will generate a new font that is embedded in the rendered PDF that contains only the chars referenced by RadScheduler. For example, if a particular RadScheduler utilised the Verdana font referencing only the character 'A', a subsetted font would be generated at run-time containing only the information necessary to render the character 'A'.

Subsetting provides the benefits of embedding and significantly reduces the size of the font program. However, small processing overhead is incurred to generated the subsetted font.
Gets or sets the user password.If you set a password, the exported document will be password protected. The user password. Gets or sets the default font family. The default font family. This Class defines the SchedulerStringArrayConverter that implements StringArrayConverter. For internal use Represents the method that handles the event of the control. Provides data for the event of the control. Initializes a new instance of the class. The commandName of the referenced button. The commandArgument of the referenced button. Gets or sets the commandName of the button in the control when the event is raised. The commandName of the referenced button in the control when the event is raised. Gets or sets the commandArgument of the referenced button in the control when the event is raised. The commandArgument of the referenced button in the control when the event is raised. Provides data for the event of the control. Initializes a new instance of the class. The text of the referenced item. The value of the referenced item. The dataItem object of the referenced item. Gets or sets the text of the referenced item in the control when the event is raised. The text of the referenced item in the control when the event is raised. Gets or sets the value of the referenced item in the control when the event is raised. The value of the referenced item in the control when the event is raised. Gets or sets the dataItem object of the referenced item in the control when the event is raised. The dataItem object of the referenced item in the control when the event is raised. Represents the method that handles the event of the control. For internal use Gets or sets the type. The type. Gets or sets the text of the item. The text of the item. Gets or sets the value of the item. The value of the item. Gets or sets the dataItem object of the item. The dataItem object of the item. Gets or sets the CommandName of the button. The CommandName of the button. Gets or sets the CommandArgument of the button. The CommandArgument of the button. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the Enabled. The Enabled. Gets or sets index of the currently selected SearchContextItem. The index of the currently selected SearchContextItem. For internal use only. This Class defines the DropDownItem that implements Control and INamingContainer and its fields, constructors and methods. This method should return object that implements ISearchBoxRenderer or Inherits the DropDownItemRenderer class. Gets or sets the data item. The data item. Gets or sets the Templated. The Templated. Represents the settings of the DropDown in a control. Gets or sets the width of the DropDown area. The width of the area. Gets or sets the height of the DropDown area. The height of the area. Gets or sets the css class of the dropdown. The dropdown CSS class. Gets or sets the HTML template of a drop down item when added on the client. Gets or sets the template for the items that appear in the dropdown. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets or sets the that defines the header template. The header template. Gets or sets the that defines the footer template. The footer template. Get a header of RadSearchBox. Get a footer of RadSearchBox. This enum specifies the position of the SearchBoxButton relative to the input field of the RadSearchBox. SearchBoxButton is positioned before the input. Left = 0 SearchBoxButton is positioned after the input. Right = 1 This enum specifies if the RadSearchBox Filter uses Contains or StartsWith functionality. Filter is set to Contains filtering mode. Contains = 0 Filter is set to StartsWith filtering mode. StartsWith = 1 For internal use only. For internal use only. This method marks the Parameter object so its state will be recorded in view state. Gets or sets the image's URL of a certain button. The URL to the image. The default value is empty string. Gets or sets the image element alt tag value. The value of the image alt tag. The default value is "image". Gets or sets the command name associated with the Button that is passed to the ButtonCommand event. Gets or sets an optional parameter passed to the ButtonCommand event along with the associated CommandName. Gets or sets a value indicating whether the should be positioned "Left" or "Right" from the input field of the control. RadSiteMap object This Class defines the RadSiteMap control. This UI component with its efficient semantic rendering gives you a lightning fast solution and highly optimized HTML output. With the ease of Telerik’s SiteMap for ASP.NET AJAX you can organize and list the pages on your web site, customize the layout, choose from a variety of appearance options and templates. Add value to your web site by optimizing it for crawler and search engines with no extra development effort. Defines properties that node containers (RadSiteMap, RadSiteMapNode) should implement. Gets the parent IRadSiteMapNodeContainer. Gets the collection of child items. A RadSiteMapNodeCollection that represents the child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. Raises the event. The instance containing the event data. Raises the event. The instance containing the event data. This methods clears the selected nodes of the current RadSiteMap instance. Gets a linear list of all nodes in the RadSiteMap control. An IList<RadSiteMapNode> containing all nodes (from all hierarchy levels). Gets a object that contains the root nodes of the current RadSiteMap control. A that contains the root nodes of the current RadSiteMap control. By default the collection is empty (RadSiteMap has no children). Use the nodes property to access the root nodes of the RadSiteMap control. You can also use the nodes property to manage the root nodes - you can add, remove or modify nodes. The following example demonstrates how to programmatically modify the properties of a root node. RadSiteMap1.Nodes[0].Text = "Example"; RadSiteMap1.Nodes[0].NavigateUrl = "http://www.example.com"; RadSiteMap1.Nodes(0).Text = "Example" RadSiteMap1.Nodes(0).NavigateUrl = "http://www.example.com" Gets a collection of RadSiteMapNode objects that represent the node in the control that is currently selected. Gets or sets the SiteMapLevelSetting object to be used when no specific settings have been defined for a given level. A SiteMapLevelSetting object. Individual levels can be customized using the LevelSettings collection. Levels not specified in this collection will get the default settings. Gets the collection of LevelSettings objects that define the appearance of the nodes according to their level in the hierarchy. A SiteMapLevelSettingCollection containing LevelSettings that define the appearance of the nodes according to their level in the hierarchy. Gets or sets a value indicating whether to render node lines in a fashion similar to RadTreeView. Node lines are supported in List rendering mode without columns. true if node lines should be rendered; false otherwise. The default value is false Gets a collection of objects that define the relationship between a data item and the tree node it is binding to. A that represents the relationship between a data item and the tree node it is binding to. Gets or sets a value indicating whether the html encoding will be applied when the site map items are rendered. By default RadSiteMap will not apply a html encoding when the site map items are rendered. Occurs when node is data bound. Use the NodeDataBound event to set additional properties of the databound nodes. protected void RadSiteMap1_NodeDataBound(object sender, RadSiteMapNodeEventArgs e) { e.Node.ToolTip = (string)DataBinder.Eval(e.Node.DataItem, "ToolTipColumn"); } Protected Sub RadSiteMap1_NodeDataBound(sender As Object, e As RadSiteMapNodeEventArgs) e.Node.ToolTip = DirectCast(DataBinder.Eval(e.Node.DataItem, "ToolTipColumn"), String) End Sub Occurs when node is created. The NodeCreated event occurs before and after postback if ViewState is enabled. NodeCreated is not raised for items defined inline in the ASPX. Occurs before template is being applied to the node. The TemplateNeeded event is raised before a template is been applied on the node, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for nodes which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the nodes. protected void RadSiteMap1_TemplateNeeded(object sender, Telerik.Web.UI.RadSiteMapNodeEventArgs e) { string value = e.Node.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Node); } } } Sub RadSiteMap1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadSiteMapNodeEventArgs) Handles RadSiteMap1.TemplateNeeded Dim value As String = e.Node.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Node) End If End If End Sub This Class defines the styles for ChildList object. This Class defines the styles for Node object. Represents the target control to which applies a skin. Returns a string value representing the Skin that should be applied to the passed skinnable control. An ISkinnableControl object to which the resolved skin would be applied. A string value representing the resolved Skin. Gets or sets a string value representing the server ID of the target control. Gets or sets a string value representing the skin which will be applied to the target control(s). Gets or sets a value indicating whether skinning should be enabled or not. Gets or sets a ControlTypeToApplySkin value representing the type of RadControls which will be targetted by the Skin setting. An enumeration listing all the RadControls to which RadSkinManager could apply skins. A collection of TargetControl instances. Adds a passed Target control reference to the collection. A TargetControl object to add to the collection. Adds a TargetControl with the provided string ID to the collection. A string representing the control ID. Adds a TargetControl with the provided string ID to the collection and sets it a Skin value. A string representing the control ID. A string representing the applied Skin. Adds a TargetControl with the provided string ID to the collection and sets it a Skin value. A string representing the control ID. A string representing the applied Skin. A boolean value indicating whether skinning should be enabled. Adds a TargetControl to the collection providing the type of RadControls that will be skinned along with a string value representing the Skin value. A ControlTypeToApplySkin value, representing the type of controls that will be skinned. A string representing the applied Skin. Returns a string value representing the skin to be applied to a given type of control. An ISkinnableControl to check the skin for. A string representing the resolved skin. the main class from which the button collections derive The button type - Adds the specified item. The item. Determines whether the collection contains the specified item. The item. true if the collection contains the specified item; otherwise, false. Copies the collection items to the specified array. Adds the specified items to the collection. Gets the index of the specified item. Inserts the specified item at the specified index. Removes the specified item. Removes the item at the specified index. The zero-based index of the item to remove. index is not a valid index in the . The is read-only.-or- The has a fixed size. Clears the collection of items Gets or sets the button at the specified index. Telerik Social Share control Get/Set orientation of the buttons. Horizontal by default. Get/Set the width of the social dialog popup. Get/Set the height of the social dialog popup. Get/Set the top of the social dialog. It is centered by default. Get/Set the left of the social dialog popup. It is centered by default. Get/Set the width of the social share control. Get/Set the height of the social share control. Get/Set the url to share. The default value is empty string which results in sharing the page on which the button resides. Get/Set the title of the shared message. The default value is an empty string which results in sharing the title of the current page or the url itself if there isn't a title. Get/Set whether IFRAMEs should be hidden while the compact popup or send email dialog is moved. The default value is true. Compact buttons collection. Main buttons collection. Get/set the web property ID for your Analytics account. Get/set the FacebookAppId of your Facebook application. Get/set the Application ID of the Yammer application related to the RadSocialShare buttons Email settings Get/set the name of the JavaScript function that is called when one of the Styled buttons is clicked. The event is raised before the event and it can be cancelled. Get/set the name of the JavaScript function that is called after one of the Styled buttons is clicked. The event is raised after the event and it cannot be cancelled. Get/set the name of the JavaScript function that is called when the Facebook Like standard button is clicked. Get/set the name of the JavaScript function that is called when the Facebook UnLike standard button is clicked. Get/set the name of the JavaScript function that is called when the Facebook Send standard button is clicked. Get/set the name of the JavaScript function that is called when the Tweet standard button is clicked. Get/set the name of the JavaScript function that is called when the LinkedIn standard button is clicked. Get/set the name of the JavaScript function that is called when the GooglePlus standard button is clicked for approval. Get/set the name of the JavaScript function that is called when the GooglePlus standard button is clicked for disapproval. The class that is used to set the e-mail settings for the SendEmail button. Get/Set the email address which sends the mail message. Get/Set the SMTP server. Get/Set the user name for network credentials. Get/Set the password for network credentials. Specifies the type (network) of the Styled button. Creates a styled button to share on Google Bookmarks. Numeric value is 6. Creates a styled button to share on Twitter. Numeric value is 7. Creates a styled button to share on LinkedIn Numeric value is 8. Creates a styled button to share on Delicious. Numeric value is 9. Creates a styled button to share on Blogger. Numeric value is 10. Creates a styled button to share on Digg. Numeric value is 11. Creates a styled button to share on Reddit. Numeric value is 12. Creates a styled button to share on StumbleUpon. Numeric value is 13. Creates a styled button to share on MySpace. Numeric value is 14. Creates a styled button to share on Tumblr. Numeric value is 15. Creates a styled button to share on Facebook. Numeric value is 16. Creates a styled button to open the user's default mail agent to send an e-mail. Numeric value is 17. Creates a styled button to open the SendEmail popup. Its functionality requires a properly configured SMTP server. Numeric value is 18. Defines a button related to the Yammer network Utilized for the button for sharing to the Yammer network Defines a button related to the Pinterest network Creates a styled button for the Pinterest network Creates a styled button for the Google Plus network Specifies the ButtonType of the Facebook standard button. If both a FacebookLike and FacebookSend buttons are present in the collection Facebook automatically combines them in a new, bigger button even if they are not adjacent. Creates a Share button Numeric value is 0 Creates a Like button Numeric value is 1 Creates a Send button Numeric value is 2 Creates a Recommend button Numeric value is 3 Specifies the ButtonLayout of the Facebook Standard button. ButtonCount by default. Displays social text to the right of the button and friends' profile photos below. Numeric value is 0 Specific for the Share button - renders it as images only. Numeric value is 1 Specific for the Share button - renders it as a small image and text. Numeric value is 2 Displays the total number of likes above the button. Numeric value is 3 Displays the total number of likes to the right of the button. Numeric value is 4 The color scheme for the Facebook Like button. Lighter hue. Numeric value is 0 Darker hue. Numeric value is 0 The font to display in the Facebook button. Arial Lucia Grande Segue UI Tahoma Trebuchet MS Verdana The position of the counter for the Twitter Standard button. The counter is shown next to the button. Numeric value is 0 The coutner is shown above the button. Numeric value is 0 No counter is shown. Numeric value is 0 Controls the size and annotation type (in combination with the AnnotationType property) for the Google PlusOne Standard button. Small button. Numeric value is 0 Average button. Numeric value is 1 Normal size. Numeric value is 2 Taller button. Numeric value is 3 Controls the annotation type for the Google PlusOne Standard button. Depends on the size of the button. Displays number and profile pictures of the users. Numeric value is 0 Displays the number of users to the right or above the button (depending on its size) Numeric value is 0 Not additional annotations are rendered. Numeric value is 0 Determines the way counters are displayed for the LinkedIn Standard button. The counter is next to the button. Numeric value is 0 The counter is above the button. Numeric value is 1 No counter is shown. Numeric value is 2 Defines the action button types for the Yammer social network Like button is used to like the respective page and send it as an activity story Follow button is used to create a following association between the user and the object/page Defines the position of the counter for the Pinterest Standard button. The counter is shown next to the button. Numeric value is 0 The coutner is shown above the button. Numeric value is 0 No counter is shown. Numeric value is 0 Defines the action button types for the Pinterest social network PinIt button is used to share an image PinPageImage allows the user to choose which image to pin from all images on the current page Follow button opens a person's profile The class for creating a Facebook Standard button. Get/Set the type of the button. Takes a member of the enum. Get/Set whether profile pictures should be displayed. Get/Set the button layout. Takes a mmeber of the enum. Get/Set the color scheme of the button. Takes a member of the enum. Get/Set the width of the button - used when annotation is displayed. Get/Set the font for the button. Get/Set the label for referrals. For internal use Provides data for the event of the control. Provides data for the events of the RadTabStrip control. Initializes a new instance of the RadTabStripEventArgs class. A RadTab which represents a tab in the RadTabStrip control. Gets the referenced tab in the RadTabStrip control when the event is raised. The referenced tab in the RadTabStrip control when the event is raised. Use this property to programmatically access the tab referenced in the RadTabStrip control when the event is raised. Gets or sets the offset. The offset. Represents the method that handles the event of the control. A navigation control used to create tabbed interfaces. The RadTabStrip control is used to display a list of tabs in a Web Forms page and is often used in combination with a RadMultiPage control for building tabbed interfaces. The RadTabStrip control supports the following features: Databinding that allows the control to be populated from various datasources Programmatic access to the RadTabStrip object model which allows to dynamic creation of tabstrips, populate h tabs, set properties. Customizable appearance through built-in or user-defined skins.

Tabs

The RadTabStrip control is made up of tree of tabs represented by RadTab objects. Tabs at the top level (level 0) are called root tabs. A tab that has a parent tab is called a child tab. All root tabs are stored in the Tabs collection. Child tabs are stored in a parent tab's Tabs collection. Each tab has a Text and a Value property. The value of the Text property is displayed in the RadTabStrip control, while the Value property is used to store any additional data about the tab, such as data passed to the postback event associated with the tab. When clicked, a tab can navigate to another Web page indicated by the NavigateUrl property.
Telerik RadTabStrip is a flexible navigation component for use in ASP.NET applications. Telerik RadMultiPage is a related control that you can use with RadTabStrip to manage the content of pages that are selected using RadTabStrip.
Defines properties that tab containers (RadTabStrip, RadTab) should implement. Gets the parent IRadTabContainer. Gets the collection of child tabs. A RadTabCollection which represents the child tabs of the IRadTabContainer. Gets or sets the index of the selected child tab. The zero based index of the selected tab. The default value is -1 (no child tab is selected). Use the SelectedIndex property to programmatically specify the selected child tab in a IRadTabContainer (RadTabStrip or RadTab). To clear the selection set the SelectedIndex property to -1. Gets the selected child tab. Returns the child tab which is currently selected. If no tab is selected (the SelectedIndex property is -1) the SelectedTab property will return null (Nothing in VB.NET). Gets or sets a value indicating whether the children of the tab will be scrollable. true if the child tabs will be scrolled; otherwise false. The default value is false. Gets or sets a value indicating whether the tabstrip should scroll directly to the next tab. true if the tabstrip should scroll to the next (or previous) tab; otherwise false. The default value is false. The position of the scroll buttons with regards to the tab band. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. One of the TabStripScrollButtonsPosition enumeration values. The default value is Right. Gets or sets the position of the scrollable band of tabs relative to the beginning of the scrolling area. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. An integer specifying the initial scrolling position (measured in pixels). The default value is 0 (no offset from the default scrolling position). Use negative values to move the tabs to the left. Initializes a new instance of the RadTabStrip class. Use this constructor to create and initialize a new instance of the RadTabStrip control. The following example demonstrates how to programmatically create a RadTabStrip control. void Page_Load(object sender, EventArgs e) { RadTabStrip RadTabStrip1 = new RadTabStrip(); RadTabStrip1.ID = "RadTabStrip1"; if (!Page.IsPostBack) { //RadTabStrip persist its tab in ViewState (if EnableViewState is true). //Hence tabs should be created only on initial load. RadTab sportTab = new RadTab("Sport"); RadTabStrip1.Tabs.Add(sportTab); RadTab newsTab = new RadTab("News"); RadTabStrip1.Tabs.Add(newsTab); } PlaceHolder1.Controls.Add(RadTabStrip1); } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load Dim RadTabStrip1 As RadTabStrip = New RadTabStrip() RadTabStrip1.ID = "RadTabStrip1" If Not Page.IsPostBack Then 'RadTabStrip persist its tab in ViewState (if EnableViewState is true). 'Hence tabs should be created only on initial load. Dim sportTab As RadTab = New RadTab("Sport") RadTabStrip1.Tabs.Add(sportTab) Dim newsTab As RadTab = New RadTab("News") RadTabStrip1.Tabs.Add(newsTab) End If PlaceHolder1.Controls.Add(RadTabStrip1) End Sub Populates the RadTabStrip control from external XML file. The newly added items will be appended after any existing ones. The following example demonstrates how to populate RadTabStrip control from XML file. private void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadTabStrip1.LoadContentFile("~/Data.xml"); } } Private Sub Page_Load(sender As Object, e As EventArgs) Handles MyBase.Load If Not Page.IsPostBack Then RadTabStrip1.LoadContentFile("~/Data.xml") End If End Sub The name of the XML file. Gets a linear list of all tabs in the RadTabStrip control. An IList object containing all tabs in the current RadTabStrip control. Searches the RadTabStrip control for the first RadTab whose NavigateUrl property is equal to the specified value. A RadTab whose NavigateUrl property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The URL to search for. Searches the RadTabStrip control for the first RadTab whose Value property is equal to the specified value. A RadTab whose Value property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadTabStrip control for the first RadTab whose Value property is equal to the specified value. A RadTab whose Value property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadTabStrip control for the first RadTab whose Text property is equal to the specified value. A RadTab whose Text property is equal to the specified value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadTabStrip control for the first RadTab whose Text property is equal to the specified value. A RadTab whose Text property is equal to the specified value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the first RadTab that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindTab method. void Page_Load(object sender, EventArgs e) { RadTabStrip1.FindTab(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadTab tab) { if (tab.Text == tab.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadTabStrip1.FindTab(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal tab As RadTab) As Boolean If tab.Text = tab.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Gets a list of all client-side changes (adding a tab, removing a tab, changing a tab's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new tab removing existing tab clearing the children of a tab or the control itself changing a property of the tab The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadTab> operation in RadTabStrip1.ClientChanges) { RadTab tab = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //An tab has been inserted - operation.Item contains the inserted tab break; case ClientOperationType.Remove: //An tab has been inserted - operation.Item contains the removed tab. //Keep in mind the tab has been removed from the tabstrip. break; case ClientOperationType.Update: UpdateClientOperation<RadTab> update = operation as UpdateClientOperation<RadTab> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of have been removed - operation.Item contains the parent tab whose children have been removed. If operation.Item is null then the root tabs have been removed. break; } } For Each operation As ClientOperation(Of RadTab) In RadTabStrip1.ClientChanges Dim tab As RadTab = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'A tab has been inserted - operation.Item contains the inserted tab Exit Select Case ClientOperationType.Remove 'A tab has been inserted - operation.Item contains the removed tab. 'Keep in mind the tab has been removed from the tabstrip. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadTab) = TryCast(operation, UpdateClientOperation(Of RadTab)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear 'All children of have been removed - operation.Item contains the parent tab whose children have been removed. If operation.Item is Nothing then the root tabs have been removed. Exist Select End Select Next Gets or sets a value indicating whether the immediate children of the RadTabStrip control will be scrollable. true if the child tabs will be scrollable; otherwise false. The default value is false. The position of the scroll buttons with regards to the tab band. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. One of the TabStripScrollButtonsPosition enumeration values. The default value is Right. Gets or sets the position of the scrollable band of tabs relative to the beginning of the scrolling area. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. An integer specifying the initial scrolling position (measured in pixels). The default value is 0 (no offset from the default scrolling position). Use negative values to move the tabs to the left. Gets or sets a value indicating whether the tabstrip should scroll directly to the next tab. true if the tabstrip should scroll to the next (or previous) tab; otherwise false. The default value is false. By default tabs are scrolled smoothly. If you want the tabstrip to scroll directly to the next (or previous) tab set this property to true. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. Gets or sets the index of the selected child tab. The zero based index of the selected tab. The default value is -1 (no child tab is selected). Use the SelectedIndex property to programmatically specify the selected child tab in a IRadTabContainer (RadTabStrip or RadTab). To clear the selection set the SelectedIndex property to -1. The following example demonstrates how to programmatically select a tab by using the SelectedIndex property. void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadTab newsTab = new RadTab("News"); RadTabStrip1.Tabs.Add(newsTab); RadTabStrip1.SelectedIndex = 0; //This will select the "News" tab RadTab cnnTab = new RadTab("CNN"); newsTab.Tabs.Add(cnnTab); RadTab nbcTab = new RadTab("NBC"); newsTab.Tabs.Add(nbcTab); newsTab.SelectedIndex = 1; //This will select the "NBC" child tab of the "News" tab } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Not Page.IsPostBack Then Dim newsTab As RadTab = New RadTab("News") RadTabStrip1.Tabs.Add(newsTab) RadTabStrip1.SelectedIndex = 0 'This will select the "News" tab Dim cnnTab As RadTab = New RadTab("CNN") newsTab.Tabs.Add(cnnTab) Dim nbcTab As RadTab = New RadTab("NBC") newsTab.Tabs.Add(nbcTab) newsTab.SelectedIndex = 1 'This will select the "NBC" child tab of the "News" tab End If End Sub Gets the selected child tab. Returns the child tab which is currently selected. If no tab is selected (the SelectedIndex property is -1) the SelectedTab property will return null (Nothing in VB.NET). Gets a RadTabCollection object that contains the root tabs of the current RadTabStrip control. A RadTabCollection that contains the root tabs of the current RadTabStrip control. By default the collection is empty (RadTabStrip has no children). Use the Tabs property to access the child tabs of RadTabStrip. You can also use the Tabs property to manage the root tabs. You can add, remove or modify tabs from the Tabs collection. The following example demonstrates how to programmatically modify the properties of root tabs. RadTabStrip1.Tabs[0].Text = "Example"; RadTabStrip1.Tabs[0].NavigateUrl = "http://www.example.com"; RadTabStrip1.Tabs(0).Text = "Example" RadTabStrip1.Tabs(0).NavigateUrl = "http://www.example.com" Gets or sets the template for displaying all tabs in the control. An object implementing the ITemplateThe default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify unique display for specific tabs use the property of the class. The following example demonstrates how to customize the appearance of all tabs <telerik:RadTabStrip runat="server" ID="RadTabStrip1"> <TabTemplate> <%# DataBinder.Eval(Container, "Text") %> <img style="margin-left: 10px" src="Images/delete.gif" alt="delete"/> </TabTemplate> <Tabs> <telerik:RadTab Text="Products"> </telerik:RadTab> <telerik:RadTab Text="Services"> </telerik:RadTab> <telerik:RadTab Text="Corporate"> </telerik:RadTab> </Tabs> </telerik:RadTabStrip> protected void Page_Load(object sender, System.EventArgs e) { if (!Page.IsPostBack) { //Required to evaluate the databinding expressions inside the template (<%# DataBinder.Eval)%> RadTabStrip1.DataBind(); } } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load If Not Page.IsPostBack Then RadTabStrip1.DataBind() End If End Sub Gets or sets a value indicating whether tabs should postback when clicked. True if tabs should postback; otherwise false. The default value is false. RadTabStrip will postback provided one of the following conditions is met: The AutoPostBack property is set to true. The user has subscribed to the TabClick event. Gets or sets a value indicating whether reording with dragging should be enabled. true reordering is enabled; otherwise false. The default value is false. When set to true enables support for WAI-ARIA Gets a collection of objects that define the relationship between a data item and the tab it is binding to. Gets or sets a value that indicates whether child tabs are cleared before data binding. The AppendDataBoundTabs property allows you to add items to the RadTabStrp control before data binding occurs. After data binding, the items collection contains both the items from the data source and the previously added items. The value of this property is stored in view state. True if child tabs should not be cleared before databinding; otherwise false. The default value is false (child items will be cleared before databinding). Gets or sets the maximum number of levels to bind to the RadTabStrip control. The maximum number of levels to bind to the RadTabStrip control. The default is -1, which binds all the levels in the data source to the control. When binding the RadTabStrip control to a data source, use the MaxDataBindDepth property to limit the number of levels to bind to the control. For example, setting this property to 2 binds only the root tabs and their immediate children. All remaining records in the data source are ignored. Gets or sets the field of the data source that provides the text content of the tabs. A string that specifies the field of the data source that provides the text content of the tabs. The default value is empty string. Use the DataTextField property to specify the field of the data source (in most cases the name of the database column) which provides values for the Text property of databound tabs. The DataTextField property is taken into account only during data binding. The following example demonstrates how to use the DataTextField. DataTable data = new DataTable(); data.Columns.Add("MyText"); data.Rows.Add(new object[] {"Tab Text 1"}); data.Rows.Add(new object[] {"Tab Text 2"}); RadTabStrip1.DataSource = data; RadTabStrip1.DataTextField = "MyText"; //"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataBind(); Dim data As new DataTable(); data.Columns.Add("MyText") data.Rows.Add(New Object() {"Tab Text 1"}) data.Rows.Add(New Object() {"Tab Text 2"}) RadTabStrip1.DataSource = data RadTabStrip1.DataTextField = "MyText" '"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataBind() Gets or sets the field of the data source that provides the value of the tabs. A string that specifies the field of the data source that provides the value of the tabs. The default value is empty string. Use the DataValueField property to specify the field of the data source (in most cases the name of the database column) which provides the values for the Value property of databound tabs. The DataValueField property is taken into account only during data binding. If the DataValueField property is not set the Value property of databound tabs will have its default value - empty string. The following example demonstrates how to use the DataValueField. DataTable data = new DataTable(); data.Columns.Add("MyText"); data.Columns.Add("MyValue"); data.Rows.Add(new object[] {"Tab Text 1", "Tab Value 1"}); data.Rows.Add(new object[] {"Tab Text 2", "Tab Value 2"}); RadTabStrip1.DataSource = data; RadTabStrip1.DataTextField = "MyText"; //"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataValueField = "MyValue"; //"MyValue" column provides values for the Value property of databound tabs RadTabStrip1.DataBind(); Dim data As new DataTable(); data.Columns.Add("MyText") data.Columns.Add("MyValue") data.Rows.Add(New Object() {"Tab Text 1", "Tab Value 1"}) data.Rows.Add(New Object() {"Tab Text 2", "Tab Value 2"}) RadTabStrip1.DataSource = data RadTabStrip1.DataTextField = "MyText" '"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataValueField = "MyValue" '"MyValue" column provides values for the Value property of databound tabs RadTabStrip1.DataBind() Gets or sets the field of the data source that provides the URL to which tabs navigate. A string that specifies the field of the data source that provides the URL to which tabs will navigate. The default value is empty string. Use the DataNavigateUrlField property to specify the field of the data source (in most cases the name of the database column) which provides the values for the NavigateUrl property of databound tabs. The DataNavigateUrlField property is taken into account only during data binding. If the DataNavigateUrlField property is not set the NavigateUrl property of databound tabs will have its default value - empty string. The following example demonstrates how to use the DataNavigateUrlField. DataTable data = new DataTable(); data.Columns.Add("MyText"); data.Columns.Add("MyUrl"); data.Rows.Add(new object[] {"Tab Text 1", "http://www.example.com/page1.aspx"}); data.Rows.Add(new object[] {"Tab Text 2", "http://www.example.com/page2.aspx"}); RadTabStrip1.DataSource = data; RadTabStrip1.DataTextField = "MyText"; //"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataNavigateUrlField = "MyUrl"; //"MyUrl" column provides values for the NavigateUrl property of databound tabs RadTabStrip1.DataBind(); Dim data As new DataTable(); data.Columns.Add("MyText") data.Columns.Add("MyUrl") data.Rows.Add(New Object() {"Tab Text 1", "http://www.example.com/page1.aspx"}) data.Rows.Add(New Object() {"Tab Text 2", "http://www.example.com/page2.aspx"}) RadTabStrip1.DataSource = data RadTabStrip1.DataTextField = "MyText" '"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataValueField = "MyUrl" '"MyUrl" column provides values for the NavigateUrl property of databound tabs RadTabStrip1.DataBind() Gets or sets the field from the data source which is the "child" column in the "parent-child" relationship used to databind the RadTabStrip control. A string that specifies the field of the data source that will be the "child" column during databinding. The default is empty string. RadTabStrip requires both DataFieldID and DataFieldParentID properties to be set in order to be hierarchically databound. The following example demonstrates how to use DataFieldID and DataFieldParentID. DataTable data = new DataTable(); data.Columns.Add("MyText"); data.Columns.Add("MyID", typeof(int)); data.Columns.Add("MyParentID", typeof(int)); data.Rows.Add(new object[] {"Root Tab 1", 1, null}); data.Rows.Add(new object[] {"Child Tab 1.1", 3, 1}); data.Rows.Add(new object[] {"Root Tab 2", 2, null}); data.Rows.Add(new object[] {"Child Tab 2.1", 4, 2}); RadTabStrip1.DataSource = data; RadTabStrip1.DataTextField = "MyText"; //"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataFieldID = "MyID"; //"MyID" column provides values for the "child" column in the relation. RadTabStrip1.DataFieldParentID = "MyParentID"; //"MyParentID" column provides values for the "parent" column in the relation. RadTabStrip1.DataBind(); Dim data As New DataTable() data.Columns.Add("MyText") data.Columns.Add("MyID", GetType(Integer)) data.Columns.Add("MyParentID", GetType(Integer)) data.Rows.Add(New Object() {"Root Tab 1", 1, Nothing}) data.Rows.Add(New Object() {"Child Tab 1.1", 3, 1}) data.Rows.Add(New Object() {"Root Tab 2", 2, Nothing}) data.Rows.Add(New Object() {"Child Tab 2.1", 4, 2}) RadTabStrip1.DataSource = data RadTabStrip1.DataTextField = "MyText" '"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataFieldID = "MyID" '"MyID" column provides values for the "child" column in the relation. RadTabStrip1.DataFieldParentID = "MyParentID" '"MyParentID" column provides values for the "parent" column in the relation. RadTabStrip1.DataBind() Gets or sets the field from the data source which is the "parent" column in the "parent-child" relationship used to databind the RadTabStrip control. A string that specifies the field of the data source that will be the "parent" column during databinding. The default is empty string. RadTabStrip requires both DataFieldID and DataFieldParentID properties to be set in order to be hierarchically databound. The value of the column specified by DataFieldParentID must be null (Nothing) for root tabs. This is a requirement for databinding RadTabStrip. The following example demonstrates how to use DataFieldID and DataFieldParentID. DataTable data = new DataTable(); data.Columns.Add("MyText"); data.Columns.Add("MyID", typeof(int)); data.Columns.Add("MyParentID", typeof(int)); data.Rows.Add(new object[] {"Root Tab 1", 1, null}); data.Rows.Add(new object[] {"Child Tab 1.1", 3, 1}); data.Rows.Add(new object[] {"Root Tab 2", 2, null}); data.Rows.Add(new object[] {"Child Tab 2.1", 4, 2}); RadTabStrip1.DataSource = data; RadTabStrip1.DataTextField = "MyText"; //"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataFieldID = "MyID"; //"MyID" column provides values for the "child" column in the relation. RadTabStrip1.DataFieldParentID = "MyParentID"; //"MyParentID" column provides values for the "parent" column in the relation. RadTabStrip1.DataBind(); Dim data As New DataTable() data.Columns.Add("MyText") data.Columns.Add("MyID", GetType(Integer)) data.Columns.Add("MyParentID", GetType(Integer)) data.Rows.Add(New Object() {"Root Tab 1", 1, Nothing}) data.Rows.Add(New Object() {"Child Tab 1.1", 3, 1}) data.Rows.Add(New Object() {"Root Tab 2", 2, Nothing}) data.Rows.Add(New Object() {"Child Tab 2.1", 4, 2}) RadTabStrip1.DataSource = data RadTabStrip1.DataTextField = "MyText" '"MyText" column provides values for the Text property of databound tabs RadTabStrip1.DataFieldID = "MyID" '"MyID" column provides values for the "child" column in the relation. RadTabStrip1.DataFieldParentID = "MyParentID" '"MyParentID" column provides values for the "parent" column in the relation. RadTabStrip1.DataBind() Gets or sets the formatting string used to control how text to the tabstrip control is displayed. Use the DataTextFormatString property to provide a custom display format for text of the tabs. The data format string consists of two parts, separated by a colon, in the form { A: Bxx }. For example, the formatting string {0:F2} would display a fixed point number with two decimal places. The entire string must be enclosed in braces to indicate that it is a format string and not a literal string. Any text outside the braces is displayed as literal text. The value before the colon (A in the general example) specifies the parameter index in a zero-based list of parameters. This value can only be set to 0. Gets the innermost selected tab in a hierarchical RadTabStrip control. In hierarchical tabstrips this property returns the innermost selected tab. Returns the inner most selected child tab in hierarchical tabstrip scenarios. Null (Nothing in VB.NET) if no tab is selected. Gets or sets the name of the validation group to which this validation control belongs. The name of the validation group to which this validation control belongs. The default is an empty string (""), which indicates that this property is not set. This property works only when CausesValidation is set to true. Gets or sets the URL of the page to post to from the current page when a tab from the tabstrip is clicked. The URL of the Web page to post to from the current page when a tab from the tabstrip control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets or sets the ID of the RadMultiPage control that will be controlled by the current RadTabStrip control. You should use different value depending on the following conditions: Use the ID property of the RadMuitiPage control if the RadMultiPage control is in the same INamingContainer (user control, page, content page, master page) as the current RadTabStrip control. Use the UniqueID property of the RadMuitiPage control if the RadMultiPage control is in a different INamingContainer (user control, page, content page, master page) than the current RadTabStrip control. The ID of the associated RadMultiPage. The default value is empty string. The following example demonstrates how to associate a RadMultiPage control with a RadTabStrip control through the MultiPageID property. <telerik:RadTabStrip id="RadTabStrip1" runat="server" MultiPageID="RadMultiPage1">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>

<telerik:RadMultiPage id="RadMultiPage1" runat="server">
.....
</telerik:RadMultiPage>
Gets the associated RadMultiPage control if the MultiPageID property is set. The RadMultiPage control associated with the current RadTabStrip control. Will return null (Nothing in VB.NET) if the MultiPageID is not set or a corresponding RadMultiPage control cannot be found Gets or sets a value indicating whether the tabstrip should postback when the user clicks the currently selected tab. True if the tabstrip should postback when the user clicks the currently selected tab; otherwise false. The default value is false. Gets or sets a value indicating the orientation of child tabs within the RadTabStrip control. One of the TabStripOrientation values. The default value is HorizontalTopToBottom. Gets or sets the alignment of the tabs in the RadTabStrip control. One of the TabStripAlign enumeration values. The default value is Left. Gets or sets a value indicating whether the row of the selected tab should move to the bottom. true if the row containing the selected tab should be moved to the bottom; otherwise false. The default value is false. Use the ReorderTabsOnSelect property to mimic the behavior of the Windows tabstrip control. Shows or hides the image at the base of the first level of tabs. true if line is visible; otherwise, false. The default value is false. Controls whether the subitems of the tabstrip will have different styles than the main items. true if styling should be different; otherwise, false. The default value is false. Gets or sets a value determining whether child tabs are unselected when a parent tab is unselected. true if child tabs are unselected when a parent tab is unselected. false if the tabs persist their state even when hidden. The default value is false. Gets or sets a value indicating whether validation is performed when a tab within the RadTabStrip control is selected. true if validation is performed when a tab is selected; otherwise, false. The default value is true. By default, page validation is performed when a tab is selected. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. You can specify or determine whether validation is performed on both the client and the server when a tab is clicked by using the CausesValidation property. To prevent validation from being performed, set the CausesValidation property to false. Gets the object that controls the Wai-Aria settings applied on the control's element. Gets or sets a value indicating the client-side event handler that is called after selecting a tab. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientTabSelected property to specify a JavaScript function that will be executed after a tab is selected - either by left-clicking it with a mouse or hitting enter after tabbing to that tab. Two parameters are passed to the handler sender (the client-side RadTabStrip object) eventArgs with one property
  • tab - the instance of the selected tab
The following example demonstrates how to use the OnClientTabSelected property. <script language="javascript">
function ClientTabSelectedHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();

alert("You have selected the " + tab.get_text() + " tab in the " + tabStrip.get_id() + "tabstrip.");
}
</script>
<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientTabSelected="ClientTabSelectedHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called before the browser context menu shows (after right-clicking an item). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientContextMenu property to specify a JavaScript function that will be executed before the context menu shows after right clicking a tab. Two parameters are passed to the handler sender (the client-side RadTabStrip object) eventArgs with two properties
  • tab - the instance of the selected tab
  • domEvent - the browser DOM event
The following example demonstrates how to use the OnClientContextMenu property. <script language="javascript">
function OnContextMenuHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();

alert("You have right-clicked the " + tab.get_text() + " tab in the " + tabStrip.get_id() + "tabstrip.");
}
</script>
<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientContextMenu="OnContextMenuHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called when the user double-clicks a tab. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientDoubleClick property to specify a JavaScript function that will be executed when the user double-clicks a tab. Two parameters are passed to the handler sender (the client-side RadTabStrip object) eventArgs with two properties
  • tab - the instance of the selected tab
  • domEvent - the browser DOM event
The following example demonstrates how to use the OnClientDoubleClick property. <script language="javascript">
function OnDoubleClickHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();

alert("You have double-clicked the " + tab.get_text() + " tab in the " + tabStrip.get_id() + "tabstrip.");
}
</script>
<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientDoubleClick="OnDoubleClickHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called just prior to selecting a tab. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientTabSelecting property to specify a JavaScript function that will be executed prior to tab selecting - either by left-clicking it with a mouse or hitting enter after tabbing to that tab. You can cancel that event (prevent tab selecting) by seting the cancel property of the event argument to true. Two parameters are passed to the handler sender (the client-side RadTabStrip object) eventArgs with one property
  • tab - the instance of the selected tab
  • cancel - whether to cancel the event
The following example demonstrates how to use the OnClientTabSelecting property. <script language="javascript">
function ClientTabSelectingHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();

alert("You will be selecting the " + tab.get_text() + " tab in the " + tabStrip.get_id() + " tabstrip.");

if (tab.Text == "Education")
{
alert("Education cannot be selected");
eventArgs.set_cancel(true);
}
}
</script>

<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientTabSelecting="ClientTabSelectedHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called when the mouse hovers a tab in the RadTabStrip control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMouseOver property to specify a JavaScript function that is called when the user hovers a tab with the mouse. Two parameters are passed to the handler: sender (the client-side RadTabStrip object); eventArgs with two properties
  • tab - the instance of the tab that is being hovered
  • domEvent - the instance of the browser event.
The following example demonstrates how to use the OnClientMouseOver property. <script language="javascript">
function ClientMouseOverHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();
var domEvent = eventArgs.get_domEvent();

alert("You have just moved over the " + tab.get_text() + " tabs in the " + tabStrip.get_id() + " tabstrip");
alert("Mouse coordinates: " + domEvent.clientX + ":" + domEvent.clientY);
}
</script>

<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientMouseOver="ClientMouseOverHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called when the mouse leaves a tab in the RadTabStrip control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMouseOut property to specify a JavaScript function that is executed whenever the user moves the mouse away from a particular tab in the RadTabStrip control. Two parameters are passed to the handler: sender (the client-side RadTabStrip object); eventArgs with two properties:
  • tab - the instance of the tab we are moving away from;
  • domEvent - the instance of the browser event.
The following example demonstrates how to use the OnClientMouseOut property. <script language="javascript">
function ClientMouseOutHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.Tab;
var domEvent = eventArgs.get_domEvent();
alert("You have just moved out of " + tab.get_text() + " in the " + tabStrip.get_id() + " tabstrip.");
alert("Mouse coordinates: " + domEvent.clientX + ":" + domEvent.clientY);
}
</script>

<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientMouseOut="ClientMouseOutHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets a value indicating the client-side event handler that is called after a tab is unselected (i.e. the user has selected another tab). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientTabUnSelected property to specify a JavaScript function that is executed after a tab is unselected. Two parameters are passed to the handler: sender (the client-side RadTabStrip object); eventArgs with one property:
  • tab - the instance of the tab which is unselected;
The following example demonstrates how to use the OnClientMouseOut property. <script language="javascript">
function ClientTabUnSelectedHandler(sender, eventArgs)
{
var tabStrip = sender;
var tab = eventArgs.get_tab();

alert("You have unselected the " + tab.get_text() + " tab in the " + tabStrip.get_id() + "tabstrip.");
}
</script>

<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientTabUnSelected="ClientTabUnSelectedHandler">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets the name of the javascript function called when the control is fully initialized on the client side. A string specifying the name of the javascript function called when the control is fully initialized on the client side. The default value is empty string. Use the OnClientLoad property to specify a JavaScript function that is executed after the control is initialized on the client side. A single parameter is passed to the handler, which is the client-side RadTabStrip object. The following example demonstrates how to use the OnClientLoad property. <script language="javascript">
function ClientTabstripLoad(tabstrip, eventArgs)
{
alert(tabstrip.get_id() + " is loaded.");
}
</script>

<telerik:RadTabStrip id="RadTabStrip1" runat="server" OnClientLoad="ClientTabstripLoad">
<Tabs>
<telerik:RadTab Text="Personal Details"></telerik:RadTab>
<telerik:RadTab Text="Education"></telerik:RadTab>
<telerik:RadTab Text="Computing Skills"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Occurs when a tab is created. The TabCreated event is raised when an tab in the RadTabStrip control is created, both during round-trips and at the time data is bound to the control. The TabCreated event is not raised for tabs which are defined inline in the page or user control. The TabCreated event is commonly used to initialize tab properties. The following example demonstrates how to use the TabCreated event to set the ToolTip property of each tab. protected void RadTabStrip1_TabCreated(object sender, Telerik.Web.UI.RadTabStripEventArgs e) { e.Tab.ToolTip = e.Tab.Text; } Sub RadTabStrip1_TabCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTabStripEventArgs) Handles RadTabStrip1.TabCreated e.Tab.ToolTip = e.Tab.Text End Sub Occurs before template is being applied to the tab. The TemplateNeeded event is raised before a template is been applied on the tab, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for tabs which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property the tabs. protected void RadTabStrip_TemplateNeeded(object sender, Telerik.Web.UI.RadTabStripArgs e) { string value = e.Tab.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); e.Tab.TabTemplate = textBoxTemplate; } } } Sub RadTabStrip1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTabStripEventArgs) Handles RadTabStrip1.TemplateNeeded Dim value As String = e.Tab.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() e.Tab.TabTemplate = textBoxTemplate End If End If End Sub Occurs when a tab is data bound. The TabDataBound event is raised for each tab upon databinding. You can retrieve the tab being bound using the event arguments. The DataItem associated with the tab can be retrieved using the DataItem property. The TabDataBound event is often used in scenarios when you want to perform additional mapping of fields from the DataItem to their respective properties in the Tab class. The following example demonstrates how to map fields from the data item to tab properties using the TabDataBound event. protected void RadTabStrip1_TabDataBound(object sender, Telerik.Web.UI.RadTabStripEventArgs e) { e.Tab.ImageUrl = "image" + (string)DataBinder.Eval(e.Tab.DataItem, "ID") + ".gif"; e.Tab.NavigateUrl = (string)DataBinder.Eval(e.Tab.DataItem, "URL"); } Sub RadTabStrip1_TabDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTabStripEventArgs) Handles RadTabStrip1.TabDataBound e.Tab.ImageUrl = "image" & DataBinder.Eval(e.Tab.DataItem, "ID") & ".gif" e.Tab.NavigateUrl = CStr(DataBinder.Eval(e.Tab.DataItem, "URL")) End Sub Occurs on the server when a tab in the RadTabStrip control is clicked. The following example demonstrates how to use the TabClick event to determine the clicked tab. protected void RadTabStrip1_TabClick(object sender, Telerik.Web.UI.RadTabStripEventArgs e) { Response.Write("Clicked tab is " + e.Tab.Text); } Sub RadTabStrip1_TabClick(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTabStripEventArgs) Handles RadTabStrip1.TabClick Response.Write("Clicked tab is " & e.Tab.Text) End Sub Occurs on the server when a tab in the RadTabStrip control is reordered. For internal use Gets or sets the type. The type. Gets or sets the index. The index. Gets or sets the offset. The offset. This partial class describes the client properties and events of control. Telerik RadToolBar for ASP.NET AJAX lets you build tool bars used in ASP.NET applications. This Class defines control. RadToolBar control class. Populates the RadToolBar control from external XML file. The newly added items will be appended after any existing ones. The following example demonstrates how to populate RadToolBar control from XML file. private void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadToolBar1.LoadContentFile("~/ToolBarData.xml"); } } Private Sub Page_Load(sender As Object, e As EventArgs) Handles MyBase.Load If Not Page.IsPostBack Then RadToolBar1.LoadContentFile("~/ToolBarData.xml") End If End Sub The name of the XML file. Gets a linear list of all toolbar items in the RadToolBar control. An IList object containing all items in the current RadToolBar control. Gets a linear list of all toolbar buttons in the RadToolBar control, which belong to the specified group The name of the group to search for. An IList object containing all the buttons in the current RadToolBar control, which belong to the specified group. Gets the checked button which belongs to the specified group in the RadToolBar control The name of the group to search for. A RadToolBarButton object which CheckOnClick and Checked properties are set to true. Searches the RadToolBar control for the first RadToolBarItem whose Text property is equal to the specified value. A RadToolBarItem whose Text property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadToolBar control for the first RadToolBarItem whose Text property is equal to the specified value. A RadToolBarItem whose Text property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadToolBar control for the first RadToolBarButton or RadToolBarSplitButton which Value property is equal to the specified value. A RadToolBarButton or RadToolBarSplitButton which Value property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadToolBar control for the first RadToolBarButton or RadToolBarSplitButton which Value property is equal to the specified value. A RadToolBarButton or RadToolBarSplitButton which Value property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Finds the child by value. The value. Finds the child by value. The value. The ignore case. Searches the RadToolBar control for the first RadToolBarButton or RadToolBarSplitButton which NavigateUrl property is equal to the specified value. A RadToolBarButton or RadToolBarSplitButton which NavigateUrl property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The url to search for. Searches the RadToolBar control for the first IRadToolBarButton CommandName property is equal to the specified value. A IRadToolBarButton which CommandName property is equal to the specified value. If an item is not found, null (Nothing in Visual Basic) is returned. The commandName to search for. Returns the first RadToolBarItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadToolBar1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadToolBarItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadToolBar1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadToolBarItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Gets a list of all client-side changes (adding an item, removing an item, changing an item's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new item removing existing item clearing the children of an item or the control itself changing a property of the item The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadToolBarItem> operation in RadToolBar1.ClientChanges) { RadToolBarItem item = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //An item has been inserted - operation.Item contains the inserted item break; case ClientOperationType.Remove: //An item has been inserted - operation.Item contains the removed item. //Keep in mind the item has been removed from the toolbar. break; case ClientOperationType.Update: UpdateClientOperation<RadToolBarItem> update = operation as UpdateClientOperation<RadToolBarItem> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is null then the root items have been removed. break; } } For Each operation As ClientOperation(Of RadToolBarItem) In RadToolBar1.ClientChanges Dim item As RadToolBarItem = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'An item has been inserted - operation.Item contains the inserted item Exit Select Case ClientOperationType.Remove 'An item has been inserted - operation.Item contains the removed item. 'Keep in mind the item has been removed from the toolbar. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadToolBarItem) = TryCast(operation, UpdateClientOperation(Of RadToolBarItem)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear 'All children of have been removed - operation.Item contains the parent item whose children have been removed. If operation.Item is Nothing then the root items have been removed. Exist Select End Select Next Gets a collection of RadToolBarItem objects representing the individual items within the RadToolBar. A RadToolBarItemCollection that contains a collection of RadToolBarItem objects representing the individual items within the RadToolBar. Use the Items collection to programmatically control the items in the RadToolBar control. The following example demonstrates how to declare a RadToolBar with different items. <telerik:RadToolBar ID="RadToolBar1" runat="server"> <Items> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/CreateNew.gif" Text="Create new" CommandName="CreateNew"/> <telerik:RadToolBarButton IsSeparator="true" /> <telerik:RadToolBarDropDown ImageUrl="~/ToolbarImages/Manage.gif" Text="Manage"> <Buttons> <telerik:RadToolBarButton ImageUrl="~/ToolbarImages/ManageUsers.gif" Text="Users" /> <telerik:RadToolBarButton ImageUrl="~/ToolbarImages/ManageOrders.gif" Text="Orders" /> </Buttons> </telerik:RadToolBarDropDown> <telerik:RadToolBarSplitButton ImageUrl="~/ToolBarImages/RegisterPurchase.gif" Text="Register Purchase"> <Buttons> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterCachePurchase.gif" Text="Cache Purchase" /> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterCheckPurchase.gif" Text="Check Purchase" /> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterDirectBankPurchase.gif" Text="Bank Purchase" /> </Buttons> </telerik:RadToolBarSplitButton> </Items> </telerik:RadToolBar> Gets or sets the direction in which to render the RadToolBar control. One of the Orientation enumeration values. The default is Orientation.Horizontal. Use the Orientation property to specify the direction in which to render the RadToolBar control. The following table lists the available directions. Orientation Description Orientation.Horizontal The RadToolBar control is rendered horizontally. Orientation.Vertical The RadToolBar control is rendered vertically. The following example demonstrates how to use the Orientation property to display a vertical RadToolBar. <telerik:RadToolBar ID="RadToolBar1" runat="server"> <Items> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/CreateNew.gif" Text="Create new" CommandName="CreateNew"/> <telerik:RadToolBarButton IsSeparator="true" /> <telerik:RadToolBarDropDown ImageUrl="~/ToolbarImages/Manage.gif" Text="Manage"> <Buttons> <telerik:RadToolBarButton ImageUrl="~/ToolbarImages/ManageUsers.gif" Text="Users" /> <telerik:RadToolBarButton ImageUrl="~/ToolbarImages/ManageOrders.gif" Text="Orders" /> </Buttons> </telerik:RadToolBarDropDown> <telerik:RadToolBarSplitButton ImageUrl="~/ToolBarImages/RegisterPurchase.gif" Text="Register Purchase"> <Buttons> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterCachePurchase.gif" Text="Cache Purchase" /> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterCheckPurchase.gif" Text="Check Purchase" /> <telerik:RadToolBarButton ImageUrl="~/ToolBarImages/RegisterDirectBankPurchase.gif" Text="Bank Purchase" /> </Buttons> </telerik:RadToolBarSplitButton> </Items> </telerik:RadToolBar> Gets the settings for the animation played when a dropdown opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of the RadToolBar dropdown items - RadToolBarDropDown and RadToolBarSplitButton. You can specify the Type and the Duration of the expand animation. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of the RadToolBar dropdown items. ASPX: <telerik:RadToolBar ID="RadToolBar1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadToolBarDropDown Text="Insert Html Element" > <Buttons> <telerik:RadToolBarButton Text="Image" /> <telerik:RadToolBarButton Text="Editable Div element" /> </Buttons> </telerik:RadToolBarDropDown> <telerik:RadToolBarSplitButton Text="Insert Form Element" > <Buttons> <telerik:RadToolBarButton Text="Button" /> <telerik:RadToolBarButton Text="TextBox" /> <telerik:RadToolBarButton Text="TextArea" /> <telerik:RadToolBarButton Text="CheckBox" /> <telerik:RadToolBarButton Text="RadioButton" /> </Buttons> </telerik:RadToolBarSplitButton> </Items> </telerik:RadToolBar> void Page_Load(object sender, EventArgs e) { RadToolBar1.ExpandAnimation.Type = AnimationType.Linear; RadToolBar1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadToolBar1.ExpandAnimation.Type = AnimationType.Linear RadToolBar1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when a dropdown closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the collapse animation of the RadToolBar dropdown items - RadToolBarDropDown and RadToolBarSplitButton. You can specify the Type and the Duration of the collapse animation. To disable collapse animation effects you should set the Type to AnimationType.None.
To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of the RadToolBar dropdown items. ASPX: <telerik:RadToolBar ID="RadToolBar1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Items> <telerik:RadToolBarDropDown Text="Insert Html Element" > <Buttons> <telerik:RadToolBarButton Text="Image" /> <telerik:RadToolBarButton Text="Editable Div element" /> </Buttons> </telerik:RadToolBarDropDown> <telerik:RadToolBarSplitButton Text="Insert Form Element" > <Buttons> <telerik:RadToolBarButton Text="Button" /> <telerik:RadToolBarButton Text="TextBox" /> <telerik:RadToolBarButton Text="TextArea" /> <telerik:RadToolBarButton Text="CheckBox" /> <telerik:RadToolBarButton Text="RadioButton" /> </Buttons> </telerik:RadToolBarSplitButton> </Items> </telerik:RadToolBar> void Page_Load(object sender, EventArgs e) { RadToolBar1.CollapseAnimation.Type = AnimationType.Linear; RadToolBar1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadToolBar1.CollapseAnimation.Type = AnimationType.Linear RadToolBar1.CollapseAnimation.Duration = 300 End Sub
Gets or sets the name of the validation group to which this validation control belongs. The name of the validation group to which this validation control belongs. The default is an empty string (""), which indicates that this property is not set. This property works only when CausesValidation is set to true. Gets or sets the URL of the page to post to from the current page when a button item from the RadToolBar control is clicked. The URL of the Web page to post to from the current page when a tab from the tabstrip control is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets or sets a value indicating whether validation is performed when a button item within the RadToolBar control is clicked. true if validation is performed when a button item is clicked; otherwise, false. The default value is true. By default, page validation is performed when a button item is clicked. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. You can specify or determine whether validation is performed on both the client and the server when a tab is clicked by using the CausesValidation property. To prevent validation from being performed, set the CausesValidation property to false. Gets or sets a value indicating whether button items should postback when clicked. True if button items should postback; otherwise false. The default value is false. RadToolBar will postback provided one of the following conditions is met: The AutoPostBack property is set to true. The user has subscribed to the ButtonClick event. Gets or sets a value indicating whether child items should have rounded corners. True if the child items should have rounded corners; otherwise false. The default value is false. Gets or sets a value indicating whether child items should have shadows. True if the child items should have shadows; otherwise false. The default value is false. Gets or sets a value indicating whether item images should have sprite support. True if the child items should have sprite support; otherwise False. The default value is False. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or Sets SingleClick state Gets or sets the name of the javascript function called when the control is fully initialized on the client side. A string specifying the name of the javascript function called when the control is fully initialized on the client side. The default value is empty string. Use the OnClientLoad property to specify a JavaScript function that is executed after the control is initialized on the client side. A single parameter is passed to the handler, which is the client-side RadToolBar object. The following example demonstrates how to use the OnClientLoad property. <script language="javascript">
function onClientToolBarLoad(toolBar, eventArgs)
{
alert(toolBar.get_id() + " is loaded.");
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientButtonClicking="onButtonClicking">
<Items>
<telerik:RadToolBarButton Text="Save"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Load"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Apply Color (Red)">
<Buttons>
<telerik:RadToolBarButton Text="Red"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Yellow"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Blue"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called just prior to clicking a toolbar button item (RadToolBarButton or RadToolBarSplitButton). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonClicking property to specify a JavaScript function that will be executed prior to button item clicking - either by left-clicking it with the mouse or hitting enter after tabbing to that button. You can cancel that event (prevent button clicking) by seting the cancel property of the event argument to true. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with three properties
  • item - the instance of the button item being clicked
  • cancel - whether to cancel the event
  • domEvent - the reference to the browser DOM event
The following example demonstrates how to use the OnClientButtonClicking property. <script language="javascript">
function clientButtonClicking(sender, eventArgs)
{
var toolBar = sender;
var button = eventArgs.get_item();

alert("You are clicking the '" + button.get_text() + "' button in the '" + toolBar.get_id() + "' toolBar.");

if (button.get_text() == "Right")
{
alert("Right alignment is not available");
eventArgs.set_cancel(true);
}
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientButtonClicking="clientButtonClicking">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called after clicking a button item (RadToolBarButton or RadToolBarSplitButton). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientButtonClicked property to specify a JavaScript function that will be executed after a button is clicked - either by left-clicking it with the mouse or hitting enter after tabbing to that button item. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with two properties
  • item - the instance of the clicked button
  • domEvent - the reference to the browser DOM event
The following example demonstrates how to use the OnClientButtonClicked property. <script language="javascript">
function clientButtonClicked(sender, eventArgs)
{
var toolBar = sender;
var button = eventArgs.get_item();

alert(String.format("You clicked the '{0}' button in the '{1}' toolBar.", button.get_text(), toolBar.get_id()));
}
</script>
<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientButtonClicked="clientButtonClicked">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called just prior to opening a toolbar dropdown item (RadToolBarDropDown or RadToolBarSplitButton). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientDropDownOpening property to specify a JavaScript function that will be executed prior to dropdown item opening - either by left-clicking it with the mouse or hitting the down arrow after tabbing to that item. You can cancel that event (prevent dropdown opening) by seting the cancel property of the event argument to true. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with three properties
  • item - the instance of the dropdown item being opened
  • cancel - whether to cancel the event
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as dropDownItem.showDropDown();)
The following example demonstrates how to use the OnClientDropDownOpening property. <script language="javascript">
function clientDropDownOpening(sender, eventArgs)
{
var toolBar = sender;
var dropDownItem = eventArgs.get_item();

alert("You are opening the '" + dropDownItem.get_text() + "' dropDown in the '" + toolBar.get_id() + "' toolBar.");

if (dropDownItem.get_text() == "Align")
{
alert("Alignment is not available");
eventArgs.set_cancel(true);
}
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientDropDownOpening="clientDropDownOpening">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called after a toolbar dropdown item (RadToolBarDropDown or RadToolBarSplitButton) is opened. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientDropDownOpened property to specify a JavaScript function that will be executed after a toolbar dropdown item is opened - either by left-clicking it with the mouse or hitting the down arrow after tabbing to that item. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with two properties
  • item - the instance of the dropdown item which is opened
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as dropDownItem.showDropDown())
The following example demonstrates how to use the OnClientDropDownOpened property. <script language="javascript">
function clientDropDownOpened(sender, eventArgs)
{
var toolBar = sender;
var dropDownItem = eventArgs.get_item();

alert("You just opened the '" + dropDownItem.get_text() + "' dropDown in the '" + toolBar.get_id() + "' toolBar.");

}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientDropDownOpened="clientDropDownOpened">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called just prior to closing a toolbar dropdown item (RadToolBarDropDown or RadToolBarSplitButton). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientDropDownClosing property to specify a JavaScript function that will be executed prior to dropdown item closing - either by left-clicking an open dropdown with the mouse, hitting the ESC key when the dropdown or a button in it is focused, or clicking a non-checkable button in the dropdown. You can cancel that event (prevent dropdown closing) by seting the cancel property of the event argument to true. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with three properties
  • item - the instance of the dropdown item being closed
  • cancel - whether to cancel the event
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as dropDownItem.hideDropDown())
The following example demonstrates how to use the OnClientDropDownClosing property. <script language="javascript">
function clientDropDownClosing(sender, eventArgs)
{
var toolBar = sender;
var dropDownItem = eventArgs.get_item();

alert("You are about to close the '" + dropDownItem.get_text() + "' dropDown in the '" + toolBar.get_id() + "' toolBar.");

if (dropDownItem.get_text() == "Align")
{
alert("You cannot close the Align dropdown!");
eventArgs.set_cancel(true);
}
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientDropDownClosing="clientDropDownClosing">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called after a toolbar dropdown item (RadToolBarDropDown or RadToolBarSplitButton) is closed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientDropDownClosed property to specify a JavaScript function that will be executed after a toolbar dropdown item is closed - either by left-clicking an open dropdown with the mouse, hitting the ESC key when the dropdown or a button in it is focused, or clicking a non-checkable button in the dropdown. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with two properties
  • item - the instance of the dropdown item which is closed
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as dropDownItem.hideDropDown())
The following example demonstrates how to use the OnClientDropDownClosed property. <script language="javascript">
function clientDropDownClosed(sender, eventArgs)
{
var toolBar = sender;
var dropDownItem = eventArgs.get_item();

alert("You just closed the '" + dropDownItem.get_text() + "' dropDown in the '" + toolBar.get_id() + "' toolBar.");

}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientDropDownClosed="clientDropDownClosed">
<Items>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Right">
<Buttons>
<telerik:RadToolBarButton Text="Left"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right"></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called before the browser context menu shows (after right-clicking an item). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientContextMenu property to specify a JavaScript function that will be executed before the context menu shows after right clicking an item. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with two properties
  • item - the instance of the selected toolbar item
  • domEvent - the reference to the browser DOM event
The following example demonstrates how to use the OnClientContextMenu property. <script language="javascript">
function onContextMenuHandler(sender, eventArgs)
{
var toolBar = sender;
var item = eventArgs.get_item();

alert(String.format("You have right-clicked the {0} item in the {1} toolBar.", item.get_text(), toolBar.get_id());
}
</script>
<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientContextMenu="onContextMenuHandler">
<Items>
<telerik:RadToolBarButton Text="Bold"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Italic"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Underline"></telerik:RadToolBarButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called when the mouse hovers an item in the RadToolBar control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMouseOver property to specify a JavaScript function that is called when the user hovers an item with the mouse. Two parameters are passed to the handler: sender (the client-side RadToolBar object); eventArgs with two properties
  • item - the instance of the toolbar item that is being hovered
  • domEvent - the reference to the browser DOM event
The following example demonstrates how to use the OnClientMouseOver property. <script language="javascript">
function onClientMouseOver(sender, eventArgs)
{
var toolBar = sender;
var item = eventArgs.get_item();
var domEvent = eventArgs.get_domEvent();

alert(String.format("You have just moved over the {0} item in the {1} toolBar", item.get_text(), toolBar.get_id());
alert(String.format("Mouse coordinates: \n\nx = {0};\ny = {1}", domEvent.clientX, domEvent.clientY));
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientMouseOver="onClientMouseOver">
<Items>
<telerik:RadToolBarButton Text="Bold"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Italic"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Underline"></telerik:RadToolBarButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called when the mouse leaves an item in the RadToolBar control. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientMouseOut property to specify a JavaScript function that is executed whenever the user moves the mouse away from a particular item in the RadToolBar control. Two parameters are passed to the handler: sender (the client-side RadToolBar object); eventArgs with two properties:
  • item - the instance of the item which the mouse is moving away from;
  • domEvent - the reference to the browser DOM event
The following example demonstrates how to use the OnClientMouseOut property. <script language="javascript">
function onClientMouseOut(sender, eventArgs)
{
var toolBar = sender;
var item = eventArgs.get_item();
var domEvent = eventArgs.get_domEvent(); alert(String.format("You have just moved out of '{0}' item in the {1} toolBar.", item.get_text(), toolBar.get_id()));
alert(String.format("Mouse coordinates: \n\nx = {0}\ny = {1}", domEvent.clientX, domEvent.clientY));
}
</script>
<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientMouseOut="onClientMouseOut">
<Items>
<telerik:RadToolBarButton Text="Bold"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Italic"></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Underline"></telerik:RadToolBarButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called just prior to changing the state of a checkable RadToolBarButton. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientCheckedStateChanging property to specify a JavaScript function that will be executed prior to button checked state changing - either by left-clicking a checkable button or pressing the ENTER key after tabbing to that button. You can cancel that event (prevent button checked state changing) by seting the cancel property of the event argument to true. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with three properties
  • item - the instance of the button which checked state is being changed
  • cancel - whether to cancel the event
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as button.toggle())
The following example demonstrates how to use the OnClientCheckedStateChanging property. <script language="javascript">
function clientCheckedStateChanging(sender, eventArgs)
{
var toolBar = sender;
var button = eventArgs.get_item();

alert(String.format("You are about to change the checked state of the '{0}' button in the '{1}' toolBar.", button.get_text(), toolBar.get_id()));

if (item.get_text() == "Left" && item.get_group() == "Align")
{
alert("You cannot change the checked state of the 'Align Left' button!");
eventArgs.set_cancel(true);
}
}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientCheckedStateChanging="clientCheckedStateChanging">
<Items>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Reset">
<Buttons>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Gets or sets a value indicating the client-side event handler that is called after a RadToolBarButton is checked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Use the OnClientCheckedStateChanged property to specify a JavaScript function that will be executed after a toolbar dropdown button is checked - either by left-clicking a checkable button or pressing the ENTER key after tabbing to that button. Two parameters are passed to the handler sender (the client-side RadToolBar object) eventArgs with two properties
  • item - the instance of the button which is checked
  • domEvent - the reference to the browser DOM event (null if the event was initiated by calling a client-side method such as button.toggle())
The following example demonstrates how to use the OnClientCheckedStateChanged property. <script language="javascript">
function clientCheckedStateChanged(sender, eventArgs)
{
var toolBar = sender;
var button = eventArgs.get_item();

alert(String.format("You just changed the checked state of the '{0}' button in the '{1}' toolBar.", button.get_text(), toolBar.get_id()));

}
</script>

<telerik:RadToolBar id="RadToolBar1" runat="server" OnClientCheckedStateChanged="clientCheckedStateChanged">
<Items>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarDropDown Text="Align">
<Buttons>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarDropDown>
<telerik:RadToolBarSplitButton Text="Reset">
<Buttons>
<telerik:RadToolBarButton Text="Left" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Center" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
<telerik:RadToolBarButton Text="Right" CheckOnClick="true" Group="Align" ></telerik:RadToolBarButton>
</Buttons>
</telerik:RadToolBarSplitButton>
</Items>
</telerik:RadToolBar>
Occurs when a toolbar item is created. The ItemCreated event is raised when an item in the RadToolBar control is created, both during round-trips and at the time data is bound to the control. The ItemCreated event is not raised for items which are defined inline in the page or user control. The ItemCreated event is commonly used to initialize item properties. The following example demonstrates how to use the ItemCreated event to set the ToolTip property of each item. protected void RadToolBar1_ItemCreated(object sender, Telerik.Web.UI.RadToolBarEventArgs e) { e.Item.ToolTip = e.Item.Text; } Sub RadToolBar1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadToolBarEventArgs) Handles RadToolBar1.ItemCreated e.Item.ToolTip = e.Item.Text End Sub Occurs before template is being applied to the item. The TemplateNeeded event is raised before a template is been applied on the item, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for items which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property the nodes. protected void RadToolBar1_TemplateNeeded(object sender, Telerik.Web.UI.RadToolBarEventArgs e) { string value = e.Item.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); textBoxTemplate.InstantiateIn(e.Item); } } } Sub RadToolBar1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadToolBarEventArgs) Handles RadToolBar1.TemplateNeeded Dim value As String = e.Item.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() textBoxTemplate.InstantiateIn(e.Item) End If End If End Sub Occurs when a button is data bound. The ButtonDataBound event is raised for each button upon databinding. You can retrieve the button being bound using the event arguments. The DataItem associated with the button can be retrieved using the DataItem property. The ButtonDataBound event is often used in scenarios when you want to perform additional mapping of fields from the DataItem to their respective properties in the RadToolBarButton class. The following example demonstrates how to map fields from the data item to button properties using the ButtonDataBound event. protected void RadToolBar1_ButtonDataBound(object sender, Telerik.Web.UI.RadToolBarButtonEventArgs e) { e.Button.ImageUrl = "~/ToolBarImages/tool" + (string)DataBinder.Eval(e.Button.DataItem, "Text") + ".gif"; e.Button.NavigateUrl = (string)DataBinder.Eval(e.Button.DataItem, "URL"); } Sub RadToolBar1_ButtonDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadToolBarButtonEventArgs) Handles RadToolBar1.ButtonDataBound e.Button.ImageUrl = "~/ToolBarImages/tool" & CStr(DataBinder.Eval(e.Button.DataItem, "Text")) & ".gif" e.Button.NavigateUrl = CStr(DataBinder.Eval(e.Button.DataItem, "URL")) End Sub Occurs on the server when a button or in the RadToolBar control is clicked. The following example demonstrates how to use the ButtonClick event to determine the clicked button. protected void RadToolBar1_ButtonClick(object sender, Telerik.Web.UI.RadToolBarButtonEventArgs e) { Label1.Text = "Clicked button is " + e.Item.Text; } Sub RadToolBar1_ButtonClick(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadToolBarButtonEventArgs) Handles RadToolBar1.ButtonClick Label1.Text = "Clicked button is " & e.Item.Text; End Sub TreeListDragDropColumn is used for utilizing items drag and drop operation in RadTreeList. It renders a drag handle which can be used to get hold of the item and drag it around. When this column is used, an item can be dragged only if the drag handle is clicked. Note that item selection still needs to be enabled in order for the handle to be active. The base class that represents all columns in . Initializes one by one the cells which belong to the column. These could be data, header and footer cells. The cell which will be set up. The index of the column to which the cell belongs. The TreeListItem to which the cell will be added. Prepares the cell of the given item when the treelist is rendered. By default returns the SortExpression of the column. If the SortExpression is not set explicitly, it would be calculated, based on the DataField of the column. Gets a reference to the object to which the column belongs Indicates if the control is in design-mode. Returns a string which represents the type of the current column. Gets or sets the text which will appear in the header cell of the column. Gets or sets the tooltip of the header cell. Use the FooterText property to specify your own or determine the current text for the footer section of the column. Each column in Telerik RadTreeList has an UniqueName property (string). This property is assigned automatically by the designer (or the first time you want to access the columns if they are built dynamically). Style of the cell in the header item of the RadTreeList, corresponding to the column. Style of the cell in the item of the RadTreeList, corresponding to the column. Gets or sets a value indicating if the column and all corresponding cells would be rendered. This property returns a Boolean value, indicating whether the cells corresponding to the column, would be visible on the client, and whether they would be rendered on the client. Should override if sorting will be disabled Gets or sets a value indicating whether the column can be resized client-side. You can use this property, by setting it to false, to disable resizing for a particular column, while preserving this functionality for all the other columns. The property returns a boolean value, indicating whether the column can be resized on the client. Gets or sets a value indicating whether the column can be reordered client-side. This property returns a boolean value, indicating whether the column is reorderable. The default value is true, meaning that the column can be reordered, using the SwapColumns client side method. Gets or sets minimum width of the column. Used when resizing. This property returns value in pixels. The default value is Unit.Empty. Gets or sets maximum width of the column. Used when resizing. This property returns value in pixels. The default value is Unit.Empty. Gets or sets a value indicating whether the cells corresponding to a column would be rendered with a 'display:none' style attribute (end-user-not-visible). To completely prevent cells from rendering, set the property to false, instead of the Display property. This property returns a Boolean value, indicating whether the cells corresponding to the column would be rendered with a 'display:none' style attribute (end-user-not-visible). Gets or sets the order index of column used when reordering the columns. integer representing the current column index. The string representing a filed-name from the DataSource that should be used when grid sorts by this column. initializes the data cells of the column the table cell the column index the TreeListDataItem Gets or sets the ToolTip of the Drag image for the TreeListDragDropColumn Gets or sets the URL of the drag image that will be displayed instead of the default Drag image for the TreeListDragDropColumn Gets or sets the unique name for this column Readonly property. The DragDropColumn cannot be resized returns false The arguments passed when fires the ChildItemsDataBind event. Gets an object of type that represents the nested level and level index of the item that is being expanded. Returns a Hashtable containing the data key values associated with the parent item. It can be indexed using the key names specified in the DataKeyNames collection of the Gets or sets the data source for the child items of the currently expanded item. Represents a custom skin reference. Gets or sets a string value representing the resource name. Gets or sets a string value representing the url of the custom skin. Gets or sets a string value representing the name of the custom skin. Gets or sets a boolean value indicating whether a reference the skin is registered. Represents a collection of custom non-embedded skins. Returns the index of a given CustomNonEmbeddedSkin object in the collection. The CustomNonEmbeddedSkin to search for. An integer value representing the position of the item in the collection. Adds a passed CustomNonEmbeddedSkin to the collection. A CustomNonEmbeddedSkin item to add to the collection. Returns a boolean value indicating whether the passed CustomNonEmbeddedSkin object belongs to the collection. The CustomNonEmbeddedSkin to search for. True if the passed object is found in the collection; otherwise false. Returns a boolean value indicating whether a CustomNonEmbeddedSkin object, located by the passed resource name, belongs to the collection. A string value representing the ResourceName of the custom skin. True if the resolved CustomNonEmbeddedSkin is found in the collection; otherwise false. Returns a reference to a CustomNonEmbeddedSkin object by a given resource name. A string representing the resource name. The located CustomNonEmbeddedSkin reference. Represents a reference to a given skin in its containing assembly/folder. Gets or sets a string value representing the path to the skin files of the current skin. Gets or sets a string value representing the name of the assembly where a skin resides. Represents a collection of SkinReference objects representing the references to all available skins. Gets a list of strings representing the assembly names of all skin references in the collection. Gets or sets the template for the item. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The following template demonstrates how to add a Calendar control in a RibbonBarTemplateItem templateItem.Template = new TextBoxTemplate(); templateItem.Template = new TextBoxTemplate() The arguments passed when fires the ColumnsOrderChanged event. A collection containing information about the columns which were reordered to trigger the event A class used to provide information about reordered columns. Gets a reference to the TreeListColumn which was reordered. Gets an integer value corresponding to the old OrderIndex property value of the reordered column. A base class representing the event args passed when fires the ItemInserted, ItemUpdated and ItemDeleted events. Gets the number of affected rows. Gets the Exception object in case an exception happended during the automatic operation. Gets a reference to the edited item. Gets or sets a value indicating whether the exception that was thrown is handled. The arguments passed when fires the ItemUpdated event. Gets or sets a boolean value indicating whether the edited item will remain in edit mode. The arguments passed when fires the ItemInserted event. Gets or sets a value indicating whether the inserted item will remain in insert mode. The arguments passed when fires the ItemDeleted event. Gets a collection of the deleted items' key values. Represents the argument data passed to the event handler of the ItemCreated and ItemDataBound events of RadRating. Gets/Sets the current RadRatingItem. Represents an object that provides the data binding information for the Items of the Rating control. Gets/Sets the field of the data source that provides the value content (Value property of the Rating item) of the Rating items. Gets/Sets the field of the data source that provides the ToolTip content (ToolTip property of the Rating item) of the Rating items. Gets/Sets the formatting string used to control how data bound to the RatingItem's ToolTip is displayed. Gets the index of the clicked toggle button in its containing toggle list. Gets the parent toggle list of the clicked toggle button. Gets the parent group of the clicked toggle button. The that has been toggled. An with all toggle buttons in the parent toggle list. Gets a list of RibbonBarToggleButton that contains the visible toggle buttons of the ToggleList. Loads the control from an XML string. The XmlReader from which the control will be populated. Use the LoadXml method to populate the control from an XML string. Gets a RibbonBarToggleButtonCollection object that contains the toggle buttons of the ToggleList. A RibbonBarToggleButtonCollection that contains the toggle buttons of the ToggleList. By default the collection is empty (ToggleList has no ToggleButtons). Use the ToggleButtons property to access the toggle buttons of the ToggleList. You can also use the ToggleButtons property to manage the toggle buttons. You can add, remove or modify toggle buttons. The following example demonstrates how to programmatically modify the properties of a toggle button inside of a ToggleList. toggleList.ToggleButtons[0].Text = "Example"; toggleList.ToggleButtons(0).Text = "Example" Gets the currently toggled RibbonBarToggleButton. The currently toggled RibbonBarToggleButton. When there isn't a toggle button or the collection is empty, the returned result is null. Use the ToggledButton property to access the toggled button of the ToggleList. The following example demonstrates how to programmatically modify the properties of the toggled button. toggleList.ToggledButton.Text = "Example"; toggleList.ToggledButton.Text = "Example" Gets the index of the clicked button in its containing group. Gets the group of the clicked toggle button's parent group. The toggle button that has been toggled. For internal use only. Boolean property that shows whether the key hints are visile or not. Property for the toggle state of the button. Boolean. The default value is false. Use the property to get the toggle state of the button. Gets a list of RibbonBarButton that contains the visible buttons of the ButtonStrip. Gets a RibbonBarButtonCollection object that contains the buttons of the ButtonStrip. A RibbonBarButtonCollection that contains the buttons of the ButtonStrip. By default the collection is empty (ButtonStrip has no buttons). Use the Buttons property to access the buttons of the ButtonStrip. You can also use the Buttons property to manage the buttons. You can add, remove or modify buttons. The following example demonstrates how to programmatically modify the properties of a button inside of a ButtonStrip. buttonStrip.Buttons[0].Text = "Example"; buttonStrip.Buttons(0).Text = "Example" Gets or sets the text of a certain item. The text of an item. The default value is empty string. Use the property to set the displayed text for an item. Gets or sets a value indicating whether this is selected. true if selected; otherwise, false. Returns all buttons with Visible=true in the Buttons collection. A list of RibbonBarButton objects. Searches the RibbonBarSplitButton for the first RibbonBarButton which Value property is equal to the specified value. A RibbonBarButton whose Value property is equal to the specifed value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Gets a RibbonBarButtonCollection object that contains the buttons of the SplitButton. A RibbonBarButtonCollection that contains the buttons of the SplitButton. By default the collection is empty (SplitButton has no buttons). Use the Buttons property to access the buttons of the SplitButton. You can also use the Buttons property to manage the buttons. You can add, remove or modify buttons. The following example demonstrates how to programmatically modify the properties of a button inside of a SplitButton. splitButton.Buttons[0].Text = "Example"; splitButton.Buttons(0).Text = "Example" Determines whether button selection on button click is enabled. Boolean. The default value is false. Use the property to enable/disable button selection. Button selection is the ability to select a button from the drop-down, which becames the default action for the Split Button. Property allowing one to select a default action of the Split Button. If proper conditions are met, the text and the image of the SplitButton are also updated using the selected button. Integer. The default value is -1. Use the property to select a button as a default action of the Split Button. Gets the group, which launcher has been clicked. Gets the index of the clicked button in its containing split button. Gets the parent split button of the clicked button. Gets the parent group of the clicked button. Gets the button that has been clicked. Gets the index of the item in its parent (menu or menu item). Gets the parent menu item of the clicked menu item. Gets the parent menu of the clicked menu item. Gets the group of the clicked item's parent menu. Gets the menu item that has been clicked. Gets the index of the clicked button in its containing group. Gets the parent group of the clicked button. Gets the button that has been clicked. This Class defines RibbonBarMenuItem. Outputs server control content to a provided object and stores tracing information about the control if tracing is enabled. The object that receives the control content. Returns the Visible sub-items. All visible sub-items. Searches the RibbonBarMenuItem for the first sub-item which Value property is equal to the specified value. A sub-item of the current MenuItem whose Value property is equal to the specifed value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Reads the XML. The reader. Gets the parent item of the menu item. Returns null if the parent is the menu itself. Gets or sets the container. The container. Gets a reference to the RibbonBar instance. Use the property to get the RibbonBar instance. RadRibbonBar instance. If not set, the returned is null. Gets or sets the parent web control. The parent web control. Gets or sets the image's URL of the item, used when it's enabled. The URL to the image. The default value is empty string. Use the ImageUrl property to specify a custom image that will be used when the item is enabled. Gets or sets the image's URL of the item, used when it's disabled. The URL to the image. The default value is empty string. Use the DisabledImageUrl property to specify a custom image that will be used when the item is disabled. Gets or sets the rendered alt text of the item's image dom element. alt text of an item's image. The default value is empty string. Use the property to set the alt text for the item's image element, when needed for accessibility. Gets or sets navigation URL for the item. Usually pointing to a page. URL. The default value is empty string. Use the NavigateUrl property to specify a custom a url to a page which should be loaded on click on the item. Gets or sets the text of a certain item. The text of an item. The default value is empty string. Use the property to set the displayed text for an item. Gets or sets the value property of the item. You can use it to associate custom data with the item. This example illustrates how to use the Value property on MenuItemClick event. protected void RadRibbonBar1_MenuItemClick(object sender, RibbonBarMenuItemClickEventArgs e) { if (e.Item.Value == "SpecialItem") { // trigger an action } } Protected Sub RadRibbonBar1_MenuItemClick(sender As Object, e As RibbonBarMenuItemClickEventArgs) If e.Item.Value = "SpecialItem" Then ' trigger the action End If End Sub Gets or sets the tooltip of a certain item. The text displayed in the RibbonbBar's enhanced ToolTip. The default value is empty string. When the ToolTip value is empty, the default ASP ToolTip is displayed with the Text of the item as a value. When ToolTip is set, the enhanced RibbonBar tooltip is shown instead of the default one. Gets or sets the command name associated with the MenuItem that is passed to the Command event. Gets or sets an optional parameter passed to the Command event along with the associated CommandName. Gets a RibbonBarMenuItemCollection object that contains the sub-items of the MenuItem. A RibbonBarMenuItemCollection that contains the sub-items of the MenuItem. By default the collection is empty (the MenuItem has no sub-items). Use the Items property to access the sub-items of the MenuItem. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of the items inside the collection. menuItem.Items[0].Text = "SampleMenuItemText"; menuItem.Items(0).Text = "SampleMenuItemText" RibbonBarItem is rendered using small image and no text RibbonBarItem is rendered using small image and text RibbonBarItem is rendered using large image and text The default value - If only ImageUrl (and not ImageUrlLarge) is set to one RibbonBarClickableItem, then Auto equals to Clip mode, if both or only ImageUrlLarge is set -> it equals Dual mode RibbonBarClickableItem's small and large images (ImageUrl and ImageUrlLarge) are in two separate image files (they are not part of a sprite) RibbonBarClickableItem's small and large images are sharing one sprite image (clip) which is assigned to their ImageUrl property Returns all functional Items in the Group. This excludes ButtonStrips and ToggleLists. A list with functional Items. Returns functionl Items in the Group depending on their visibility. Tells the method whether to filter out invisible functionl Items. All functionl Items in the Group if is false. If is true, returns only the visible Items. Returns functionl Items in the Group depending on their visibility. Tells the method whether to filter out invisible functionl Items. Tells the method which items collection to search through. All functionl Items in the if is false. If is true, returns only the visible Items. Returns strictly the Visible functionl Items in the Group. All visible functional Items in the Group. Gets all RibbonBarToggleList items in the Group. Searches the RibbonBarGroup for the first RibbonBarButton which Value property is equal to the specified value. A RibbonBarButton whose Value property is equal to the specified value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RibbonBarGroup for the first RibbonBarToggleButton which Value property is equal to the specified value. A RibbonBarToggleButton whose Value property is equal to the specifed value. If a toggle button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RibbonBarGroup for the first RibbonBarMenuItem which Value property is equal to the specified value. A RibbonBarMenuItem whose Value property is equal to the specified value. If a menu item is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Gets or sets the text of the group. The text of a group. The default value is empty string. Use the property to set the displayed text of the group. Gets or sets the value property of the group. You can use it to associate custom data with the group. This example illustrates how to use the Value property on ButtonClick event. protected void RadRibbonBar1_ButtonClick(object sender, RibbonBarButtonClickEventArgs e) { if ((e.Button.Container as RibbonBarGroup).Value == "SpecialGroup") { // trigger an action } } Protected Sub RadRibbonBar1_ButtonClick(sender As Object, e As RibbonBarButtonClickEventArgs) If TryCast(e.Button.Container, RibbonBarGroup).Value = "SpecialGroup" Then ' trigger the action End If End Sub Determines if the group's launcher will be available or not. Boolean. The default value is true. Use the property to enable/disable the group's launcher button. Gets or sets the url to an image displayed when the group is collapsed. URL. The default value is empty string. Use the property to set the image for a collapsed group. Gets a RibbonBarItemCollection object that contains the items of the group. A RibbonBarItemCollection that contains the items of the group. By default the collection is empty (the group has no items). Use the Items property to access the items of the group. You can also use the Items property to manage the items. You can add, remove or modify items from the Items collection. The following example demonstrates how to programmatically modify the properties of the items inside the collection. group.Items[0].Enabled = true; group.Items(0).Enabled = True Gets a reference to the RibbonBarTab instance holding this group. RibbonBarTab instance. If not set, the returned is null. Use the property to get the RibbonBarTab holding the group. This Class defines the RibbonBarMenuItem collection that inherits List collection and IRibbonBarSubComponent. Adds the specified item. The item. Inserts the specified index. The index. The item. Removes the specified item. The item. Gets or sets the container. The container. Gets a reference to the RibbonBar instance. Use the property to get the RibbonBar instance. RadRibbonBar instance. If not set, the returned is null. Gets or sets the parent web control. The parent web control. Returns the Visible groups in the tab. All visible groups inside this tab. Searches the RibbonBarTab for the first RibbonBarGroup which Value property is equal to the specified value. A RibbonBarGroup whose Value property is equal to the specifed value. If a group is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RibbonBarTab for the first RibbonBarButton which Value property is equal to the specified value. A RibbonBarButton whose Value property is equal to the specifed value. If a button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RibbonBarTab for the first RibbonBarToggleButton which Value property is equal to the specified value. A RibbonBarToggleButton whose Value property is equal to the specifed value. If a toggle button is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Searches the RibbonBarTab for the first RibbonBarMenuItem which Value property is equal to the specified value. A RibbonBarMenuItem whose Value property is equal to the specifed value. If a menu item is not found, null (Nothing in Visual Basic) is returned. The Value to search for. Gets or sets the text of the tab. The text of the tab. The default value is empty string. Use the property to set the displayed text of the tab. Gets or sets the value property of the tab. You can use it to associate custom data with the tab. This example illustrates how to use the Value property on ButtonClick event. protected void RadRibbonBar1_ButtonClick(object sender, RibbonBarButtonClickEventArgs e) { if ((e.Button.Container as RibbonBarGroup).Tab.Value == "SpecialTab") { // trigger an action } } Protected Sub RadRibbonBar1_ButtonClick(sender As Object, e As RibbonBarButtonClickEventArgs) If TryCast(e.Button.Container, RibbonBarGroup).Tab.Value = "SpecialTab" Then ' trigger the action End If End Sub Gets a RibbonBarGroupCollection object that contains the groups of the tab. A RibbonBarGroupCollection that contains the groups of the tab. By default the collection is empty (the tab has no groups). Use the Groups property to access the groups of the tab. You can also use the Groups property to manage the items. You can add, remove or modify groups from the Groups collection. The following example demonstrates how to programmatically modify the properties of the groups inside the collection. tab.Groups[0].Text = "ExampleGroupText"; tab.Groups(0).Text = "ExampleGroupText" Represents an object that provides the data binding information for the Items of the Slider control. Gets/Sets the field of the data source that provides the value content (Value property of the Slider item) of the Slider items. Gets/Sets the field of the data source that provides the ToolTip content (ToolTip property of the Slider item) of the Slider items. Gets/Sets the field of the data source that provides the Text content (Text property of the Slider item) of the Slider items. For internal use Base control used to contain a template. Ensures that if the template has been instantiated or the Controls collection has been accessed the template cannot be set again. 1) Into an existing WebControl add a readonly property and a member for the template container private SingleTemplateContainer _contentContainer; [Browsable(false)] public SingleTemplateContainer ContentContainer { get { EnsureChildControls(); return _contentContainer; } } 2) Override CreateChildControls() and instantiate the SingleTemplateContainer. The parameter is a reference to the instantiating control (used when throwing exceptions). protected override void CreateChildControls() { base.CreateChildControls(); _contentContainer = new SingleTemplateContainer(this); _contentContainer.ID = "Content"; Controls.Add(_contentContainer); } 3) Add read/write property for the template. You will need the TemplateContainer attribute in case if you override SingleTemplateContainer in order to add properties, accessible during the databinding. //[TemplateContainer(typeof(SingleTemplateContainer))] [PersistenceMode(PersistenceMode.InnerProperty)] [TemplateInstance(TemplateInstance.Single)] [Browsable(false)] public ITemplate ContentTemplate { get { EnsureChildControls(); return ContentContainer.Template; } set { EnsureChildControls(); ContentContainer.Template = value; } } Instantiates a new instance of SingleTemplateContainer. The control which contains the template. This parameter is used when SingleTemplateContainer throws exceptions. cssLinkFormat is used when registering css during ajax requests or when the page header is not runat="server". the registerSkins() method is in Core.js Returns the skin that should be applied to the control. Returns the names of all embedded skins. The common skin attribute is not included! Retrieves the resource URL for the specified embedded resource. The control instance associated with the resource The name of the resource, whose URL to retrieve Retrieves the resource URL for the specified embedded resource. The instance The of the control with which this resource is associated The name of the resource, whose URL to retrieve Returns the web.config value which specifies the application-wide Skin setting. Telerik.[ShortControlName].Skin or Telerik.Skin, depending on which value was set. Gets the design time style sheet. The control. Gets the design time style sheet with suffix. It is useful when you what to get the styles of the control for different RenderMode. The control. The suffix. Registers a Css file reference on the page reference to the page reference to the control the css file url Registers the common skin CSS file and the CSS files, associated with the selected skin. Returns the attributes for the common skin CSS file and the CSS files, associated with the selected skin. Returns the attributes for all embedded skins. Retrieves the skin name from the specified resource name, e.g. "Telerik.Web.UI.Skins.Vista.Grid.Refresh.gif" => "Vista" Retrieves the type of the control that is associated with embedded resources for the specified skin. Allows the mapping of a property declared in managed code to a property declared in client script. For example, if the client script property is named "handle" and you prefer the name on the TargetProperties object to be "Handle", you would apply this attribute with the value "handle." Creates an instance of the ClientPropertyNameAttribute and initializes the PropertyName value. The name of the property in client script that you wish to map to. The name of the property in client script code that you wish to map to. Associates a client script resource with an extender class. This allows the extender to find it's associated script and what names and prefixes with which to reference it. Called from other constructors to set the prefix and the name. The name given to the class in the Web.TypeDescriptor.addType call Associates a client script resource with the class. The name given to the class in the Web.TypeDescriptor.addType call A Type that lives in the same folder as the script file The name of the script file itself (e.g. 'foo.cs') Associates a client script resource with the class. The name given to the class in the Web.TypeDescriptor.addType call The name of the script resource, e.g. 'ControlLibrary1.FooExtender.Foo.js' The component type name to use when referencing the component class in XML. If the XML reference is "<myns:Foo/>", the component type is "Foo". This is the path to the resource in the assembly. This is usually defined as [default namespace].[Folder name].FileName. In a project called "ControlLibrary1", a JScript file called Foo.js in the "Script" subdirectory would be named "ControlLibrary1.Script.Foo.js" by default. Signifies that this property references a ScriptComponent Repository of old "Atlas" code that we're waiting to have integrated into the new Microsoft Ajax Library Specifies this property is an element reference and should be converted during serialization. The default (e.g. cases without this attribute) will generate the element's ID Constructs a new ElementReferenceAttribute Signifies that this Property should be exposed as a client-side event reference Initializes a new ClientControlEventAttribute Initializes a new ClientControlEventAttribute Tests for object equality Gets a hash code for this object Gets whether this is the default value for this attribute Whether this is a valid ScriptEvent Signifies that this method should be exposed as a client callback Initializes a new ClientControlMethodAttribute Initializes a new ClientControlMethodAttribute Tests for object equality Gets a hash code for this object Gets whether this is the default value for this attribute Whether this is a valid ScriptMethod Signifies that this property is to be emitted as a client script property Initializes a new ClientControlPropertyAttribute Initializes a new ClientControlPropertyAttribute Tests for object equality Gets a hash code for this object Gets whether this is the default value for this attribute Whether this property should be exposed to the client Describes an object which supports ClientState Loads the client state for the object Saves the client state for the object Whether ClientState is supported by the object instance Defines the common property categories' names The presence of this attribute on a property of a subclass of TargetControlPropertiesBase indicates that the property value is required and the control can not be used without it. Absence of a required property value causes an exception to be thrown during creation of the control. Constructs a new RequiredPropertyAttribute Telerik RadEditor Forces the ToolsFile to be parsed and loaded at any given time. Adds HTML attributes and styles that need to be rendered to the specified . This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Registers the control with the ScriptManager Registers the CSS styles for the control Registers the script descriptors. Finds the tool with the given name. The name of the tool to find. Executed when post data is loaded from the request Executes during the prerender event. We set the tools file and fill the collections with their default values. Removes a specific filter from the ContentFilters. An EditorFilters value Add a specific filter to the ContentFilters. An EditorFilters value Used to set the file browser configuration paths for the editor dialogs A string array containing the paths to set. Which dialogs to set the paths to. Which paths (view, upload, delete) to set. Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. This method is used to strip comments from the Content of the editor. A way to inject a custom implementation for accepting/rejecting track changes. A custom implementation of the track changes adapter Changes the content of the Editor by accepting the track changes Changes the content of the Editor by rejecting the track changes A way to export editor's content by using the provided RadEditorExportTemplate. Object, which implements the RadEditorExportTemplate abstract class. A way to inject a custom implementation of the PDF export engine. Object, which implements the RadEditorExportTemplate abstract class. This method is used to export the editor's content to PDF format. A way to inject a custom implementation of the RTF export engine. Object, which implements the RadEditorExportTemplate abstract class. This method is used to export the editor's content to RTF format. This method is used to convert RTF content to HTML and loadit in RadEditor. A Stream object holding the RTF content to be transformed and loaded. This method is used to convert Markdown content to RTF and loadit in RadEditor. A String object holding the RTF content to be transformed and loaded. A way to inject a custom implementation of the DOCX export engine. Object, which implements the RadEditorExportTemplate abstract class. This method is used to export the editor's content to DOCX format. This method is used to convert DOCX content to HTML and loadit in RadEditor. A Stream object holding the DOCX content to be transformed and loaded. This method is used to convert Markdown content to DOCX and loadit in RadEditor. A String object holding the DOCX content to be transformed and loaded. A way to inject a custom implementation of the Markdown export engine. Object, which implements the RadEditorExportTemplate abstract class. This method is used to export the editor's content to Markdown format. This method is used to convert Markdown content to HTML and loadit in RadEditor. A Stream object holding the Markdown content to be transformed and loaded. This method is used to convert Markdown content to HTML and loadit in RadEditor. A String object holding the Markdown content to be transformed and loaded. Raises the FileDelete event. Raises the ExportContent event. Raises the ImportContent event. Raises the FileUpload event. Raises the TextChanged event. Gets the value that corresponds to this Web server control. This property is used primarily by control developers. One of the enumeration values. Gets a reference to the object that allows you to set the export file properties A reference to the EditorExportSettings that allows you to set the export file properties Use the ExportSettings property to control the export file settings This property is read-only; however, you can set the properties of the EditorExportSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadEditor control in the form Property-Subproperty, where Subproperty is a property of the EditorExportSettings object (for example, ExportSettings-FileName). Nest a <ExportSettings> element between the opening and closing tags of the Telerik RadEditor control. The properties can also be set programmatically in the form Property.Subproperty (for example, ExportSettings.FileName). Gets a reference to the object that allows you to set the import Rtf/Docx properties A reference to the EditorImportSettings that allows you to set the import Rtf/Docx properties Use the ImportSettings property to control the import settings This property is read-only; however, you can set the properties of the EditorImportSettings object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the Telerik RadEditor control in the form Property-Subproperty, where Subproperty is a property of the EditorImportSettings object (for example, ImportSettings Rtf-ImagesMode="External"). Nest a <ImportSettings> element between the opening and closing tags of the Telerik RadEditor control. The properties can also be set programmatically in the form Property.Subproperty (for example, ImportSettings.Rtf.ImagesMode). Gets a value indicating whether the editor is being rendered in accessible mode This propery has no setter. If you wish to enable the accessible editor interface, use the AccessibleRadEditor control instead. Gets or sets a string containing the ID (will search for both server or client ID) of a client object that should be used as a tool provider. This property helps significantly reduce the HTML markup and JSON sent from server to the client when multiple RadEditor objects with the same tools are used on the same page. The ToolProviderID can be set to the ID of another RadEditor, or to a custom control that implements two clientside methods get_toolHTML and get_toolJSON. Gets a reference to a that can be used to add external CSS files in the editor content area. By default, RadEditor uses the CSS classes available in the current page. However, it can be configured to load external CSS files instead. This scenario is very common for editors integrated in back-end administration areas, which have one set of CSS classes, while the content is being saved in a database and displayed on the public area, which has a different set of CSS classes. If this property is set the RadEditor loads only the styles defined in the CssFiles collection. The styles defined in the current page are not loaded in the editor content area and the "Apply Class" dropdown. If you want to load only a subset of the defined classes you can use the CssClasses property. A containing the names of the external CSS files that should be available in the editor's content area. Gets the list of modules that should be made included in RadEditor. Gets the collection containing the colors to put in the Foreground and Background color dropdowns. A StringCollection containing the colors to put in the Foreground and Background color dropdowns. Default is an empty StringCollection. The contents of this collection will override the default colors available in the Foreground and Background color dropdowns. In order to extend the default set you should add the default colors and the new colors. Note: Setting this property will affect all color pickers of the RadEditor, including those in the table proprties dialogs. This example demonstrates how to put only Red, Green and Blue into the Foreground and Background dropdowns. Private Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) Handles MyBase.Load RadEditor1.Colors.Add("Red") RadEditor1.Colors.Add("Green") RadEditor1.Colors.Add("Blue") End Sub private void Page_Load(object sender, EventArgs e) { RadEditor1.Colors.Add("Red"); RadEditor1.Colors.Add("Green"); RadEditor1.Colors.Add("Blue"); } Gets the collection containing the symbols to put in the Symbols dropdown. A SymbolCollection containing the symbols to put in the Symbols dropdown. Default is an empty SymbolCollection. The contents of this collection will override the default symbols available in the Symbols dropdown. Note: multiple symbols can be added at once by using the SymbolCollection.Add() method. This example demonstrates how to put only the english alphabet symbols to the Symbols dropdown. Private Sub Page_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load For i As Integer = 65 To 90 RadEditor1.Symbols.Add(Convert.ToChar(i)) Next End Sub private void Page_Load(object sender, EventArgs e) { for (int i=65; i<=90; i++) { RadEditor1.Symbols.Add(Convert.ToChar(i)); } } Gets the collection containing the links to put in the Custom Links dropdown. A Link object containing the links to put in the Custom Links dropdown. The Custom Links dropdown of the RadEditor is a very convenient tool for inserting predefined hyperlinks. Note: the links can be organized in a tree like structure. This example demonstrates how to create a tree like structure of custom links. Private Sub Page_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load 'Add the root RadEditor1.Links.Add("Telerik", "http://www.telerik.com") 'Add the Products node And its children RadEditor1.Links("Telerik").Add("Products", "http://www.telerik.com/products") RadEditor1.Links("Telerik")("Products").Add("RadControls", "http://www.telerik.com/radcontrols") RadEditor1.Links("Telerik")("Products").Add("RadEditor", "http://www.telerik.com/RadEditor") RadEditor1.Links("Telerik")("Products")("RadEditor").Add("QSF", "http://www.telerik.com/demos/aspnet/Editor/Examples/Default/DefaultCS.aspx") 'Add Purchase, Support And Client.Net nodes RadEditor1.Links("Telerik").Add("Purchase", "http://www.telerik.com/purchase") RadEditor1.Links("Telerik").Add("Support", "http://www.telerik.com/support") RadEditor1.Links("Telerik").Add("Client.Net", "http://www.telerik.com/clientnet") End Sub private void Page_Load(object sender, EventArgs e) { //Add the root RadEditor1.Links.Add("Telerik", "http://www.telerik.com"); //Add the Products node and its children RadEditor1.Links["Telerik"].Add("Products", "http://www.telerik.com/products"); RadEditor1.Links["Telerik"]["Products"].Add("RadControls", "http://www.telerik.com/radcontrols"); RadEditor1.Links["Telerik"]["Products"].Add("RadEditor", "http://www.telerik.com/RadEditor"); RadEditor1.Links["Telerik"]["Products"]["RadEditor"].Add("QSF", "http://www.telerik.com/demos/aspnet/Editor/Examples/Default/DefaultCS.aspx"); //Add Purchase, Support and Client.Net nodes RadEditor1.Links["Telerik"].Add("Purchase", "http://www.telerik.com/purchase"); RadEditor1.Links["Telerik"].Add("Support", "http://www.telerik.com/support"); RadEditor1.Links["Telerik"].Add("Client.Net", "http://www.telerik.com/clientnet"); } Gets the collection containing the custom font sizes to put in the [Size] dropdown. A string collection containing the custom font sizes to put in the Size dropdown. Default is an empty StringCollection. The contents of this collection will override the default font sizes available in the [Size] dropdown. In order to extend the default set you should add the default font sizes and the new font sizes. The default font sizes are: 1, 2, 3, 4, 5, 6 and 7. Note: the minimum font size is 1, the maximum is 7. This example demonstrates how to remove the font size 1 from the Size dropdown. Private Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) Handles MyBase.Load RadEditor1.FontSizes.Add(2) RadEditor1.FontSizes.Add(3) RadEditor1.FontSizes.Add(4) RadEditor1.FontSizes.Add(5) RadEditor1.FontSizes.Add(6) RadEditor1.FontSizes.Add(7) End Sub private void Page_Load(object sender, EventArgs e) { RadEditor1.FontSizes.Add(2); RadEditor1.FontSizes.Add(3); RadEditor1.FontSizes.Add(4); RadEditor1.FontSizes.Add(5); RadEditor1.FontSizes.Add(6); RadEditor1.FontSizes.Add(7); } Gets the collection containing the custom font names to put in the Font dropdown. A string collection containing the custom font names to put in the Font dropdown. Default is an empty StringCollection. The contents of this collection will override the default fonts available in the Font dropdown. In order to extend the default set you should add the default font names and the new font names. The default font names are: Arial, Comic Sans MS, Courier New, Tahoma, Times New Roman, Verdana. Note: the fonts must exist on the client computer. This example demonstrates how to add Arial Narrow font to the Font dropdown. Private Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) Handles MyBase.Load RadEditor1.FontNames.Add("Arial") RadEditor1.FontNames.Add("Arial Narrow") RadEditor1.FontNames.Add("Comic Sans MS") RadEditor1.FontNames.Add("Courier New") RadEditor1.FontNames.Add("Tahoma") RadEditor1.FontNames.Add("Times New Roman") RadEditor1.FontNames.Add("Verdana") End Sub private void Page_Load(object sender, EventArgs e) { RadEditor1.FontNames.Add("Arial"); RadEditor1.FontNames.Add("Arial Narrow"); RadEditor1.FontNames.Add("Comic Sans MS"); RadEditor1.FontNames.Add("Courier New"); RadEditor1.FontNames.Add("Tahoma"); RadEditor1.FontNames.Add("Times New Roman"); RadEditor1.FontNames.Add("Verdana"); } Gets the collection containing the paragraph styles to put in the Paragraph Style dropdown. A NameValueCollection containing the paragraph styles to put in the Paragraph Style dropdown. Default is an empty NameValueCollection. The contents of this collection will override the default paragraph styles available in the Paragraph Style dropdown. Note: RadEditor also supports block format with css class set. See the example below. This example demonstrates how to put several paragraph styles in the Paragraph Style dropdown. Private Sub Page_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load 'Add clear formatting RadEditor1.Paragraphs.Add("Clear Formatting", "body") 'Add the standard paragraph styles RadEditor1.Paragraphs.Add("Heading 1", "<h1>") RadEditor1.Paragraphs.Add("Heading 2", "<h2>") RadEditor1.Paragraphs.Add("Heading 3", "<h3>") 'Add paragraph style With block Format And css Class RadEditor1.Paragraphs.Add("Heading 2 Bordered", "<h2 class=\"bordered\">") End Sub private void Page_Load(object sender, EventArgs e) { //Add clear formatting RadEditor1.Paragraphs.Add("Clear Formatting", "body"); //Add the standard paragraph styles RadEditor1.Paragraphs.Add("Heading 1", "<h1>"); RadEditor1.Paragraphs.Add("Heading 2", "<h2>"); RadEditor1.Paragraphs.Add("Heading 3", "<h3>"); //Add paragraph style with block format and css class RadEditor1.Paragraphs.Add("Heading 2 Bordered", "<h2 class=\"bordered\">"); } Gets the collection containing the format sets to put in the FormatSets dropdown. An EditorFormatSetCollection containing the format sets to put in the FormatSets dropdown. The contents of this collection will override the default format sets available in the FormatSets dropdown. Gets the collection containing the custom real font sizes to put in the RealFontSize dropdown. A string collection containing the custom real font sizes to put in the RealFontSize dropdown. Default is an empty StringCollection. The contents of this collection will override the default real font sizes available in the RealFontSize dropdown. This example demonstrates how to add custom font sizes to the RealFontSize dropdown. Private Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) Handles MyBase.Load RadEditor1.RealFontSizes.Add("8pt") RadEditor1.RealFontSizes.Add("9pt") RadEditor1.RealFontSizes.Add("11pt") RadEditor1.RealFontSizes.Add("13pt") End Sub private void Page_Load(object sender, EventArgs e) { RadEditor1.RealFontSizes.Add("8pt") RadEditor1.RealFontSizes.Add("9pt") RadEditor1.RealFontSizes.Add("11pt") RadEditor1.RealFontSizes.Add("13pt") } Gets the collection containing the CSS classes to put in the [Apply CSS Class] dropdown. A NameValueCollection containing the CSS classes to put in the [Apply CSS Class] dropdown. Default is an empty NameValueCollection . The contents of this collection will override the default CSS classes available in the Apply CSS Class dropdown. Gets the collection containing the snippets to put in the Code Snippet dropdown. A NameValueCollection containing the snippets to put in the Code Snippet dropdown. Default is an empty NameValueCollection. The Code Snippet dropdown is a very convenient tool for inserting predefined chunks of HTML content like signatures, product description templates, custom tables, etc. The contents of this collection will override the default snippets available in the Code Snippet dropdown. Gets the collection containing the available languages for spellchecking. RadEditor has integrated support for the multi-language mode of RadSpell. When working with content in different languages you can select the proper spellchecking dictionary from a dropdown button on the RadEditor toolbar. A NameValueCollection containing the available languages for spellchecking. Default value is empty NameValueCollection. This example demonstrates how to enable spellchecking for English, French and German languages in RadEditor spellchecker. Private Sub Page_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load RadEditor1.Languages.Add("en-US", "English"); RadEditor1.Languages.Add("fr-FR", "French"); RadEditor1.Languages.Add("de-DE", "German"); End Sub private void Page_Load(object sender, EventArgs e) { RadEditor1.Languages.Add("en-US", "English"); RadEditor1.Languages.Add("fr-FR", "French"); RadEditor1.Languages.Add("de-DE", "German"); } /// Gets the collection containing RadEditor tools. Gets the collection containing RadEditor HeaderTools. Gets or sets a string containing the path to the XML toolbar configuration file. This property is provided for backwards compatibility. Please, use either inline toolbar declaration or code-behind to configure the toolbars. To configure multiple RadEditor controls with the same settings you could use either Theme, UserControl with inline declaration, or CustomControl. Use "~" (tilde) as a substitution of the web-application's root directory. You can also provide this property with an absolute URL which returns a valid XML toolbar configuration file, e.g. http://MyServer/MyApplication/Tools/MyToolsFile.aspx Gets or sets a string containing the localization language for the RadEditor UI Gets or sets a string, containing the location of the content area CSS styles. You need to set this property only if you are using a custom skin. The content area CSS file. Gets or sets a string, containing the location of the CSS styles for table css style layout tool in the TableProperties dialogue. The content area CSS file. The Localization property specifies the strings that appear in the runtime user interface of RadEditor. Gets or sets a value indicating where the editor will look for its .resx localization files. By default these files should be in the App_GlobalResources folder. However, if you cannot put the resource files in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource files. A relative path to the dialogs location. For example: "~/controls/RadEditorResources/". If specified, the LocalizationPath property will allow you to load the editor localization files from any location in the web application. Gets or sets the value indicating whether script tags will be allowed in the editor content. This property is now obsolete. Please use the ContentFilters property or the EnableFilter and DisableFilter methods The default value is false. This means that script tags will be removed from the content. Gets or sets the value indicating whether the RadEditor will auto-resize its height to match content height The default value is false. Gets or sets the value indicating whether the users will be able to resize the RadEditor control on the client The default value is true. This property is obsolete. Please, use the NewLineMode property instead. true when the RadEditor will insert <br> tag when the [Enter] key is pressed; otherwise false. The default value is true. Note: this property is intended for use only in Internet Explorer. The gecko-based browsers always insert <BR> tags. Gets or sets the value indicating what element will be inserted when the [Enter] key is pressed. Gets or sets the value indicating how the editor toolbar will be rendered and will act on the client Default Toolbars are rendered around the editor content area.
Floating Toolbars are rendered in a moveable window.
PageTop Toolbars appear on top of page when editor gets focus.
ShowOnFocus Toolbars appear right above the editor when it focus.
Several editors can simulate usage of the same toolbar if this property has the same value everywhere
Gets or sets the tool adapter, which is responsible for rendering the tools in the toolbar. The default tool adapter is of type Telerik.Web.UI.Editor.DefaultToolAdapter. Gets or sets the tool adapter, which is responsible for rendering the header tools. The overlay for the Find and Replace functionality in the mobile editor Gets or sets a value indicating the client-side event handler that is called when editor is loaded on the client. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientLoad client-side event handler is called when editor is loaded on the client. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientLoad="OnClientLoad">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called when editor starts to load on the client. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientInit client-side event handler is called when editor starts to load on the client. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientInit property.
<script type="text/javascript">
function OnClientInit(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientInit="OnClientInit">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called when a dialog is closed, but before its value returned would be pasted into the editor. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientPasteHtml client-side event handler is called when a dialog is closed, but before its value returned would be pasted into the editor. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientPasteHtml property.
<script type="text/javascript">
function OnClientPasteHtml(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientPasteHtml="OnClientPasteHtml">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called when an editor command has been executed providing the changed Dom element. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientDomChange client-side event handler is called when an editor command has been executed providing the changed Dom element. Two parameters are passed to the handler: sender, the RadEditor object. args. Gets or sets a value indicating the client-side event handler that is called when the content is submitted. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientPasteHtml client-side event handler is called when a dialog is closed, but before its value returned would be pasted into the editor. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientSubmit property.
<script type="text/javascript">
function OnClientSubmit(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientSubmit="OnClientSubmit">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called when the content is submitted. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientModeChange client-side event handler is called when the mode of the editor is changing.. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientModeChange property.
<script type="text/javascript">
function OnClientModeChange(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientModeChange="OnClientModeChange">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called when selection inside editor content area changes A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientSelectionChange client-side event handler is called when selection inside editor content area changes. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientSelectionChange property.
<script type="text/javascript">
function OnClientSelectionChange(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientSelectionChange="OnClientSelectionChange">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called before an editor command starts executing. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientCommandExecuting client-side event handler is called before a command starts executing. Two parameters are passed to the handler: sender, the RadEditor object. args. This event can be cancelled. The following example demonstrates how to use the OnClientCommandExecuting property.
<script type="text/javascript">
function OnClientCommandExecuting(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadEditor1"
runat= "server"
OnClientCommandExecuting="OnClientCommandExecuting">
....
</radsld:RadEditor>
Gets or sets a value indicating the client-side event handler that is called after an editor command was executed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientCommandExecuted client-side event handler that is called when after an editor command was executed. Two parameters are passed to the handler: sender, the RadEditor object. args. The following example demonstrates how to use the OnClientCommandExecuted property.
<script type="text/javascript">
function OnClientCommandExecuted(sender, args)
{
var editor = sender;
}
</script>
<radsld:RadEditor ID="RadWindow1"
runat= "server"
OnClientCommandExecuted="OnClientCommandExecuted">
....
</radsld:RadEditor>
The event is fired when the inline editing is completed. Gets or sets bool value indicating if the Runtime skin is touch. Gets or sets the height of the Web server control. The default height is 400 pixels. Gets or sets the width of the Web server control. Gets or sets the width of the editor's toolbar (should be used when ToolbarMode != Default). Gets or sets the max length (in symbols) of the text inserted in the RadEditor. When the value is 0 the property is disabled. Gets or sets the max length (in symbols) of the HTML inserted in the RadEditor. When the value is 0 the property is disabled. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Gets or sets the value, indicating whether to render links to the embedded client scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed script files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to render the editor as a simple textarea (for compatibility with older browsers). If EnableTextareaMode is set to true, the editor will be replaced by a textbox where you can write its HTML. All advanced editor features will be disabled. Gets the text content of the RadEditor control without the HTML markup. The text displayed in the RadEditor without the HTML markup. The default is string.Empty. The text returned by this property contains no HTML markup. If only the HTML markup in the text is needed use the Html property. You can set the text content of the RadEditor by using the Html property or inline between its opening and closing tags. In this case setting the Html property in the code behind will override the inline content. For an example see the Html property. Gets or sets the value indicating which will be the available EditModes. Gets or sets the value of the edit type of the Editor. Gets or sets the text content of the RadEditor control inlcuding the HTML markup. The Html property is deprecated in RadEditor. Use Content instead. The text content of the RadEditor control including the HTML markup. The default is string.Empty. Gets or sets the text content of the RadEditor control inlcuding the HTML markup. The text content of the RadEditor control including the HTML markup. The default is string.Empty. The text returned by this property contains HTML markup. If only the text is needed use the Text property. You can also set the text content of the RadEditor inline between the <Content></Content> tags. In this case setting this property in the code behind will override the inline content. This example demonstrates how to set the content of the RadEditor inline and the differences between the Content and Text <rade:RadEditor id="RadEditor1" runat="server" >
<Content>
Telerik RadEditor<br>
the best <span style="COLOR: red">html editor</span> in the world
</Content>
</rade:RadEditor>
<asp:button id="btnSave" runat="server" text="Submit" onclick="btnSave_Click" /><br />
Content:<asp:label runat="server" id="LabelContent"></asp:label><br />
Text:<asp:label runat="server" id="LabelText"></asp:label><br />
Private Sub btnSave_Click(sender As Object, e As System.EventArgs) 'HtmlEncode the content of the editor to display the HTML tags LabelContent.Text = Server.HtmlEncode(RadEditor1.Content); LabelText.Text = Server.HtmlEncode(RadEditor1.Text); End Sub private void btnSave_Click(object sender, System.EventArgs e) { //HtmlEncode the content of the editor to display the HTML tags LabelContent.Text = Server.HtmlEncode(RadEditor1.Content); LabelText.Text = Server.HtmlEncode(RadEditor1.Text); }
Contains the configuration of the ImageManager dialog. An ImageManagerDialogConfiguration instance, containing the configuration of the ImageManager dialog Contains the configuration of the DocumentManager dialog. An FileManagerDialogConfiguration instance, containing the configuration of the DocumentManager dialog Contains the configuration of the FlashManager dialog. An FileManagerDialogConfiguration instance, containing the configuration of the FlashManager dialog Contains the configuration of the SilverlightManager dialog. An FileManagerDialogConfiguration instance, containing the configuration of the SilverlightManager dialog Contains the configuration of the MediaManager dialog. An FileManagerDialogConfiguration instance, containing the configuration of the MediaManager dialog Contains the configuration of the TemplateManager dialog. An FileManagerDialogConfiguration instance, containing the configuration of the TemplateManager dialog Contains the configuration of the spell checker. Contains the configuration of the track changes functionality. Gets the collection of the dialog definitions (configurations) of the editor. A DialogDefinitionDictionary, specifying the definitions of the dialogs of the editor. This property is obsolete. Please, use the StripFormattingOptions property instead. The default value is EditorStripFormattingOptions.None. Gets or sets the value indicating how the editor should clear the HTML formatting when the user pastes data into the content area. The default value is EditorStripFormattingOptions.None. EditorStripFormattingOptions enum members Member Description None Doesn't strip anything, asks a question when MS Word formatting was detected. NoneSupressCleanMessage Doesn't strip anything and does not ask a question. MSWord Strips only MSWord related attributes and tags. MSWordNoFonts Strips the MSWord related attributes and tags and font tags. MSWordNoMargins Strips the MSWord related attributes and tags and margins MSWordRemoveAll Strips MSWord related attributes and tags, font tags and font size attributes. Css Removes style attributes. Font Removes Font tags. Span Clears Span tags. AllExceptNewLines Clears all tags except "br" and new lines (\n) on paste. All Remove all HTML formatting. Note: In Gecko-based browsers you will see the mandatory dialog box where you need to paste the content. Gets or sets the URL which the AJAX call will be made to. Check the help for more information. Gets or sets the location of a CSS file, that will be added in the dialog window. If you need to include more than one file, use the CSS @import url(); rule to add the other files from the first. This property is needed if you are using a custom skin. It allows you to include your custom skin CSS in the dialogs, which are separate from the main page. Gets or sets the location of a JavaScript file, that will be added in the dialog window. If you need to include more than one file, you will need to combine the scripts into one first. This property is needed if want to override some of the default functionality without loading the dialog from an external ascx file. A read-only property that returns the DialogOpener instance used in the editor control. Gets a reference to the ribbon bar, when toolbar mode is RibbonBar. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Gets or sets a value indicating which content filters will be active when the editor is loaded in the browser. The default value is EditorFilters.DefaultFilters. EditorFilters enum members Member Description RemoveScripts This filter removes script tags from the editor content. Disable the filter if you want to insert script tags in the content. MakeUrlsAbsolute This filter makes all URLs in the editor content absolute (e.g. "http://server/page.html" instead of "page.html"). This filter is DISABLED by default. FixUlBoldItalic This filter changes the deprecated u tag to a span with CSS style. IECleanAnchors Internet Explorer only - This filter removes the current page url from all anchor(#) links to the same page. FixEnclosingP This filter removes a parent paragraph tag if the whole content is inside it. MozEmStrong This filter changes b to strong and i to em in Mozilla browsers. ConvertFontToSpan This filter changes deprecated font tags to compliant span tags. ConvertToXhtml This filter converts the HTML from the editor content area to XHTML. IndentHTMLContent This filter indents the HTML content so it is more readable when you view the code. OptimizeSpans This filter tries to decrease the number of nested spans in the editor content. ConvertCharactersToEntities This filter converts reserved characters to their html entity names. ConvertInlineStylesToAttributes This filter converts XHTML compliant inline style attributes to Email compliant element attributes. DefaultFilters The default editor behavior. All content filters except MakeUrlsAbsolute are activated. Gets or sets a value indicating where the editor will look for its dialogs. A relative path to the dialogs location. For example: "~/controls/RadEditorDialogs/". If specified, the ExternalDialogsPath property will allow you to customize and load the editor dialogs from normal ASCX files. Gets or sets the rendering mode of the editor content area. When set to Iframe, the content area is a separate document (suitable for CMS solutions or when editing a whole page). When set to Div, the content area is in the main page. The default value is Iframe. The rendering mode of the editor content area. When set to true enables support for WAI-ARIA When set to true enables support for entering comments in the editor content When set to true enables support for tracking changes each time the editor content is modified Message that will be shown over the content area when the editor is empty. When set to true enables support for immutable HTML elements Specifies whether the RadContextMenu should be used. Gets a reference to the RadContextMenu, if the control is enabled in RadEditor. Specifies the animation settings. Contains the import Rtf/Docx functionality. This event is raised before a file is deleted using the current content provider. The file delete will be canceled if you return false from the event handler. This event is raised before the content is exported. The ExportContent event will be canceled if you return false from the event handler. This event is raised before the content is imported. This event is raised before the file is stored using the current content provider. The file upload will be canceled if you return false from the event handler. Occurs when the content of the RadEditor changes between posts to the server. Represents and expression evaluator internally used to build filter expressions using Dynamic LINQ syntax. Represents a base for all evaluator classes in Evaluates the passes expression A RadFilterNonGroupExpression object representing the expression to be evaluated. The string representation of the expression. Evaluates an expression and returns its evaluation data. A RadFilterNonGroupExpression object representing the expression to be evaluated. The evaluation data for the expression. Gets or sets a value indicating whether the formatted field name and value are case sensitive Gets\sets a delegate that will be called after every expression evaluation. The property could be used to alter the result of the evaluation by changing the values or the format based on the expression. Returns a reference to the RadFilterDynamicLinqExpressionEvaluator instance. The RadFilterFunction used in the evaluated filter expression. The RadFilterDynamicLinqExpressionEvaluator for the specific function provided. Represents a query provider which builds a string expression used for visual preview of the filter expression. Represents a base class for all query providers in . Processes the passed RadFilterGroupExpression to create the expressions for filtering . The RadFilterGroupExpression to process internally. Checks whether a given filter function is supported by the current query provider. A member of the RadFilterFunction representing a filter function in RadFilter. true if the filter function is among the supported functions; otherwise returns false. Checks whether a given group operation is supported by the current query provider. A member of the RadFilterGroupOperation representing a group operation in RadFilter. true if the filter function is among the supported operations; otherwise returns false. Gets a collection of the RadFilterFunction values supported by the current query provider. Gets a collection of the RadFilterGroupOperation supported by the current query provider. Gets string value representing the result from the processed filter expression. Gets\sets a delegate that will be called after every expression evaluation. The property could be used to alter the result of the evaluation by changing the values or the format based on the expression. Processes the passed RadFilterGroupExpression object to build a filter expression. A RadFilterGroupExpression object that will be used to extract the filter expression. Gets a reference to the owner object. Gets List of the filter functions supported by this provider. Gets List of the group operations supported by this provider. When Items Drag-and-Drop is enabled in RadGrid, defining a GridDragDropColumn in the Columns collection of the respective GridTableView will make the data items inside draggable only when grabbed by the drag handle inside the column cells. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or sets the ToolTip of the Drag image for the GridDragDropColumn Gets or sets the URL of the drag image that will be displayed instead of the default Drag image for the GridDragDropColumn Gets or sets the unique name for this column Allows to change the 'protected' state of a cell Default constructor for the CellProtectionElement Determines whether a given cell is protected (read-only) when the parent Worksheet is protected. Default value: true Used to add a footer to the exported page. Visible in Print mode only. PageFooterElement default constructor Represents the footer's contents. Visible in Print mode only. Defines the margin between the footer element and the page. Applies in Print mode only. Value is out of range. Used to add a header to the exported page. Visible in Print mode only. PageHeaderElement default constructor Represents the header's contents. Visible in Print mode only. Defines the margin between the footer element and the page. Applies in Print mode only. Value is out of range. Represents the page orientation when viewing the exported file in Print mode Used to change the page orientation and alignment. The effect of these settings is visible in Print mode only. PageLayoutElement default constructor Determines whether the page will be centered vertically Determines whether the page will be centered horizontally Sets the page orientation to portrait (default) or landscape Used to set the page margins. Determines the size of the Right margin Value is out of range. Determines the size of the Left margin Value is out of range. Determines the size of the Top margin Value is out of range. Determines the size of the Bottom margin Value is out of range. Used to change various aspects of the exported page - header/footer, layout, margins, etc. Determines the page margins Determines the page orientation Used to setup a page footer's margins and content Used to setup a page header's margins and content Provides the possibility to change various options for the current Worksheet. Specifies whether the panes of a worksheet window are frozen. Fits the whole content in a single page when enabled. Used to set the Printer-related settings. Used to set the Page-related settings. Determines the zoom level in Print Preview mode (in percentages) Determines the active pane. Contains the number of points from the left of the window that a worksheet is split vertically. Contains the number of points from the top of the window that a worksheet is split horizontally. Contains the column number of the leftmost visible column in the right pane of a worksheet window. Contains the row number of the topmost visible row in the bottom pane of a worksheet window. Class holding settings associated with the animations. Gets or sets whether column animations are enabled for RadGrid when column reorder is enabled. Gets or sets the duration of the reorder animation when column reorder is enabled in RadGrid. Gets or sets whether revert animations are enabled for RadGrid when column drag-to-group is enabled. Gets or sets the duration of the revert animation when column drag-to-group is enabled in RadGrid. This Class defines the RadPanelItemHeaderTemplateContainer. When implemented, gets an object that is used in simplified data-binding operations. An object that represents the value to use when data-binding operations are performed. When implemented, gets the index of the data item bound to a control. An Integer representing the index of the data item in the data source. When implemented, gets the position of the data item as displayed in a control. An Integer representing the position of the data item as displayed in a control. For internal use only. For internal use only. A reminder data class. A reminder data interface. Copies from. The SRC reminder. Copies to. The dest reminder. Gets or sets the ID. The ID. Gets or sets the trigger minutes. The trigger minutes. Gets or sets the attributes. The attributes. Provides data for the event of the control. Gets or sets the ISchedulerInfo object that will be passed to the providers' GetAppointments method. The ISchedulerInfo object that will be passed to the providers' GetAppointments method. You can replace this object with your own implementation of ISchedulerInfo in order to pass additional information to the provider. Provides data for the event of the control. Allows cancelling RadScheduler events. Gets the appointment. The appointment. Gets or sets the ISchedulerInfo object that will be passed to the providers' Insert method. The ISchedulerInfo object that will be passed to the providers' Insert method. You can replace this object with your own implementation of ISchedulerInfo in order to pass additional information to the provider. Provides data for the event of the control. Gets or sets the ISchedulerInfo object that will be passed to the providers' Delete method. The ISchedulerInfo object that will be passed to the providers' Delete method. You can replace this object with your own implementation of ISchedulerInfo in order to pass additional information to the provider. Provides data for the event of the control. Gets or sets the reminder. The reminder. Gets or sets the modified appointment. The modified appointment. Provides data for the event of the control. The base for the RadScheduler event arguments. Gets the appointment. The appointment. Gets or sets the reminder. The reminder. Gets or sets the snooze minutes. The snooze minutes. The localization strings to be used in ReminderDialog. This Class defines the Reminder object. Returns a that represents the current . A that represents the current . Creates a list of reminders from their string representation. The string to parse. List of reminders if the parsing succeeded or null (Nothing in Visual Basic) if the parsing failed. Creates a list of reminders from their string representation. The string to parse. Output parameter that contains the list of reminders if the parsing succeeded or null (Nothing in Visual Basic) if the parsing failed. True if input was parsed successfully, false otherwise. Creates a new Reminder object that is a clone of the current instance. A new Reminder object that is a clone of the current instance. Gets or sets the trigger. The trigger. Gets or sets the ID. The ID. Gets the collection of arbitrary attributes that do not correspond to properties on the reminder. A AttributeCollection of name and value pairs. THis Class defines the Reminder collection. Finds by ID. The id. Converts all reminders in the collection to their string representation. Use Reminder.TryParse to convert the string representation back to reminder objects. The string representation of all reminders in the collection. This Class defines the Reminder settings and gets or sets a value indicating whether the user can view and edit reminders for appointments. Gets or sets a value indicating whether the user can view and edit reminders for appointments. true if the user is allowed to view and edit reminders for appointments; false otherwise. The default value is false. The period from the Appointment start after which the Reminder is expired. From a relative path and a specified style sheet folder, returns the relative path of that file in that folder (Secure Path). The relative path to the file inside the project file structure. The Secure Path of the relative path. Throws an exception if the relative path falls outside of the style sheet folder. Gets the secure path of a file, inside a style sheet folder, from its hash. The hash of the secure path of the file. The secure path of the file; null if the hash does not match a file in any of the secure folders. Loads the content of the file specified with its secure path. The path to the file. The content of the file. Telerik RadTagCloud is a UI component for ASP.NET AJAX applications, which displays a panel (cloud) of commonly used or related keywords. Indicates whether the GenerateTagsFromText method was called. Binds the TagCloud to a IEnumerable data source IEnumerable data source The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Executed right after the item is databound to the data source. Executed when a TagCloud item is clicked. Calculates the coefficient when Linear distribution is used. The TagCloud item for which the coefficient is calculated. The coefficient of the TagCloud item. Calculates the coefficient when Logarithmic distribution is used. The TagCloud item for which the coefficient is calculated. The coefficient of the TagCloud item. Calculates the font size of a TagCloud item using Logarithmic or Linear distribution. The font-size is calculated based on the weight of the item. The Logarithmic or Linear coefficient used for the calculations. The calculated font size of the TagCloud item. Calculates the color of a TagCloud item using Logarithmic or Linear distribution. The (fore) color is calculated based on the weight of the certain item. The Logarithmic or Linear coefficient used for the calculations. The calculated color of the TagCloud item. Gets the fore color of the TagCloud item based on the ForeColor, MinColor and MaxColor properties. The coefficient needed to calculate the fore color of the item. The fore color of the item. Returns a dictionary of <string,int> that represents the frequency of a given word in a text. The text from which word map (dictionary will be created. The dictionary containing the word and the number of times it occurs in the text. Populates the Items collection of the current TagCloud, from a provided text. Every word is weighted based on its occurence in the text. The text from which a weighted cloud will be generated. Reads a .TXT file and returns the text as a string. If the file does not exist, string.Empty is returned. The physical path to the file. The text from the file. Reads an HTML document from the provided URL and returns the text as a string. If the URL does not exist, or the HTML document is not valid, a string.Empty is returned. The URL from which the text will be scanned and returned. The text, with stripped HTML tags, of the HTML document on the provided URL. Finds the least and most important item (i.e. the item with max and min occurance). Writes a default cloud of items at design-time. The HTML text writer. Checks whether a word should be excluded from a given text. The word to check. The list of words that should be excluded from a text. The bool value that indicates whether the word is excluded or not. Checks whether a given character is a valid character that should be included in a word. The character to check. String of invalid characters. If empty string is provided the Char.IsPunctuation is used to check for validity. The 0-based index position of the character in the given text. The text where the character occurs. The string of the valid punctuation characters. The bool value indicating whether a character is a valid one. Usually, letters and numbers are valid word characters. Checks whether a character is punctuation mark (i.e. ,.!?"'-). The character to check. String of punctuation marks. If empty string is provided Char.IsPunctuation method is used to check for punctuation. The bool value indicating whether a character is a punctutation mark. Checks whether a given punctuation mark (i.e. an invalid character) is surronded by alpha numeric characters. If yes the character is considered a valid one and added to the word. The character to check. The 0-based index position of the character in the text. The text where the character occurs. The bool value indicating whether the character is considered a valid one. Strips the HTML from a given text (containing an XHTML markup) and returns the inner text of the HTML elements. The text should be a vaild HTML. The method does not strip the CSS between opening and closing <style> tags, because it assumes that all the CSS occurs in the <head> tag, which is not searched for text by the TagCloud. The text containing the HTML to strip. The bool value that indicates whether the string passed is full Html document. When passing InnerHtml of an element set this value to false. The text within the <body> element is taken into consideration when this parameter is true. String containing the "clean" text. An empty string is returned if the text does not contain a <body> element. Skips an attribute in a given HTML text, and returns the 0-based index position of the closing attribute qoute. The HTML text containing the attribute. The current charater in the text. The 0-based index position of the current character. The 0-based index position of the closing qoute if the current character is the opening qoute. The same position is returned if the current character is not a valid opening qoute. Skips script tags and returns the 0-based index position of the closing <script> tag. The HTML text containing the script tag. The current character of the text. The 0-based index position of the current character of the text. Bool value indicating whether the current character is within a <script> element. The length of the text. The 0-based index position of the closing <script> tag. The current position is returned if the character is outside a script element. Gets the web site's base url. The name of the javascript function called when an item is clicked. The name of the javascript function called after an item is clicked. The name of the javascript function when the control loads. Adds or removes an event handler method from the ItemDataBound event. The event is fried right after RadTagCloudItem is databound. Adds or removes an event handler method from the ItemClick event. The event is fired after RadTagCloudItem is clicked. Gets or sets a value indicating the client-side event handler that is called when the RadTagCloud items are about to be populated from web service. The event is cancellable Gets or sets a value indicating the client-side event handler that is called when the RadTagCloud items were just populated from web service. Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadTagCloud when loading has failed. Gets or sets the name of the JavaScript function that will be called when an item is databound on the client-side. Gets or sets the name of the JavaScript function that will be called when the Rotator is databound on the client-side. Holds the minimal Weight of all the TagCloud items. (Usually, this is the least frequent word.) Holds the maximal Weight of all the TagCloud items. (Usually, this is the most frequent word.) Gets or sets a value indicating whether the GenerateTagsFromText method should be called. Gets or sets a SortedList of items, which is used to more efficently sort the items by weight. The list is then used to calculate the MaxNumberOfItems, when TakeTopWeightedItems is specified to true. Gets or sets a bool value that indicates whether tagCloud items are cleared before data binding. Specifies whether the TagCloud items created on the client-side should be cleared before data binding. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make Telerik RadTagCloud postback to the server on item click. The default value is false. Gets or sets the field of the data source that provides the URL (NavigateUrl) content of the TagCloud items. Gets or sets the formatting string used to control how data bound to the NavigateUrl property of the TagCloud item is displayed. Gets or sets the field of the data source that provides the text content of the TagCloud items. Gets or sets the formatting string used to control how data bound to the Text property of the TagCloud item is displayed. Gets or sets the field of the data source that provides the ToolTip content of the TagCloud items. Gets or sets the formatting string used to control how data bound to the ToolTip property of the TagCloud item is displayed. Gets or sets the field of the data source that provides the value content of the TagCloud items. Gets or sets the field of the data source that provides the weight of the TagCloud items. Gets the collection of all TagCloud items currently present in the TagCloud. Gets or sets a value indicating how the font-size will be distributed among the different words. There is Linear and Logarithmic Distribution. (Use Telerik.Web.UI.TagCloudDistribution.Linear or Telerik.Web.UI.TagCloudDistribution.Logarithmic) Gets or sets the fore color to the most important (frequent) item. Gets or sets the fore color to the least important (frequent) item. Gets or sets the font-size to the most important (frequent) item. Gets or sets the font-size to the least important (frequent) item. Gets or sets the minimal weight a TagCloud item could have. If the weight of the item is less than this value, the keyword will not appear in the cloud. The default value is 0.0, which means the items will not be filtered. Gets or sets the number of visible items in the cloud. The default value is 0, which means the items will not be filtered. Gets or sets the target window or frame to display the new content when the TagCloud item is clicked. Must be used with MaxNumberOfItems property.
Gets or sets a bool value indicating whether the [MaxNumberOfItems] visible items will be the ones with the biggest weight, or the ones that occur first in the DataSource. The default value is false.
The URL to post to when an item is clicked. Gets or sets a bool value indicating whether the item weight will be rendered. It is rendered right next to the item's text. Gets or sets a value indicating how the TagCloud items will be sorted. Possible values are alphabetic and weighted sorting in ascending/descending order. Gets or sets the punctuation characters that will not be included in the TagCloud, when generated from text source.
When none are specified, the Char.IsPunctuation(Char c) method is used to check whether a character is punctuation mark. The property should be used in conjuction with the following properties: Text.
Gets or sets the punctuation characters that will be considered valid (i.e. they should be considered as a character of the word), if they appear between alphanumeric characters. For example the following words are valid, although they have punctuation characters: ASP.NET, web-site, telerik.com, web.config Gets or sets the array of words that will be excluded from the TagCloud, when the cloud is generated from a text source. Gets or sets text from which a weighted cloud will be generated. Most frequent words are more important. Gets or sets the text (.TXT) file from which text will be retrieved to generate tags. Gets or sets the URL from which text will be retrieved to generate tags. Gets the settings for the web service used to populate items An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public TagCloudDataItem[] WebServiceMethodName(int itemIndex, int itemCount) { List<TagCloudDataItem> result = new List<TagCloudDataItem>(); TagCloudDataItem item; for (int i = 0; i < itemCount; i++) { item = new RadTagCloudItemData(); item.accessKey = ""; item.navigateUrl = ""; item.tabIndex = ""; item.text = ""; item.toolTip = ""; item.value = ""; item.weight = 0; result.Add(item); } return result.ToArray(); } } This class represents a item. This class represents a item. Creates a TagCloud item. Creates a TagCloud item from a given data item object. The data item object. Creates a TagCloud item from given text. The text of the TagCloud item to set. Creates a TagCloud item from given text and weight The text of the TagCloud item to set. The weight of the TagCloud item to set. Creates a TagCloud item from given text, weight and navigateUrl. The text of the TagCloud item to set. The weight of the TagCloud item to set. The navigateUrl of the TagCloud item to set. Creates a TagCloud item from given text, weight, navigateUrl and toolTip. The text of the TagCloud item to set. The weight of the TagCloud item to set. The navigateUrl of the TagCloud item to set. The toolTip of the TagCloud item to set. Gets or sets the access key of the TagCloud item. Gets or sets the data object (from the data source) associated with the TagCloud item. Gets the zero based index of the item. Gets or sets the URL of the TagCloud item. When the item is clicked, the user is redirected to the specified url. The URL of the TagCloud item. Gets or sets the TabIndex of the tagCloud item. Gets or sets the text that is displayed in the TagCloud item. The text of the TagCloud item. Gets or sets the Value of the TagCloud item. The value of the TagCloud item. Gets or sets the ToolTip of the TagCloud item. Gets or sets the weight, that determines how the TagCloud item (tag, keyword) will be styled. Greater value means, greater font-weight and size. The weight of the TagCloud item. A collection of RadTagCloudItem objects in a RadTagCloud control. Initializes a new instance of the RadTagCloudItemCollection class. The parent TagCloud control. Adds an item to the TagCloud Items collection. If the Weight of the item is smaller than the MinimalWeightAllowed, the item will not be added to the collection. The TagCloud item to add. Checks whether a TagCloud item is present in the collection. The TagCloud item to check. Bool value indicating whether the TagCloud item is present in the Items collection. Copies the TagCloud Items collection to an array, starting at a particular index. The one-dimensional, zero-based index destination array, to which the elements of the Items collection will be copied. The zero-based index of the array, at which the copying begins. Gets the index of the TagCloud item in the Items collection The TagCloud item the index of. The index of the TagCloud item. Inserts a TagCloud item at the specified index. The index (position), where the TagCloud item will be inserted. The TagCloud item to insert. Removes the passed TagCloud item from the Items collection. The TagCloud item to remove. Removes a TagCloud item from the Items collection, at the specified index. The index of the TagCloud item. Sorts the current list of TagCloud items. The collection itself is not modified. If any of the MinimalWeightAllowed, MaxNumberOfItems and TakeTopWeightedItems properties are set, the collection will be filtered too. The collection of sorted items. Filters the current collection (the collection itself is not modified) of items based on the values of MinimalWeightAllowed, MaxNumberOfItems and TakeTopWeightedItems properties, and returns the filtered collection of TagCloud items. The collection of filtered items. Finds the TagCloud item with minimal weight. Finds the TagCloud item with maximal weight. Finds the TagCloud item with maximal/minimal weight. Sort the items using the ListOfSortedItems Filters the list of items based on a maximum number of items allowed in the tag cloud. Should the items with the highest weight be taken. The list of items to filter. Returns the filtered list of TagCloud items The parent TagCloud control, which the items collection belongs to. Gets an IList object of the Items collection of the TagCloud. Represents the Close command item in a RadDock control. Represents a custom command item in a RadDock control. Initializes a new instance of the DockCommand class. Initializes a new instance of the DockCommand class with the specified clientTypeName, cssClass, name, text and autoPostBack. Creates an HtmlAnchor control with applied CssClass and Title. An HtmlAnchor control. Returns the value of the CssClass property. This method should be overridden in multistate commands, such as DockToggleCommand, to return one of the CssClass and AlternateCssClass properties, depending on the command state. Returns the value of the Text property. This method should be overridden in multistate commands, such as DockToggleCommand, to return one of the Text and AlternateText properties, depending on the command state. Specifies the name of the type of the client object, which will be instantiated when the command is initialized for the first time. Specifies the name of the command. The value of this property is used to determine on the server which command was clicked on the client. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button. Gets or sets a value indicating whether a postback to the server automatically occurs when the user drags the RadDock control. Get ot set the the shortcut key that executes the command Gets or sets the client-side script that executes when the Command event is raised on the client. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client. Initializes a new instance of the DockCloseCommand class Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client. Specifies the name of the command. The value of this property is used to determine on the server which command was clicked on the client. A collection of DockCommand objects in a RadDock control. Appends a DockCommand to the end of the collection Inserts a DockCommand to a given index in the collection Provides data for the DockCommand event. Gets the DockCommand item which initiated the event. Represents the method that handles a DockCommand event The source of the event A DockCommandEventArgs that contains the event data Represents the ExpandCollapse command item in a RadDock control. Represents a two state command item in a RadDock control. Initializes a new instance of the DockToggleCommand class Initializes a new instance of the DockToggleCommand class with the specified clientTypeName, cssClass, alternateCssClass, name, text, alternateText and autoPostBack Returns the value of the CssClass property if the value of the State property is Primary, otherwise AlternateCssClass. Returns the value of the Text property if the value of the State property is Primary, otherwise AlternateText. Gets or sets the initial state of the command item. If the value of this property is Primary, the values of the Text and CssClass properties will be used initially, otherwise the command will use AlternateText and AlternateCssClass. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client when State is Alternate. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button when State is Alternate. Initializes a new instance of the DockExpandCollapseCommand class. Gets or sets the initial state of the command item. If the value of this property is Primary, the values of the Text and CssClass properties will be used initially, otherwise the command will use AlternateText and AlternateCssClass. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button when State is Alternate (Collapsed). Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client when State is Alternate (Collapsed). Specifies the name of the command. The value of this property is used to determine on the server which command was clicked on the client. Represents a object that unifies the most important properties of the class, for easier saving and restoring the state of a RadDock. Each property of this class corresponds to a property in the class. Serializes the current DockState object. The resulting string can be deserialized using the static method, and the identical object recreated. Serialized string that can be later used to recreate the same DockState object. Deserializes the input string, and creates the corresponding object. The string to deserialize. The deserialized DockState object that corresponds to the input string. Creates a new instance of the class. Gets or sets the ClientID of the RadDockZone, where the RadDock control is docked. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the width of the RadDock control. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the height of the RadDock control when it is expanded. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the height of the RadDock control. This property is used to save and restore the value of the property of the RadDock class. Gets the position of the RadDock control in its parent zone. If undocked returns -1. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the vertical position of the RadDock control in pixels. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the horizontal position of the RadDock control in pixels. This property is used to save and restore the value of the property of the RadDock class. Gets or sets a value, indicating whether the RadDock control is closed (style="display:none;"). This property is used to save and restore the value of the property of the RadDock class. Gets or sets a value, indicating whether the RadDock control is resizable. This property is used to save and restore the value of the property of the RadDock class. Gets or sets a value, indicating whether the RadDock control is collapsed. This property is used to save and restore the value of the property of the RadDock class. Gets or sets a value, indicating whether the RadDock control is pinned. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the unique name of the RadDock control, which allows the parent RadDockLayout to automatically manage its position. If this property is not set, the control ID will be used instead. RadDockLayout will throw an exception if it finds two RadDock controls with the same UniqueName. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the additional data associated with the RadDock control. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the text which will appear in the RadDock control titlebar area. This property is used to save and restore the value of the property of the RadDock class. Gets or sets the text which will appear in the RadDock control content area. This property is used to save and restore the value of the property of the RadDock class. Implements methods, needed by RadDock or RadDockZone to register with a control which will take care of the dock positions. Each dock will use this method in its OnInit event to register with the IDockLayout. This is needed in order the layout to be able to manage the dock position, set on the client. Each dock will use this method in its OnUnload event to unregister with the IDockLayout. This is needed in order the layout to be able to manage the dock state properly. Each zone will use this method in its OnInit event to register with the IDockLayout. This is needed so that the layout is able to manage the dock positions, set on the client. Each zone will use this method in its OnUnload event to unregister with the IDockLayout. Docks the RadDock control inside a child zone with ID=newParentClientID. RadDock is a control, which enables the developers to move, dock, expand/collapse any DHTML/ASP.NET content Raises the DockPositionChanged event. This method notifies the server control that it should perform actions to ensure that it should be docked in the specified RadDockZone on the client. Raises the Command event and allows you to handle the Command event directly. Docks the RadDock control in the zone with ClientID equal to dockZoneID. The RadDock control should be placed into a RadDockLayout in order this method to work. It is not necessary for the layout to be a direct parent of the RadDock control. The ClientID of the RadDockZone control, where the control should be docked. Docks the RadDock control in the specified RadDockZone. The RadDockZone control in which the control should be docked. Removes the RadDock control from its parent RadDockZone. Returns the unique name for the dock, based on the UniqueName and the ID properties. A string, containing the UniqueName property of the dock, or its ID, if the UniqueName property is not set. Returns a DockState object, containing data about the current state of the RadDock control. A DockState object, containing data about the current state of the RadDock control. This object could be passed to ApplyState() method. Applies the data from the supplied DockState object. A DockState object, containing data about the state, which should be applied on the RadDock control. overridden. Handles the Init event. Inherited from WebControl. Gets or sets a value, indicating whether the control will initiate postback when it is docked/undocked or its position changes. The default value is false. Gets or sets a value, indicating whether the control is closed (style="display:none;"). When the value of this property is true, the control will be hidden, but its HTML will be rendered on the page. The default value is false. Gets or sets the tooltip of the CloseCommand when the corresponding property was not explicitly set on the command object. Gets or sets a value, indicating whether the control is collapsed. When the value of this property is true, the content area of the control will not be visible. The default value is false. Gets or sets the tooltip of the ExpandCollapseCommand when the dock is not collapsed and the corresponding property was not explicitly set on the command object. Gets a collection of DockCommand objects representing the individual commands within the control titlebar. A DockCommandCollection that contains a collection of DockCommand objects representing the individual commands within the control titlebar. Use the Commands collection to programmatically control the commands buttons within the control titlebar. Gets or sets a value, indicating whether the control will initiate postback when its command items are clicked. The default value is false. Gets the control, where the ContentTemplate will be instantiated in. You can use this property to programmatically add controls to the content area. If you add controls to the ContentContainer the Text property will be ignored. Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the control content area. You cannot set this property twice, or when you added controls to the ContentContainer. If you set ContentTemplate the Text property will be ignored. Gets or sets the value, defining the commands which will appear in the RadDock titlebar when the commands collection is not modified. The default value is Close and ExpandCollapse. Gets or sets the value, defining the behavior of the control titlebar and grips. The default value is TitleBar. Gets or sets a value, indicating whether the control could be left undocked. Gets the ClientID of the RadDockZone, in which the control is docked. When the control is undocked, this property returns string.Empty. Gets or sets a value, indicating whether the control will have animation. When the value of this property is true, the RadDock will be moved, expanded, collapsed, showed and hid with animations. The default value is false. Gets or sets a value, indicating whether the control could be dragged. When the value of this property is true, the control could be dragged with the mouse. The default value is true. Gets or sets a value, indicating whether the control will be with rounded corners. When the value of this property is true, the control will have rounded corners. The default value is false. Gets or sets the tooltip of the ExpandCollapseCommand when the dock is collapsed and the corresponding property was not explicitly set on the command object. Specifies the UniqueNames of the RadDockZone controls, where the RadDock control will NOT be allowed to dock. Specifies the UniqueNames of the RadDockZone controls, where the RadDock control will be allowed to dock. Gets or sets the height of the RadDock control. Gets or sets the expanded height of the RadDock control. Gets the position of the RadDock control in its parent zone. If undocked returns -1. Gets or sets the horizontal position of the RadDock control in pixels. This property is ignored when the RadDock control is docked into a RadDockZone. The default value is "0px". Gets or sets the client-side script that executes when a RadDock Command event is raised. Gets or sets the client-side script that executes when a RadDock DragStart event is raised. Gets or sets the client-side script that executes when a RadDock DragEnd event is raised. Gets or sets the client-side script that executes when a RadDock Drag event is raised. Gets or sets the client-side script that executes when the RadDock control changes its position. Gets or sets the client-side script that executes when the RadDock control is dropped onto a zone before it changes its position. Gets or sets the client-side script that executes after the RadDock client-side obect is initialized. Gets or sets the client-side script that executes after the RadDock client-side object is loaded. Gets or sets the client-side script that executes when a RadDock ResizeStart event is raised. Gets or sets the client-side script that executes when a RadDock ResizeEnd event is raised. Gets or sets a value, indicating whether the control is resizable. When the value of this property is true, the control will be resizable. The default value is false. Gets or sets a value, indicating whether the control is pinned. When the value of this property is true, the control will retain its position if the page scrolled. The default value is false. Gets or sets the tooltip of the PinUnpinCommand when the dock is not pinned and the corresponding property was not explicitly set on the command object. Gets or sets the additional data, which could be saved in the DockState. The default value is an empty string. Gets or sets the text which will appear in the control content area. If the ContentTemplate or the ContentContainer contain any controls, the value of this property is ignored. The default value is an empty string. Gets or sets the text which will appear in the control titlebar area. If the TitlebarTemplate or the TitlebarContainer contain any controls, the value of this property is ignored. The default value is an empty string. Gets the control, in which the TitlebarTemplate will be instantiated. You can use this property to programmatically add controls to the titlebar. If you add controls to the TitlebarContainer the Title property will be ignored. Gets or sets the System.Web.UI.ITemplate that contains the controls which will be placed in the control titlebar. You cannot set this property twice, or when you added controls to the TitlebarContainer. If you set TitlebarTemplate the Title property will be ignored. Gets or sets the vertical position of the RadDock control in pixels. This property is ignored when the RadDock control is docked into a RadDockZone. The default value is "0px". Gets or sets the unique name of the control, which allows the parent RadDockLayout to automatically manage its position. If this property is not set, the control ID will be used instead. RadDockLayout will throw an exception if it finds two RadDock controls with the same UniqueName. Gets or sets the tooltip of the PinUnpinCommand when the dock is pinned and the corresponding property was not explicitly set on the command object. Gets or sets the width of the RadDock control. The default value is "300px". Occurs when the control is docked in another RadDockZone, or its current zone position was changed. Notifies the server control to perform the needed actions to ensure that it should be docked in the specified RadDockZone on the client. Occurs when a command is clicked. The event handler receives an argument of type DockCommandEventArgs containing data related to this event. This enum is used to list the valid modes for the RadEditor content area. The content area will be rendered as a separate document (iframe element). The content area will be rendered in the same document (div element). Workflow: 1). OnInit - ensure that the framework will call TrackViewState, LoadViewState and SaveViewState. We expect that all child docks will be created here. 2). TrackViewState - raise LoadDockLayout event in order to let the developer to supply the initial parents of the registered docks, because the docks could be created with different parents than needed. 2a). LoadViewState - loads and applies the dock parents from the ViewState in order to persist the dock positions between the page postbacks. 3). LoadPostData - returns true to ensure that RaisePostDataChangedEvent() 3a). Dock_DockZoneChanged - this event is raised by each dock in its LoadPostData method. We handle this event and store the pair UniqueName/NewDockZoneID in the _clientPositions Dictionary. This Dictionary will be used in #4. 4). RaisePostDataChangedEvent - sets the parents of the registered docks according their positions, set on the client. These positions are stored in the _clientPositions Dictionary. 5). OnLoad, other events, such as Click, Command, etc. If you create a dock here it will be rendered on the page, but if it is not recreated in the next OnInit, it will not persist its position, set on the client! 6). SaveViewState - stores the dock parents in the ViewState in order to persist their positions between the page postbacks. 7). Page_SaveStateComplete - raises the SaveDockLayout event to let the developer to save the state in a database or other storage medium. Note: The dock parents will be stored in the ViewState if StoreLayoutInViewState is set to true (default). Otherwise the developer should take care of the dock positions when the page is posted back. overridden. Handles the Init event. Inherited from Control. Handler for LoadDockLayout event used for the built-in state storing Handler for LoadDockLayout event used for the built-in state storing Returns the JavaScriptSerializer used for storing the state JavaScriptSerisalizer instance with registered Unit converters The docks must be already created. We will apply their order and if there is a state information, we will apply it. We will apply the dock positions saved in the ViewState here. Overridden. Raises the PreRender event We will loop through all registered docks and will retrieve their positions and state. Those positions will be saved in the ViewState if StoreLayoutInViewState is true. base.SaveViewState() Reorders the docks in the control tree, according the supplied parameters. This method will check for uniqueness of the UniqueNames of the registered docks. If there are two docks with equal unique names an exception will be thrown. A Dictionary, containing UniqueName/DockZoneID pairs. A Dictionary, containing UniqueName/Index pairs. Docks the dock to a zone with ClientID = newParentClientID. The dock which should be docked. The ClientID of the new parent. Cycles through all registered docks and retrieves their parents. The Dictionary returned by this method could be passed to SetRegisteredDockParents(). A dictionary, containing UniqueName/DockZoneID pairs. Cycles through all registered docks and retrieves their indices. The Dictionary returned by this method could be passed to SetRegisteredDockParents(). A dictionary, containing UniqueName/Index pairs. Cycles through all registered docks and retrieves their state, depending on the omitClosedDocks parameter and the value of the Closed property of each RadDock control. The List returned by this method could be used to recreate the docks when the user visits the page again. A bool value that specifies whether the closed RadDock controls should be excluded from the state. A List, containing UniqueName/DockState pairs. Cycles through all registered docks and retrieves their state. The List returned by this method could be used to recreate the docks when the user visits the page again. A List, containing UniqueName/DockState pairs. Raises the LoadDockLayout event. A DockLayoutEventArgs that contains the event data. Raises the SaveDockLayout event. A DockLayoutEventArgs that contains the event data. Ensures that the dock has unique UniqueName or ID properties to its RadDockLayout. If the UniqueName or the ID are not unique, an exception is thrown. A RadDock object. A list of UniqueNames of the RadDock controls in RadDockLayout. A string, containing the UniqueName property of the dock, or its ID if the UniqueName property is not set. Got from the RadDock.GetUniqueName(). Each dock will use this method in its OnInit event to register with the RadDockLayout. This is needed in order for the layout to be able to manage the dock position set on the client. The RadDock object that will be registered. Each zone will use this method in its OnInit event to register with the RadDockLayout. This is needed in order the layout to be able to manage the dock positions, set on the client. The RadDockZone object that will be registered. Docks the dock to a zone with ClientID = newParentClientID. The dock which should be docked. The ClientID of the new parent. Each dock will use this method in its OnUnload event to unregister with the IDockLayout. This is needed in order the layout to be able to manage the dock state properly. The RadDock object that will be unregistered. Each zone will use this method in its OnUnload event to unregister with the IDockLayout. The RadDockZone object that will be unregistered. Each dock will store its position on the client in the DockZoneChanged event. In RaisePostDataChangedEvent() RadDockLayout will reorganize the docks according to this information. All docks, which are direct or indirect children of the RadDockLayout. All zones, which are direct or indirect children of the RadDockLayout. Returns the names of all embedded skins. Used by Telerik.Web.Examples. Returns all registered docks with this RadDockLayout control. Returns a read only collection containing all registered docks. Returns all registered zones with this RadDockLayout control. Returns a read only collection containing all registered zones. RadDockLayout will raise the LoadDockLayout event in order to retrieve the parents which will be automatically applied on the registered docks. The client positions will be applied in a later stage of the lifecycle. RadDockLayout will raise this event to let the developer to save the parents of the registered docks in a database or other storage medium. These parents can be later supplied to the LoadDockLayout event. This is the container where we will store the dock positions set on the client. This is the container where we will store the dock indices set on the client. By default RadDockLayout will store the positions of its inner docks in the ViewState. If you want to store the positions in other storage medium such as a database, or the Session, set this property to false. Setting this property to false will also minimize the ViewState usage. Gets or sets the skin name for the child controls' user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is set, RadDockLayout will set the Skin and EnableEmbeddedSkins properties of each child RadDock and RadDockZone, unless their Skin property is not explicitly set. For internal use. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. If the Skin property is set, RadDockLayout will set the Skin and EnableEmbeddedSkins properties of each child RadDock and RadDockZone, unless their Skin property is not explicitly set. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests. If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Gets or sets the StateStorageProvider instance that will be used for the built-in state storing. Specifies wheter the built-in state storing should be enabled. Gets or sets the type of the data repository to be used for storing the state. The corresponding StorageProvider will be used for the state storing functionality. Gets or sets the key identifier of the stored RadDocks' states. The corresponding StorageProvider will be used for the state storing functionality. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Represents different slider types Defines the position of the slider track Defines the different interaction modes of the slider. Interaction mode is defined for range sliders and specifies the iteraction when one of the drag handle crosses the other drag handle. Telerik RadSlider is a flexible UI component that allows users to select a value from a defined range using a smooth or step-based slider. Gets or sets a value indicating the server-side event handler that is called when the value of the slider has been changed. A string specifying the name of the server-side event handler that will handle the event. The default value is empty string. If specified, the OnValueChanged event handler that is called when the value of the slider has been changed. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnValueChanged property.
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnValueChanged="OnValueChanged">
....
</telerik:RadSlider>
Raises the ItemDataBound event. This event is raised per item for a Data-Bound RadSlider. Event arguments instance containing a reference to the currently bound item Binds the Slider control to a IEnumerable data source IEnumerable data source Creates a Slider item based on the data item object. Adds HTML attributes and styles that need to be rendered to the specified . This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Get/Set the value of the slider Get/Set the position value of the slider, from where the selection region will begin Gets or sets the value of RadSlider in a database-friendly way. A Decimal object that represents the value. The default value is 0m. The following example demonstrates how to use the DbValue property to set the value of RadSlider. private void Page_Load(object sender, System.EventArgs e) { RadSlider1.DbValue = tableRow["SliderValue"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadSlider1.DbValue = tableRow("SliderValue") End Sub This property behaves exactly as the Value property. The only difference is that it will not throw an exception if the new value is null or DBNull. Setting a null value will revert the selected value to 0m. Get/Set the SelectionStart of the slider Get/Set the SelectionEnd of the slider Get/Set the IsSelectionRangeEnabled of the slider Get/Set the EnableDragRange of the slider Get/Set the IsDirectionReversed of the slider Get/Set the LiveDrag of the slider Get/Set the ItemType of the slider items Get/Set the TrackPosition of the slider track Get/Set orientation of the slider Get/Set the step with which the slider value will change Get/Set the delta with which the value will change when user click on the track Get/Set the length of the animation Get/Set the length of the slider including the decrease and increase handles. If the slider is horizontal the width will be set, otherwise the height will be set. Get/Set the Width of the slider including the decrease and increase handles. Get/Set the Height of the slider including the decrease and increase handles. True to cause a postback on value change. Get/Set the min value of the slider Get/Set the max value of the slider Enable/Disable whether the mouse wheel should be handled Show/Hide the drag handle Show/Hide the decrease handle Show/Hide the increase handle Gets or sets the text for the decrease handle Gets or sets the text for the increase handle Gets or sets the text for the increase handle Gets or sets a value, indicating whether the HTML of the control will be output from the server or created with client-side code. Get/Set the InteractionMode of the slider thumbs Gets/Sets a value indicating whether the DataBound items should be appended to the Slider Items collection, or the collection should be cleared before creating the DataBound items. Gets the object through which the user should provide the binding information about the slider items. Gets or sets a value indicating the client-side event handler that is called when the RadSlider control is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientLoad="OnClientLoad">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called before the sliding is started. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientSlideStart client-side event handler is called before the sliding is started. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlideStart property.
<script type="text/javascript">
function OnSlideBeginHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlideStart="OnSlideBeginHandler">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called while the handle is being slided. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientSlide client-side event handler that is called while the handle is being slided. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlide property.
<script type="text/javascript">
function OnSlidingHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlide="OnSlidingHandler">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called when slide has ended. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientSlideEnd client-side event handler that is called when slide has ended. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlideEnd property.
<script type="text/javascript">
function OnSlideHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlideEnd="OnSlideHandler">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called just before the user starts sliding the selected region of RadSlider, thus changing both SelectionStart and SelectionEnd values. A string specifying the name of the JavaScript function which will handle the event. The default value is empty string. If specified, the OnClientSlideRangeStart client-side event handler is called before the user starts sliding the selected region. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlideRangeStart property.
<script type="text/javascript">
function OnClientSlideRangeStart(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlideRangeStart="OnClientSlideRangeStart">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called while the user is sliding the selected region, thus changing the both SelectionStart and SelectionEnd values. A string specifying the name of the JavaScript function which will handle the event. The default value is empty string. If specified, the OnClientSlideRange client-side event handler that is called while the selected region is being slided. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlideRange property.
<script type="text/javascript">
function OnClientSlideRange(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlideRange="OnClientSlideRange">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called when the user releases the selected region of RadSlider, after dragging it, thus changing both SelectionStart and SelectionEnd values. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientSlideRangeEnd client-side event handler that is called when slide has ended. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientSlideRangeEnd property.
<script type="text/javascript">
function OnClientSlideRangeEnd(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientSlideRangeEnd="OnClientSlideRangeEnd">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called when the value of the slider has been changed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientValueChanged property.
<script type="text/javascript">
function OnClientValueChanged(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientValueChanged="OnClientValueChanged">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called just before the value of the slider changes. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlider object. args. This event can be cancelled. The following example demonstrates how to use the OnClientValueChanging property.
<script type="text/javascript">
function OnClientValueChanging(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientValueChanging="OnClientValueChanging">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called when the items of the RadSlider control are created. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientItemsCreated property.
<script type="text/javascript">
function OnClientItemsCreated(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientItemsCreated="OnClientItemsCreated">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called before a Slider item is databound. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemDataBinding client-side event handler is called before a Slider item is databound. Two parameters are passed to the handler: sender, the RadSlider object. args. This event can be cancelled. The following example demonstrates how to use the OnClientItemDataBinding property.
<script type="text/javascript">
function OnClientItemDataBindingHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientItemDataBinding="OnClientItemDataBindingHandler">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called after a Slider item is databound. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientItemDataBound client-side event handler is called after a Slider item is databound. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientItemDataBound property.
<script type="text/javascript">
function OnClientItemDataBoundHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientItemDataBound="OnClientItemDataBoundHandler">
....
</telerik:RadSlider>
Gets or sets a value indicating the client-side event handler that is called after the Slider is databound. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. If specified, the OnClientDataBound client-side event handler is called after the Slider is databound. Two parameters are passed to the handler: sender, the RadSlider object. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientDataBound property.
<script type="text/javascript">
function OnClientDataBoundHandler(sender, args)
{
var slider = sender;
}
</script>
<telerik:RadSlider ID="RadSlider1"
runat= "server"
OnClientDataBound="OnClientDataBoundHandler">
....
</telerik:RadSlider>
Gets a RadSliderItemCollection object that contains the items of the current RadSlider control. A RadSliderItemCollection that contains the items of the current RadSlider control. By default the collection is empty (RadSlider is a numeric slider). Use the Items property to access the child items of RadSlider You can add, remove or modify items from the Items collection. Gets a RadSliderItem object that represents the selected item in the RadSlider control in case ItemType of the control equals SliderItemType.Item. A RadSliderItem object that represents the selected item. If there are no items in the Items collection of the RadSlider control, returns null. Gets a collection of RadSliderItem objects that represent the items in the RadSlider control that are currently selected in case ItemType of the control equals SliderItemType.Item. A RadSliderItemCollection containing the selected items. Gets the Value of the selected item in case ItemType of the RadSlider control equals SliderItemType.Item. The Value of the selected item. If there are no items in the Items collection of the RadSlider control, returns empty string. Gets the Value of the selected item in case ItemType of the RadSlider control equals SliderItemType.Item. The Value of the selected item. If there are no items in the Items collection of the RadSlider control, returns empty string. RadPane class This property is being used internally by the RadSplitter control. Setting it may lead to unpredictable results. The Index property is used internally. Sets/gets the min width to which the pane can be resized Sets/gets the max width to which the pane can be resized Sets/gets the min height to which the pane can be resized Sets/gets the max height to which the pane can be resized Sets/gets whether the content of the pane will get a scrollbars when it exceeds the pane area size Gets or sets a value indicating the client-side event handler that is called when the RadPane is collapsed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the pane object that raised the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientCollapsed property.
<script type="text/javascript">
function OnClientCollapsed(sender, args)
{
alert(sender.get_id());
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientCollapsed="OnClientCollapsed">
....
</radspl:RadPane>
Gets or sets a value indicating the client-side event handler that is called before the RadPane is collapsed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the pane object that raised the event args This event can be cancelled. The following example demonstrates how to use the OnClientCollapsing property.
<script type="text/javascript">
function OnClientCollapsing(sender, args)
{
alert(sender.get_id());
args.set_cancel(true);//cancel the event
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientCollapsing="OnClientCollapsing">
....
</radspl:RadPane>
Gets or sets a value indicating the client-side event handler that is called when the RadPane is expanded. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the pane object that raised the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientExpanded property.
<script type="text/javascript">
function OnClientExpanded(sender, eventArgs)
{
alert(sender.get_id());
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientExpanded="OnClientExpanded">
....
</radspl:RadPane>
Gets or sets a value indicating the client-side event handler that is called before the RadPane is expanded. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the pane object that raised the event args This event can be cancelled. The following example demonstrates how to use the OnClientExpanding property.
<script type="text/javascript">
function OnClientExpanding(sender, args)
{
alert(sender.get_id());
args.set_cancel(true);//cancel the event
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientExpanding="OnClientExpanding">
....
</radspl:RadPane>
Gets or sets a value indicating the client-side event handler that is called when the RadPane is resized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the pane object that raised the event args with the following methods: get_oldWidth - the width of the pane before the resize get_oldHeight - the height of the pane before the resize This event cannot be cancelled. The following example demonstrates how to use the OnClientResized property.
<script type="text/javascript">
function OnClientResized(sender, eventArgs)
{
alert(sender.get_id());
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientResized="OnClientResized">
....
</radspl:RadPane>
Gets or sets a value indicating the client-side event handler that is called before the RadPane is resized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the event object args with the following methods: get_delta - the delta with which the pane will be resized get_resizeDirection - the direction in which the pane will be resized. You can use the Telerik.Web.UI.SplitterDirection hash to check the direction. The 2 possible values are : Forward and Backward This event can be cancelled. The following example demonstrates how to use the OnClientResizing property.
<script type="text/javascript">
function OnClientResizing(sender, eventArgs)
{
alert(sender.get_id());
eventArgs.set_cancel(true);//cancel the event
}
</script>
<radspl:RadPane ID="RadPane1"
runat= "server"
OnClientResizing="OnClientResizing">
....
</radspl:RadPane>
Sets/gets whether the scrolls position will be persisted acrosss postbacks Get the expanded Size of the pane, when the pane is collapsed. In case the Orientation of the splitter is Vertical, returns the expanded Height, otherwise, the expanded Width. Set the expanded Size of the pane, when the pane is collapsed. In case the Orientation of the splitter is Vertical, sets the expanded Height, otherwise, the expanded Width. Sets/gets whether the pane is collapsed Sets/gets whether the pane is locked The URL of the page to load inside the pane. Use the ContentUrl property if you want to load external page into the pane content area. Gets or sets a value indicating whether the page that is loaded through the ContentUrl property should be shown during the loading process, or a loading sign is displayed instead. The default value is true. Get/Set the Width of the pane. Get/Set the Height of the pane. Sets/gets the min width to which the pane can be resized Sets/gets the min height to which the pane can be resized Reference to the parent Splitter object RadSlidingPane class Sets/gets the min height to which the pane can be resized Sets/gets the height of the sliding pane Sets/gets the min width to which the pane can be resized Sets/gets the width of the sliding pane Sets/gets whether the resize bar will be active Sets/gets whether the sliding pane will automatically dock on open When set to true the animation is disabled, so the duration set via the property of the RadSlidingZone is ignored. False by default. Gets or sets the path to an image to display for the item. Sets/gets way the tab of the pane is rendered Sets/gets whether the pane can be docked The title that will be displayed when the pane is docked/docked Gets or sets the text for resize bar Gets or sets the text for undock image Gets or sets the text for dock image Gets or sets the text for collapse image Gets or sets a value indicating whether the sliding pane will create an overlay element. The default value is false. Gets or sets a value indicating the client-side event handler that is called when the RadSlidingPane is docked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlidingPane client object that fired the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientDocked property.
<script type="text/javascript">
function OnClientDocked(sender, args)
{
alert(sender.get_id());
}
</script>
<radspl:RadSlidingPane ID="RadSlidingPane1"
runat= "server"
OnClientDocked="OnClientDocked">
....
</radspl:RadSlidingPane>
Gets or sets a value indicating the client-side event handler that is called when the RadSlidingPane is undocked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlidingPane client object that fired the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientUndocked property.
<script type="text/javascript">
function OnClientUndocked(sender, args)
{
alert(sender.get_id());
}
</script>
<radspl:RadSlidingPane ID="RadSlidingPane1"
runat= "server"
OnClientUndocked="OnClientUndocked">
....
</radspl:RadSlidingPane>
Gets or sets a value indicating the client-side event handler that is called before the RadSlidingPane is docked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlidingPane client object that fired the event args This event can be cancelled. The following example demonstrates how to use the OnClientDocking property.
<script type="text/javascript">
function OnClientDocking(sender, args)
{
alert(sender.get_id());
args.set_cancel(true);//cancel the event
}
</script>
<radspl:RadSlidingPane ID="RadSlidingPane1"
runat= "server"
OnClientDocking="OnClientDocking">
....
</radspl:RadSlidingPane>
Gets or sets a value indicating the client-side event handler that is called before the RadSlidingPane is undocked. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlidingPane client object that fired the event args This event can be cancelled. The following example demonstrates how to use the OnClientUndocking property.
<script type="text/javascript">
function OnClientUndocking(sender, args)
{
alert(sender.get_id());
args.set_cancel(true);//cancel the event
}
</script>
<radspl:RadSlidingPane ID="RadSlidingPane1"
runat= "server"
OnClientUndocking="OnClientUndocking">
....
</radspl:RadSlidingPane>
Reference to the parent SlidingZone object RadSlidingZone class Sets/gets the height of the sliding zone Sets/gets the width of the sliding zone Sets/gets whether the pane should be clicked in order to open Sets/gets the id of the pane that is will be displayed docked Sets/gets the id of the pane that is will be expanded Sets/gets the direction in which the panes will slide Sets/gets the step in px in which the resize bar will be moved when dragged. Sets/gets the duration of the slide animation in milliseconds. Animation is not performed when the RadSlidingPane's property is set to true. Gets or sets a value indicating the client-side event handler that is called when the RadSlidingZone control is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. Two parameters are passed to the handler: sender, the RadSlidingZone that fired the event args This event cannot be cancelled. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, eventArgs)
{
alert(sender.get_id());
}
</script>
<radspl:RadSlidingZone ID="RadSlidingZone1"
runat= "server"
OnClientLoad="OnClientLoad">
....
</radspl:RadSlidingZone>
Reference to the parent Splitter object RadSplitBar class Sets/gets the collapse mode of the splitbar Sets/gets whether the resize bar will be active Sets/gets the step in px in which the resize bar will be moved when dragged. Reference to the parent Splitter object Gets or sets the text for collapse bar images Gets or sets the names of the adjacent panes as they appear in the tooltips for the splitbar buttons. Specifies the collapse mode of a splitbar No collapse is available 1 Forward collapse availalbe only 2 Backward collapse availalbe only 3 Both - forward and backward collapse available 4 Specifies the collapse direction options of the splitter bar On collapse the current pane is collapsed 1 On collapse the next pane is resized 2 A collection of SplitterItem objects in a RadSplitter control. The SplitterItemsCollection class represents a collection of SplitterItem objects. The SplitterItem objects in turn represent panes items within a RadSplitter control. Use the indexer to programmatically retrieve a single SplitterItem from the collection, using array notation. Use the Count property to determine the total number of panes in the collection. Use the Add method to add panes in the collection. Use the Remove method to remove panes from the collection. Initializes a new instance of the SplitterItemsCollection class. Use the constructor to create a new SplitterItemsCollection class. The container of the collection. Appends a SplitterItem to the end of the collection. The following example demonstrates how to programmatically add items in a RadSplitter control. RadPane pane = new RadPane(); RadMenu1.Panes.Add(pane); Dim pane As RadPane = New RadPane() RadMenu1.Panes.Add(pane) Inserts the specified SplitterItem in the collection at the specified index location. Use the Insert method to add a SplitterItem to the collection at the index specified by the index parameter. The location in the collection to insert the SplitterItem. The SplitterItem to add to the collection. Determines the index value that represents the position of the specified SplitterItem in the collection. The zero-based index position of the specified SplitterItem in the collection. Use the IndexOf method to determine the index value of the SplitterItem specified by the item parameter in the collection. If an item with this criteria is not found in the collection, -1 is returned. A SplitterItem to search for in the collection. Determines whether the collection contains the specified SplitterItem. true if the collection contains the specified item; otherwise, false. Use the Contains method to determine whether the SplitterItem specified by the item parameter is in the collection. A SplitterItem to search for in the collection. Removes the specified SplitterItem from the collection. Use the Remove method to remove a SplitterItem from the collection. The following example demonstrates how to programmatically remove a SplitterItem from a RadSplitter control. RadPane pane = RadSplitter1.GetPaneById("pane1"); if (pane != null) { RadSplitter1.Panes.Remove(pane); } Dim pane As RadPane = RadSplitter1.GetPaneById("pane1") If Not pane Is Nothing Then RadSplitter1.Panes.Remove(pane) End If Removes the SplitterItem at the specified index from the collection. Use the RemoveAt method to remove the SplitterItem at the specified index from the collection. The index of the SplitterItem to remove. Removes all items from the collection. Use the Clear method to remove all items from the collection. The Count property is set to 0. Gets a SplitterItem at the specified index in the collection. Use this indexer to get a SplitterItem from the collection at the specified index, using array notation. The zero-based index of the SplitterItem to retrieve from the collection. Specifies the scrolling options for the RadPane object Both X and Y scrolls are displayed 1 Only the scroll on X dimension is displayed 2 Only the scroll on Y dimension is displayed 3 No scrolls are displayed 1 Specifies resize mode options for the RadSplitter object On resize of a pane the adjacent pane is resized also 1 On resize of a pane the other panes are resize proportionaly 2 On resize of a pane the end pane in the splitter is resized also 3 Specifies the available directions for the slide panes Slide panes are sliding from left to right 1 Slide panes are sliding from right to left 2 Slide panes are sliding from top to bottom 3 Slide panes are sliding from bottom to top 4 Specifies views of the pane tab Pane tab is displayed using its Title and Icon 1 Pane tab is displayed using only its Title 2 Pane tab is displayed using only its Icon 3 Class which holds properties for setting the client-side events. Gets or sets the event which is fired when a request to the server is started. The event is fired when a request to the server is started. Gets or sets the event which is fired when a response from the server is processed. The event which is fired when a response from the server is processed. This class holds a reference to a single updated control and the loading panel to display. A constructor of AjaxUpdatedControl which takes the control to be updated and the id of the loading panel to display as parameters. Determines whether the specified is equal to the current . true if the specified is equal to the current ; otherwise, false. Serves as a hash function for a particular type. A hash code for the current . The default constructor of the AjaxUpdatedControl class. The ID of the web control that is to be updated. The ID of the RadAjaxLoadingPanel to be displayed during the update of the control. Height which will be set to the generated UpdatePanel Set class attribute to UpdatePanel that will wrap the UpdatedControl Gets or sets the render mode of the the RadAjaxPanel. The default value is Block. A collection of the controls that are updated by the AjaxManager. Adds an item to the collection Removes the specified item from the collection Checks wether the collection contains the specified item. Gets the index of the specified item in the collection. Inserts an item at the specified index in the collection. Adds a collection to the current collection The collection. The default indexer of the collection. Represents a single AjaxManager setting - a mapping between a control that initiates an AJAX request and a collection of controls to be updated by the operation. Default constructor for the AjaxSetting class. A constructor for AjaxSetting taking the ClientID of the control initiating the AJAX request. This field holds the control id of the control that can initiate an AJAX request. Corresponds to the EventName property of the internally created AsyncPostBackTrigger. A collection of controls that will be updated by the AjaxManager AjaxSettings collection. See AjaxSettings for more information. The default constructor for AjaxSettingsCollection class. See AjaxSettings for more information. This method adds a new AjaxSetting to the collection by building one from its parameters. The web control to be ajaxified (the initiator of the AJAX request) The web control that has to be updated. This method adds a new AjaxSetting to the collection by building one from its parameters. The web control to be ajaxified (the initiator of the AJAX request). The web control that has to be updated. The loading panel which will be shown during the ajax request. This method adds a new AjaxSetting to the collection by building one from its parameters. The web control to be ajaxified (the initiator of the AJAX request). The web control that has to be updated. The loading panel which will be shown during the ajax request. The render mode which determines if the rendered content will be inside of <div> or <span> HTML element. This method adds a new AjaxSetting to the collection by building one from its parameters. The web control to be ajaxified (the initiator of the AJAX request). The web control that has to be updated. The loading panel. The render mode which determines if the rendered content will be inside of <div> or <span> HTML element. Determines the height of the update panel. Adds an item to the collection. An instance of AjaxSetting to be added. Removes an item from the collection. An instance of AjaxSetting to be removed Checks wether the item is present in the collection. An instance of AjaxSetting Determines the index of the specified item. An instance of AjaxSetting Inserts an item at the specificed index in the collection. The index at which the setting will be inserted An instance of AjaxSetting Default indexer for the collection. Base class for and holding base properties available for both controls. Redirects the page to another location. None. This method is usually used in the AJAX event handler instead of Response.Redirect(). It provides the only way to redirect to a page which does not contain any AJAX control at all. The following code redirects from a button's click event handler. Note the control should be ajaxified in order redirection to work. private void Button1_Click(object sender, System.EventArgs e) { RadAjaxManager1.Redirect("support.aspx"); } Private Sub Button1_Click(ByVal sender As Object, ByVal e As System.EventArgs) Handles Button1.Click RadAjaxManager1.Redirect("support.aspx") End Sub 'Button1_Click Displays an alert message at client-side. None. This is the easiest way to show a message, generated from the server, on the client in a message box. Note: Special characteres are not escaped. The following example illustrates a sample usage of the Alert method. private void Button1_Click(object sender, System.EventArgs e) { if (!UserAccessAllowed(UserProfile)) { RadAjaxManager1.Alert("You are not allowed to access this user control!"); } else { LoadSecretControl(); } } Private Sub Button1_Click(ByVal sender As Object, ByVal e As System.EventArgs) Handles Button1.Click If Not UserAccessAllowed(UserProfile) Then RadAjaxManager1.Alert("You are not allowed to access this user control!") Else LoadSecretControl() End If End Sub 'Button1_Click Gets client side code which raises an AjaxRequest event in either AJAX Manager or AJAX Panel. Sets focus to the specified web control after the AJAX Request is finished. Sets focus to the specified web control after the AJAX Request is finished. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. String array with filter strings. Ajax trigger control whose ID matches one of these values will perform a synchronous request. Determines whether the loading panel will be shown during a regular postback. This will work only if the loading panel is attached to the ajax control. Default value is false (disabled). RadAjax for ASP.NET has some limitations when running in medium trust. To make it work you should change the base type of your pages that use radjax from to . However DNN module controls Inherit from Entities.Modules.PortalModuleBase and thus you cannot simply change the page's base class. For such cases you should use the new property RestoreOriginalRenderDelegate. By default it is true, if you work in DNN or medium trust, you should set that to false. By default it is true, if you work in DNN or medium trust, you should set that to false. Gets or sets if the ajax is enabled. If disabled all ajaxified controls will cause postback. Determines if the Ajax is enabled. Enables browser back/forward buttons state (browser history). Please, review the RadAjax "Changes and backwards compatibility" - "Back and Forward buttons" article for more info. When set to true enables support for WAI-ARIA Gets the response scripts which represent JavaScript code that will be passed to the client and executed. The response scripts. Gets a reference to , which holds properties for setting the client-side events This property is overridden in order to support controls which implement INamingContainer. The default value is changed to "AutoID". Gets or sets if the page html head tag will be updated during the ajax request. Determines if the page html head tag will be updated during the ajax request. By design ASP.NET AJAX Framework cancels the ongoing ajax request if you try to initiate another one prior to receiving the response for the first request. By setting the RequestQueueSize property to a value greater than zero, you are enabling the queuing mechanism of RadAjax that will allow you to complete the ongoing request and then initiate the pending requests in the control queue. If the queue is full (queue size equals RequestQueueSize), an attempt for new ajax request will be discarded. The default value is 0 (queuing disabled). Gets if the requst is ajax or full postback. Determines if the request is ajax; otherwise its full postback This property is overridden in order to support controls which implement INamingContainer. The default value is changed to "AutoID". This enumeration defines the possible positions of the RadAjaxLoadingPanel background image. This property matters only if the Skin property is set. The default value is Center. is one of the two major controls of the Telerik RadAjax suite. The other one is . The control provides the easiest way to AJAX-enable ASP.NET web control(s). To do this you simply need to place the controls that you want ajaxified into and Telerik RadAjax takes care of the rest. Best of all this happens transparently to the framework and the controls that are being ajaxified. Registers the CSS references Returns the names of all embedded skins. Used by Telerik.Web.Examples. For internal use only RenderModeBrowserAdaptor instance Returns the preferred RenderMode Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets transparency in percentage. Default value is 0 percents. Gets or sets transparency of the loading panel without affecting the icon. Default value is 0 percents. Defines whether the transparency set in the skin will be applied. Default value is True. Gets or sets the z-index of the loading panel. Default value is 90,000. Gets or sets the position of the skin background image. Default value is center. The IsSticky property of the Loading Panel controls where the panel will appear during the AJAX request. If this property is set to true, the panel will appear where you have placed it on your webform. If this property is set to false, the Loading panel will appear on the place of the updated control(s). By default this property is set to false. Gets or sets the value, indicating whether the loading panel will be displayed over the entire visible area of the page. Gets or sets a value specifying the delay in milliseconds, after which the RadAjaxLoadingPanel will be shown. If the request returns before this time, the RadAjaxLoadingPanel will not be shown. Gets or sets a value that specifies the minimum time in milliseconds that the RadAjaxLoadingPanel will last. The control will not be updated before this period has passed even if the request returns. This will ensure more smoother interface for your page. Gets or sets animation duration in milliseconds. Default value is 0, i.e. no animation. Gets or sets a value indicating whether the loading panel will create an overlay element to ensure popups are over a flash element or Java applet. The default value is false. When set to true enables support for WAI-ARIA Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will not use any skin (backwards compatibility) If EnableEmbeddedSkins is set to false, the control will not register a skin CSS file automatically. For internal use. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets the real skin name for the control user interface. If Skin is not set, returns an empty string, otherwise returns Skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. is one of the two major controls of the Telerik RadAjax suite. The other one is . allows developers rapidly develop powerful and complex AJAX solutions. Gets the current on the page. The current on the page. Gets or sets the default RenderMode for the UpdatePanels. The default RenderMode for the UpdatePanels. Gets or sets if only the ajax initiator UpdatedControls UpdatePanel parents will be updated. Determines if only the ajax initiator UpdatedControls UpdatePanel parents will be updated. Gets or sets the default loading panel for every ajax setting. The default loading panel ID. Gets the ajax settings which sets the relationship between ajaxified and updated controls. The ajax settings which sets the relationship between ajaxified and updated controls. RadAjax no longer allows more than one on the page. Instead, in a complex scenario like WebUserControls or Master/ContentPages, one should place instance on the main/master page and add a proxy control to the user control/content page. copies the exact same designer configuration so that one can set all the necessary AJAX settings within the WebUserControl/ContentPage entirely through the designer. Gets the ajax settings. The ajax settings. This class is required as a base class for any page that hosts a RadAjaxManager control and runs under Medium trust privileges. Inheriting from RadAjaxPage is not required if you run under Full trust. Interface implemented by which forces implementation of AttachOnRender event. is one of the two major controls of the Telerik RadAjax suite. The other one is . The control provides the easiest way to AJAX-enable ASP.NET web control(s). To do this you simply need to place the controls that you want ajaxified into and Telerik RadAjax takes care of the rest. Best of all this happens transparently to the framework and the controls that are being ajaxified. Gets or sets the ID of the RadAjaxLoadingPanel control that will be displayed over the control during AJAX requests. The ID of the RadAjaxLoadingPanel control that will be displayed over the control during AJAX requests. Gets or sets the render mode of the the RadAjaxPanel. The default value is Block. The render mode of the the RadAjaxPanel. The default value is Block. This property specifies the layout of the AjaxPanel. When this is set to FALSE, the AjaxPanel contents will not be wrapped to a new line no matter how wide the control is. This property specifies the horizontal alignment of the RadAjaxPanel contents. Set class attribute to UpdatePanel that will wrap the UpdatedControl This property specifies the image that should be displayed as background in the AjaxPanel. If left blank, no background image is applied. Gets a reference to , which holds properties for setting the client-side events. A reference to , which holds properties for setting the client-side events. Summary description for CalendarDayCollection. See Special Days for more information. IClientData is used to provide a standard way of generating data output from a component, which will be processed and streamed thereafter to the client. gets the data that is required on the client. The returned ArrayList should be processed further and serialized as client-side array of values. ArrayList with the properties to serialize to the client. CalendarDayCollection constructor. Used for Special Days functionality CalendarDayCollection constructor. Used for Special Days functionality Parent RadCalendar object CalendarDayCollection constructor. Used for Special Days functionality ArrayList days collection Parent RadCalendar control Adds a RadCalendarDay object to the collection of CalendarDays. The RadCalendarDay object to add to the collection. Returns a zero based index of a RadCalendarDay object depending on the passed index. The zero-based index, RadCalendarDay object or the date represented by the searched RadCalendarDay object. A zero based index of the RadCalendarDay object in the collection, or -1 if the RadCalendarDay object is not found. Adds a RadCalendarDay object in the collection at the specified index. The index after which the RadCalendarDay object is inserted. The RadCalendarDay object to insert. Deletes a RadCalendarDay object from the collection. The RadCalendarDay object to remove. Deletes the RadCalendarDay object from the collection at the specified index. The index in collection at which the RadCalendarDay object will be deleted. Removes all RadCalendarDay objects in the collection of CalendarDays. Checks whether a specific RadCalendarDay object is in the collection of CalendarDays. The RadCalendarDay object to search. True if the RadCalendarDay is found, false otherwise. Copies all elements of the Array to the specified one-dimensional starting at the specified destination index. The index is specified as a 32-bit integer. The one-dimensional that is the destination of the elements copied from the current . A 32-bit integer that represents the index in array at which copying begins. Copies all elements of the Array to the specified one-dimensional . The one-dimensional that is the destination of the elements copied from the current . Clones the inner . Clones instance. Reverses the order of the elements in the entire collection. Please refer to for details. Copies the elements of CalendarDayCollection to a new of elements. A one-dimensional of elements containing copies of the elements of the . Please refer to for details. Removes a range of elements from the . The zero-based starting index of the range of elements to remove. The number of elements to remove. Adds the templates of the specified collection to the end of the . The templates. Sorts the elements in the or a portion of it. Sorts the elements in the entire using the implementation of each element. Please refer to for details. Sorts the elements in the entire using the specified interface. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. Please refer to for details. Sorts the elements in the specified range using the specified interface. The zero-based starting index of the range of elements to sort. The number of elements to sort. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. and do not denote a valid range of elements in the . is less than zero. -or- is less than zero. Please refer to for details. Returns a RadCalendarDay object depending on the passed index. Only integer and string indexes are valid. Gets or sets the parent controls. The parent controls. Summary description for DayTemplatess. See Day Templates for more information. CalendarDayTemplateCollection constructor. Used for Day Templates functionality. Adds the specified day template to the end of the collection. The day template. Adds the templates of the specified collection to the end of the List. The day templates. Removes all objects from the instance. This method cannot be overridden. Determines whether the is contained in the collection. The day template. Indexes the of. The obj. Removes the first occurrence of a specific from the . The day template. Removes the element at the specified index of the . The index. CalendarDayTemplates collection indexer. Used in Calendar Day Templates functionality. DayTemplate object to find DayTemplate object Gets the number of DayTemplate items in the collection. The number of DayTemplate items in the collection. CalendarView collection. See Multi-View Mode for general information aboout this mode. You can also find code example in the and Title Settings topic. Adds a CalendarView object to the collection of CalendarDays. The CalendarView object to add to the collection. Returns a zero based index of a CalendarView object depending on the passed index. The zero-based index, CalendarView object or the date represented by the searched CalendarView object. A zero based index of the CalendarView object in the collection, or -1 if the CalendarView object is not found. Adds a CalendarView object in the collection at the specified index. The index after which the CalendarView object is inserted. The CalendarView object to insert. Deletes a CalendarView object from the collection. The CalendarView object to remove. Deletes the CalendarView object from the collection at the specified index. The index in collection at which the CalendarView object will be deleted. Removes all CalendarView objects in the collection of CalendarDays. Checks whether a specific CalendarView object is in the collection of CalendarDays. The CalendarView object to search. True if the CalendarView is found, false otherwise. Copies all elements of the Array to the specified one-dimensional starting at the specified destination index. The index is specified as a 32-bit integer. The one-dimensional that is the destination of the elements copied from the current . A 32-bit integer that represents the index in array at which copying begins. Copies all elements of the Array to the specified one-dimensional . The one-dimensional that is the destination of the elements copied from the current . Clones the inner collection. Clones the instance. Reverses the order of the elements in the entire collection. Please refer to for details. Copies the elements of CalendarViewCollection to a new of elements. A one-dimensional of elements containing copies of the elements of the . Please refer to for details. Removes a range of elements from the . The zero-based starting index of the range of elements to remove. The number of elements to remove. Adds the elements of the specified collection to the end of the . The collection whose elements should be added to the end of the . Sorts the elements in the or a portion of it. Sorts the elements in the entire using the implementation of each element. Please refer to for details. Sorts the elements in the entire using the specified interface. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. Please refer to for details. Sorts the elements in the specified range using the specified interface. The zero-based starting index of the range of elements to sort. The number of elements to sort. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. and do not denote a valid range of elements in the . is less than zero. -or- is less than zero. Please refer to for details. Returns a CalendarView object depending on the passed index. Only integer and string indexes are valid. Gets or sets the parent(owner) calendar. The parent(owner) calendar. Collection containing dates of type . Used in Date Selection functionality DateTimeCollection constructor. Used in Date Selection functionality DateTimeCollection constructor. Used in Date Selection functionality Adds a DateTime object to the collection of CalendarDays. The RadDate object to add to the collection. Returns a zero based index of a DateTime object depending on the passed index. The zero-based index, DateTime object or the date represented by the searched DateTime object. A zero based index of the DateTime object in the collection, or -1 if the DateTime object is not found. Adds a DateTime object in the collection at the specified index. The index after which the DateTime object is inserted. The DateTime object to insert. Deletes a DateTime object from the collection. The DateTime object to remove. Deletes the DateTime object from the collection at the specified index. The index in collection at which the DateTime object will be deleted. Removes all DateTime objects in the collection of CalendarDays. Checks whether a specific DateTime object is in the collection of CalendarDays. The DateTime object to search. True if the DateTime is found, false otherwise. Copies all elements of the Array to the specified one-dimensional starting at the specified destination index. The index is specified as a 32-bit integer. The one-dimensional that is the destination of the elements copied from the current . A 32-bit integer that represents the index in array at which copying begins. Copies all elements of the Array to the specified one-dimensional . The one-dimensional that is the destination of the elements copied from the current . Copies all the elements of the current one-dimensional to the specified one-dimensional starting at the specified destination index. The index is specified as a 32-bit integer. The one-dimensional that is the destination of the elements copied from the current . A 32-bit integer that represents the index in array at which copying begins. Clones the inner collection. Clones the instance. Reverses the order of the elements in the entire collection. Please refer to for details. Copies the elements of DateTimeCollection to a new of elements. A one-dimensional of elements containing copies of the elements of the . Please refer to for details. Selects a range of dates from start to end date. The From date. The To date. Removes a range of elements from the . The zero-based starting index of the range of elements to remove. The number of elements to remove. Adds the elements of the specified collection to the end of the . The collection whose elements should be added to the end of the . Sorts the elements in the or a portion of it. Sorts the elements in the entire using the implementation of each element. Please refer to for details. Sorts the elements in the entire using the specified interface. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. Please refer to for details. Sorts the elements in the specified range using the specified interface. The zero-based starting index of the range of elements to sort. The number of elements to sort. The implementation to use when comparing elements. -or- A null reference to use the implementation of each element. and do not denote a valid range of elements in the . is less than zero. -or- is less than zero. Please refer to for details. Returns a DateTime object depending on the passed index. Only integer and string indexes are valid. Gets or sets the parent controls. The parent controls. Exception message constants. For internal use only. For internal use only. Returns a that represents the current . A that represents the current . Returns a collection of custom attributes for this instance of a component. An containing the attributes for this object. Returns the class name of this instance of a component. The class name of the object, or null if the class does not have a name. Returns the name of this instance of a component. The name of the object, or null if the object does not have a name. Returns a type converter for this instance of a component. A that is the converter for this object, or null if there is no for this object. Returns the default event for this instance of a component. An that represents the default event for this object, or null if this object does not have events. Returns the default property for this instance of a component. A that represents the default property for this object, or null if this object does not have properties. Returns an editor of the specified type for this instance of a component. A that represents the editor for this object. An of the specified type that is the editor for this object, or null if the editor cannot be found. Returns the events for this instance of a component. An that represents the events for this component instance. Returns the events for this instance of a component using the specified attribute array as a filter. An array of type that is used as a filter. An that represents the filtered events for this component instance. Returns the properties for this instance of a component. A that represents the properties for this component instance. Returns the properties for this instance of a component using the attribute array as a filter. An array of type that is used as a filter. A that represents the filtered properties for this component instance. Returns an object that contains the property described by the specified property descriptor. A that represents the property whose owner is to be found. An that represents the owner of the specified property. When the ShowColumnHeaders and/or ShowRowHeaders properties are set to true, the UseRowHeadersAsSelectors property specifies whether to use the number of the week, which overrides the used text/image selector if any. When the ShowColumnHeaders and/or ShowRowHeaders properties are set to true, the UseColumnHeadersAsSelectors property specifies whether to use the days of the week, which overrides the used text/image header if any. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. A control which ensures the date entered by the user is verified and accurate. The following example demonstrates how to dynamically add RadDateInput to the page. private void Page_Load(object sender, System.EventArgs e) { RadDateInput dateInput = new RadDateInput(); dateInput.ID = "dateInput"; dateInput.Format = "d"; //Short date format dateInput.Culture = new CultureInfo("en-US"); dateInput.SelectedDate = DateTime.Now; DateInputPlaceholder.Controls.Add(dateInput); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim dateInput As New RadDateInput() dateInput.ID = "dateInput" dateInput.Format = "d" 'Short Date Format dateInput.Culture = New CultureInfo("en-US") dateInput.SelectedDate = DateTime.Now DateInputPlaceholder.Controls.Add(dateInput) End Sub You need to set the DateFormat Property to specify the relevant format for the date. You can also specify the culture information by setting the Culture Property. A control which ensures the date entered by the user is verified and accurate. The following example demonstrates how to dynamically add RadDateInput to the page. private void Page_Load(object sender, System.EventArgs e) { RadDateInput dateInput = new RadDateInput(); dateInput.ID = "dateInput"; dateInput.Format = "d"; //Short date format dateInput.Culture = new CultureInfo("en-US"); dateInput.SelectedDate = DateTime.Now; DateInputPlaceholder.Controls.Add(dateInput); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim dateInput As New RadDateInput() dateInput.ID = "dateInput" dateInput.Format = "d" 'Short Date Format dateInput.Culture = New CultureInfo("en-US") dateInput.SelectedDate = DateTime.Now DateInputPlaceholder.Controls.Add(dateInput) End Sub You need to set the DateFormat Property to specify the relevant format for the date. You can also specify the culture information by setting the Culture Property. The RadInputControl control is the base for all Telrik RadInput controls. , , , , The RadInputControl control is the base for all Telrik RadInput controls. , , , , Sets input focus to a RadInput. Use the Focus method to set the initial focus of the Web page to the RadInput. The page will be opened in the browser with the control selected. The Focus method causes a call to the page focus script to be emitted on the rendered page. If the page does not contain a control with an HTML ID attribute that matches the control that the Focus method was invoked on, then page focus will not be set. An example where this can occur is when you set the focus on a user control instead of setting the focus on a child control of the user control. In this scenario, you can use the FindControl method to find the child control of the user control and invoke its Focus method. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the single input rendering mode which renderes only two main HTML elements on the page, instead of two or three (depending on the specific RadInput) which are rendered in the non-single mode of the controls. The single input rendering mode which renderes only two main HTML elements on the page, instead of two or three (depending on the specific RadInput) which are rendered in the non-single mode of the controls. Occurs after all child controls of the RadDateInput control have been created. You can customize the control there, and add additional child controls. Gets or sets the text of the A string used as a label for the control. The default value is empty string (""). If the value of this property has not been set, a tag will not be rendered. Keep in mind that accessibility standards require labels for all input controls. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
The following code example demonstrates how to use the Label property:
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">


protected void RadTextBox1_TextChanged(object sender, EventArgs e)
{
this.RadTextBox1.Label = this.RadTextBox1.Text;
}
</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<radI:RadTextBox ID="RadTextBox1" AutoPostBack="true" EmptyMessage="Type Here" Label="Default Label: " runat="server" OnTextChanged="RadTextBox1_TextChanged">
</radI:RadTextBox>

</form>
</body>
</html>
Gets or sets the CSS class applied to the tag rendered along with RadInput control. A string used specifying the CSS class of the label of the control. The default value is empty string (""). This property is applicable only if the Label property has been set. Gets or sets a value indicating whether an automatic post back to the server occurs whenever the user presses the ENTER or the TAB key while in the RadInput control. Use the AutoPostBack property to specify whether an automatic post back to the server will occur whenever the user presses the ENTER or the TAB key while in the RadInput control. true if an automatic postback occurs whenever the user presses the ENTER or the TAB key while in the RadInput control; otherwise, false. The default is false. The following code example demonstrates how to use the AutoPostBack property to automatically display the sum of the values entered in the RadTextBoxes when the user presses the ENTER or the TAB key. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

protected void Page_Load(Object sender, EventArgs e)
{
int Answer;

// Due to a timing issue with when page validation occurs, call the
// Validate method to ensure that the values on the page are valid.
Page.Validate();

// Add the values in the text boxes if the page is valid.
if(Page.IsValid)
{
Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text);

AnswerMessage.Text = Answer.ToString();
}

}
</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
The two values are automatically added
<br />
when you tab out of the text boxes.
<br />
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" AutoPostBack="True" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" AutoPostBack="True" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" EnableClientScript="False" Display="Dynamic"
runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
EnableClientScript="False" Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" EnableClientScript="False" Display="Dynamic"
runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
EnableClientScript="False" Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
</table>
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

Protected Sub Page_Load(sender As Object, e As EventArgs)

Dim Answer As Integer

' Due to a timing issue with when page validation occurs, call the
' Validate method to ensure that the values on the page are valid.
Page.Validate()

' Add the values in the text boxes if the page is valid.
If Page.IsValid Then

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text)

AnswerMessage.Text = Answer.ToString()

End If

End Sub
</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter Integer values into the text boxes.
<br />
The two values are automatically added
<br />
When you tab out of the text boxes.
<br />
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" AutoPostBack="True" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" AutoPostBack="True" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" EnableClientScript="False" Display="Dynamic"
runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
EnableClientScript="False" Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" EnableClientScript="False" Display="Dynamic"
runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
EnableClientScript="False" Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
</table>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value that indicates the AutoComplete behavior of the input control One of the System.Web.UI.WebControls.AutoCompleteType enumeration values, indicating the AutoComplete behavior for the input control. The default value is None. The selected value is not one of the System.Web.UI.WebControls.AutoCompleteType enumeration values. To assist with data entry, Microsoft Internet Explorer 5 and later and Netscape support a feature called AutoComplete. AutoComplete monitors a RadInput control and creates a list of values entered by the user. When the user returns to the input at a later time, the list is displayed. Instead of retyping a previously entered value, the user can simply select the value from this list. Use the AutoCompleteType property to control the behavior of the AutoComplete feature for a RadInput control. The System.Web.UI.WebControls.AutoCompleteType enumeration is used to represent the values that you can apply to the AutoCompleteType property. Not all browsers support the AutoComplete feature. Check with your browser to determine compatibility. By default, the AutoCompleteType property for a RadInput control is set to AutoCompleteType.None. With this setting, the RadInput control shares the list with other RadInput controls with the same ID property across different pages. You can also share a list between RadInput controls based on a category, instead of an ID property. When you set the AutoCompleteType property to one of the category values (such as AutoCompleteType.FirstName, AutoCompleteType.LastName, and so on), all RadInput controls with the same category share the same list. You can disable the AutoComplete feature for a RadInput control by setting the AutoCompleteType property to AutoCompleteType.Disabled. Refer to your browser documentation for details on configuring and enabling the AutoComplete feature. For example, to enable the AutoComplete feature in Internet Explorer version 5 or later, select Internet Options from the Tools menu, and then select the Content tab. Click the AutoComplete button to view and modify the various browser options for the AutoComplete feature. This property cannot be set by themes or style sheet themes. The following code example demonstrates how to use the AutoCompleteType enumeration to specify the AutoComplete category for a RadInput control. This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head id="Head1" runat="server">
<title>AutoCompleteType example</title>
</head>
<body>
<form id="form1" runat="server">
<!-- You need to enable the AutoComplete feature on -->
<!-- a browser that supports it (such as Internet -->
<!-- Explorer 5.0 and later) for this sample to -->
<!-- work. The AutoComplete lists are created after -->
<!-- the Submit button is clicked. -->
<h3>
AutoCompleteType example</h3>
Enter values in the text boxes and click the Submit
<br />
button.
<br />
<br />
<!-- The following TextBox controls have different -->
<!-- categories assigned to their AutoCompleteType -->
<!-- properties. -->
First Name:<br />
<radI:RadTextBox ID="FirstNameTextBox" AutoCompleteType="FirstName" runat="server" />
<br />
Last Name:<br />
<radI:RadTextBox ID="LastNameTextBox" AutoCompleteType="LastName" runat="server" />
<br />
Email:<br />
<radI:RadTextBox ID="EmailTextBox" AutoCompleteType="Email" runat="server" />
<br />
<!-- The following TextBox controls have the same -->
<!-- categories assigned to their AutoCompleteType -->
<!-- properties. They share the same AutoComplete -->
<!-- list. -->
Phone Line #1:<br />
<radI:RadTextBox ID="Phone1TextBox" AutoCompleteType="HomePhone" runat="server" />
<br />
Phone Line #2:<br />
<radI:RadTextBox ID="Phone2TextBox" AutoCompleteType="HomePhone" runat="server" />
<br />
<!-- The following TextBox control has its -->
<!-- AutoCompleteType property set to -->
<!-- AutoCompleteType.None. All TextBox controls -->
<!-- with the same ID across different pages share -->
<!-- the same AutoComplete list. -->
Category:<br />
<radI:RadTextBox ID="CategoryTextBox" AutoCompleteType="None" runat="server" />
<br />
<!-- The following TextBox control has the -->
<!-- AutoComplete feature disabled. -->
Comments:<br />
<radI:RadTextBox ID="CommentsTextBox" AutoCompleteType="Disabled" runat="server" />
<br />
<br />
<br />
<asp:Button ID="SubmitButton" Text="Submit" runat="Server" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head id="Head1" runat="server">
<title>AutoCompleteType example</title>
</head>
<body>
<form id="form1" runat="server">
<!-- You need to enable the AutoComplete feature on -->
<!-- a browser that supports it (such as Internet -->
<!-- Explorer 5.0 and later) for this sample to -->
<!-- work. The AutoComplete lists are created after -->
<!-- the Submit button is clicked. -->
<h3>
AutoCompleteType example</h3>
Enter values in the text boxes and click the Submit
<br />
button.
<br />
<br />
<!-- The following TextBox controls have different -->
<!-- categories assigned to their AutoCompleteType -->
<!-- properties. -->
First Name:<br />
<radI:RadTextBox ID="FirstNameTextBox" AutoCompleteType="FirstName" runat="server" />
<br />
Last Name:<br />
<radI:RadTextBox ID="LastNameTextBox" AutoCompleteType="LastName" runat="server" />
<br />
Email:<br />
<radI:RadTextBox ID="EmailTextBox" AutoCompleteType="Email" runat="server" />
<br />
<!-- The following TextBox controls have the same -->
<!-- categories assigned to their AutoCompleteType -->
<!-- properties. They share the same AutoComplete -->
<!-- list. -->
Phone Line #1:<br />
<radI:RadTextBox ID="Phone1TextBox" AutoCompleteType="HomePhone" runat="server" />
<br />
Phone Line #2:<br />
<radI:RadTextBox ID="Phone2TextBox" AutoCompleteType="HomePhone" runat="server" />
<br />
<!-- The following TextBox control has its -->
<!-- AutoCompleteType property set to -->
<!-- AutoCompleteType.None. All TextBox controls -->
<!-- with the same ID across different pages share -->
<!-- the same AutoComplete list. -->
Category:<br />
<radI:RadTextBox ID="CategoryTextBox" AutoCompleteType="None" runat="server" />
<br />
<!-- The following TextBox control has the -->
<!-- AutoComplete feature disabled. -->
Comments:<br />
<radI:RadTextBox ID="CommentsTextBox" AutoCompleteType="Disabled" runat="server" />
<br />
<br />
<br />
<asp:Button ID="SubmitButton" Text="Submit" runat="Server" />
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0
Gets or sets a value indicating whether validation is performed when the RadInput control is set to validate when a postback occurs. true if validation is performed when the RadInput control is set to validate when a postback occurs; otherwise, false. The default value is false. Use the CausesValidation property to determine whether validation is performed on both the client and the server when a RadInput control is set to validate when a postback occurs. Page validation determines whether the input controls associated with a validation control on the page all pass the validation rules specified by the validation control. By default, a RadInput control does not cause page validation when the control loses focus. To set the RadInput control to validate when a postback occurs, set the CausesValidation property to true and the AutoPostBack property to true. When the value of the CausesValidation property is set to true, you can also use the ValidationGroup property to specify the name of the validation group for which the RadInput control causes validation. This property cannot be set by themes or style sheet themes. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0
Gets or sets the maximum number of characters allowed in the text box. The maximum number of characters allowed in the text box. The default is 0, which indicates that the property is not set. Use the MaxLength property to limit the number of characters that can be entered in the RadInput control. This property cannot be set by themes or style sheet themes. For more information, see ThemeableAttribute and Introduction to ASP.NET Themes. The following code example demonstrates how to use the MaxLength property to limit the number of characters allowed in the RadTextBox control to 3. This example has a RadTextBox that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

protected void AddButton_Click(Object sender, EventArgs e)
{
int Answer;

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text);

AnswerMessage.Text = Answer.ToString();

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
Click the Add button to add the two values.
<br />
Click the Reset button to reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

Protected Sub AddButton_Click(sender As Object, e As EventArgs)

Dim Answer As Integer

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text)

AnswerMessage.Text = Answer.ToString()

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter Integer values into the text boxes.
<br />
Click the Add button To add the two values.
<br />
Click the Reset button To reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value indicating whether the contents of the RadInput control can be changed. true if the contents of the RadInput control cannot be changed; otherwise, false. The default value is false. Use the ReadOnly property to specify whether the contents of the RadInput control can be changed. Setting this property to true will prevent users from entering a value or changing the existing value. Note that the user of the RadInput control cannot change this property; only the developer can. The Text value of a RadInput control with the ReadOnly property set to true is sent to the server when a postback occurs, but the server does no processing for a read-only RadInput. This prevents a malicious user from changing a Text value that is read-only. The value of the Text property is preserved in the view state between postbacks unless modified by server-side code. This property cannot be set by themes or style sheet themes. The following code example demonstrates how to use the ReadOnly property to prevent any changes to the text displayed in the RadTextBox control. This example has a RadTextBox that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine TextBox Example </title>

<script runat="server">
protected void SubmitButton_Click(Object sender, EventArgs e)
{

Message.Text = "Thank you for your comment: <br />" + Comment.Text;

}

protected void Check_Change(Object sender, EventArgs e)
{

Comment.Wrap = WrapCheckBox.Checked;
Comment.ReadOnly = ReadOnlyCheckBox.Checked;

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine TextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine RadTextBox Example </title>

<script runat="server">

Protected Sub SubmitButton_Click(sender As Object, e As EventArgs )

Message.Text = "Thank you for your comment: <br />" + Comment.Text

End Sub

Protected Sub Check_Change(sender As Object, e As EventArgs )

Comment.Wrap = WrapCheckBox.Checked
Comment.ReadOnly = ReadOnlyCheckBox.Checked

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine RadTextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value message shown when the control is empty. A string specifying the empty message. The default value is empty string. (""). Shown when the control is empty and loses focus. You can set the empty message text through EmptyMessage property. The following code example demonstrates how to set an empty message in code behind: [C#]
            </%@ Page Language="C#" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
<script runat="server">
protected void Button1_Click(object sender, EventArgs e)
{
RadNumericTextBox1.EmptyMessage = RadNumericTextBox1.Text;
RadNumericTextBox1.Text = String.Empty;
}
</script>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="Type Here" ID="RadNumericTextBox1" runat="server">
</radI:RadTextBox>
<asp:Button ID="Button1" runat="server" Text="Set Empty Message" OnClick="Button1_Click" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" /%>
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>Untitled Page</title>
<script runat="server">
Protected Sub Button1_Click(ByVal sender As Object, ByVal e As System.EventArgs) Handles Button1.Click
RadNumericTextBox1.EmptyMessage = RadNumericTextBox1.Text
RadNumericTextBox1.Text = String.Empty
End Sub
</script>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="Type Here" ID="RadNumericTextBox1" runat="server">
</radI:RadTextBox>
<asp:Button ID="Button1" runat="server" Text="Set Empty Message" />
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the selection on focus options for the RadInput control A Telerik.WebControls.SelectionOnFocus object that represents the selection on focus in RadInput control. The default value is "None". None CaretToBeginning CaretToEnd SelectAll Use this property to provide selection on focus of RadInput control. You can set one of the following values: The following example demonstrates how to set the SelectionOnFocus property from DropDownList:
            </%@ Page Language="C#" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>RadTextBox selection</title>
<script runat="server">
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
{
if (DropDownList1.SelectedValue == "CaretToBeginning")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToBeginning;
}
else if (DropDownList1.SelectedValue == "CaretToEnd")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToEnd;
}
else if (DropDownList1.SelectedValue == "SelectAll")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.SelectAll;
}
}
</script>
</head>
<body>
<form id="form1" runat="server">
<div>
<radI:RadTextBox SelectionOnFocus="CaretToBeginning" ID="RadTextBox1" runat="server"></radI:RadTextBox>
<br />
<asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged">
<asp:ListItem Text="CaretToBeginning">CaretToBeginning</asp:ListItem>
<asp:ListItem Text="CaretToEnd">CaretToEnd</asp:ListItem>
<asp:ListItem Text="SelectAll">SelectAll</asp:ListItem>
</asp:DropDownList></div>
</form>
</body>
</html>
The InvalidStyleDuration property is used to determine how long (in milliseconds) the control will display its invalid style when incorrect data is entered. Gets or sets an instance of the Telerik.WebControls.InputClientEvents class which defines the JavaScript functions (client-side event handlers) that are invoked when specific client-side events are raised. Gets or sets a value indicating whether the button is displayed in the RadInput control. true if the button is displayed; otherwise, false. The default value is true, however this property is only examined when the ButtonTemplate property is not a null reference (Nothing in Visual Basic). Use the ShowButton property to specify whether the button is displayed in the RadInput control. The contents of the button are controlled by the ButtonTemplate property. The following code example demonstrates how to use the ShowButton property to display the button in the RadInput control.
            </%@ Page Language="C#" /%>    
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>Untitled Page</title>
<script language="javascript" type="text/javascript">
function Click(sender)
{
alert("click");
}
</script>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox ShowButton="true" ID="RadNumericTextBox1" runat="server">
<ClientEvents OnButtonClick="Click" />
<ButtonTemplate>
<input type="button" value="click here" />
</ButtonTemplate>
</radI:RadTextBox>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value that indicates whether the button should be positioned left or right of the RadInput box. Gets or sets the CSS class applied to the button. The CSS class applied to the button. Gets or sets the wrapper CSS class which holds the HTML input element. The wrapper CSS class which holds the HTML input element. Gets or sets the text content of the RadInput control. The text displayed in the RadInput control. The default is an empty string (""). Use the Text property to specify or determine the text displayed in the RadInput control. To limit the number of characters accepted by the control, set the MaxLength property. If you want to prevent the text from being modified, set the ReadOnly property. The value of this property, when set, can be saved automatically to a resource file by using a designer tool. The following code example demonstrates how to use the Text property to specify the text displayed in the RadTextBox control. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">


protected void AddButton_Click(object sender, EventArgs e)
{
int Answer;

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text);

AnswerMessage.Text = Answer.ToString();
}
</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
Click the Add button to add the two values.
<br />
Click the Reset button to reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

Protected Sub AddButton_Click(sender As Object, e As EventArgs)

Dim Answer As Integer

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text)

AnswerMessage.Text = Answer.ToString()

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter Integer values into the text boxes.
<br />
Click the Add button To add the two values.
<br />
Click the Reset button To reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets the validation text which is used when validation of the fails. The validation text which is used when validation of the fails. Gets or sets the display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. The display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. Gets or sets the group of controls for which the ra.a.d.input control causes validation when it posts back to the server. The group of controls for which the RadInput control causes validation when it posts back to the server. The default value is an empty string (""). Validation groups allow you to assign validation controls on a page to a specific category. Each validation group can be validated independently from other validation groups on the page. Use the ValidationGroup property to specify the name of the validation group for which the RadInput control causes validation when it posts back to the server. This property has an effect only when the CausesValidation property is set to true. When you specify a value for the ValidationGroup property, only the validation controls that are part of the specified group are validated when the RadInput control posts back to the server. If you do not specify a value for this property and the CausesValidation property is set to true, all validation controls on the page that are not assigned to a validation group are validated when the control posts back to the server. This property cannot be set by themes or style sheet themes. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0
Set to false in order to change "display" style of the wrapper span to "none" When set to true enables support for WAI-ARIA Gets the style properties for RadInput when when the control is empty. A Telerik.WebControls.TextBoxStyle object that represents the style properties for RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set EmptyMessageStyle property:
            </%@ Page Language="C#" /%>    
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Use this property to provide a custom style for the empty message state of RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Empty message style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the FocusedStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <EmptyMessageStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <EmptyMessageStyle> tag.
Gets the style applied to control when is read only."), The style applied to control when is read only."), Gets the style properties for focused RadInput control. A Telerik.WebControls.TextBoxStyle object that represents the style properties for focused RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set FocusedStyle property:
            </%@ Page Language="C#" /%>    
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Use this property to provide a custom style for the focused RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Focused style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the FocusedStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <FocusedStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <FocusedStyle> tag. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets the style properties for disabled RadInput control. A Telerik.WebControls.TextBoxStyle object that represents the style properties for disabled RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set DisabledStyle property:
            </%@ Page Language="C#" /%>      
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Use this property to provide a custom style for the disabled RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Disabled style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the DisabledStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <DisabledStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <DisabledStyle> tag. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets the style properties for invalid state of RadInput control. A Telerik.WebControls.TextBoxStyle object that represents the style properties for invalid RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set InvalidStyle property:
            </%@ Page Language="C#" /%>      
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Use this property to provide a custom style for the invalid state RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Enabled style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the InvalidStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <InvalidStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <InvalidStyle> tag. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Set to true if you like the input to be rendered in invalid state. Gets the style properties for hovered RadInput control. A Telerik.WebControls.TextBoxStyle object that represents the style properties for hovered RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set HoveredStyle property:
            </%@ Page Language="C#" /%>     
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Use this property to provide a custom style for the hovered RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Hovered style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the HoveredStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <HoveredStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <HoveredStyle> tag. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets the style properties for enabled RadInput control. A Telerik.WebControls.TextBoxStyle object that represents the style properties for enabled RadInput control. The default value is an empty TextBoxStyle object. Use this property to provide a custom style for the enabled RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Enabled style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the FocusedStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <EnabledStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <EnabledStyle> tag. The following code example demonstrates how to set EnabledStyle property:
            </%@ Page Language="C#" /%>    
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<EnabledStyle BackColor="red" />
<EmptyMessageStyle BackColor="AliceBlue" />
<FocusedStyle BackColor="yellow" />
<HoveredStyle BackColor="blue" />
</radI:RadTextBox>
</form>
</body>
</html>
Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets or sets width of the Label Gets or sets whether the textbox width should include the textbox paddings and borders. The default value is FALSE, i.e. the textbox will actually be wider than expected. Determines whether the textbox width should include the textbox paddings and borders. The default value is FALSE, i.e. the textbox will actually be wider than expected. Gets or sets whether the textbox width should be recalculated and reset in pixels on the client. This prevents textbox expansion in Internet Explorer if the textbox content is too long, but can cause unexpected side effects, depending on the particular scenario. The default value is TRUE. The textbox width should be recalculated and reset in pixels on the client. This prevents textbox expansion in Internet Explorer if the textbox content is too long, but can cause unexpected side effects, depending on the particular scenario. The default value is TRUE. Gets or sets the height of the Web server control. A that represents the height of the control. The default is . The height was set to a negative value. Gets or sets the access key that allows you to quickly navigate to the Web server control. The access key for quick navigation to the Web server control. The default value is , which indicates that this property is not set. The specified access key is neither null, nor a single character string. Gets or sets the background color of the Web server control. A that represents the background color of the control. The default is , which indicates that this property is not set. Gets or sets the border color of the Web control. A that represents the border color of the control. The default is , which indicates that this property is not set. Gets or sets the border style of the Web server control. One of the enumeration values. The default is NotSet. Gets or sets the border width of the Web server control. A that represents the border width of a Web server control. The default value is , which indicates that this property is not set. The specified border width is a negative value. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . Gets or sets a value indicating whether themes apply to this control. true to use themes; otherwise, false. The default is false. Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the skin name for the control user interface. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. A string containing the skin name for the control user interface. The default is string.Empty. Gets or sets the skin to apply to the control. The name of the skin to apply to the control. The default is . The style sheet has already been applied.- or -The Page_PreInit event has already occurred.- or -The control was already added to the Controls collection. Gets control that contains the buttons of RadInput control The ShowButton or ShowSpinButton properties must be set to true Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets the wrapper control that holds all the buttons of RadInput control The span container that holds the spin buttons and the default button Clears the selected date of the RadDateInput control and displays a blank date. Toggles the smart date parsing. Default value is true. When disabled, the developer need to follow the datetime format carefully otherwise the control will display a warning message. Gets or sets a value that indicates the end of the century that is used to interpret the year value when a short year (single-digit or two-digit year) is entered in the input. The year when the century ends. Default is 2029. Having a value of 2029 indicates that a short year will be interpreted as a year between 1930 and 2029. For example 55 will be interpreted as 1955 but 12 -- as 2012 Gets a value that indicates the start of the century that is used to interpret the year value when a short year (single-digit or two-digit year) is entered in the input. The year when the century starts. Default is 2029. Having a value of 2029 indicates that a short year will be interpreted as a year between 1930 and 2029. For example 55 will be interpreted as 1955 but 12 -- as 2012 Gets the settings associated with increment settings determining the behavior when using the mouse wheel and keyboard arrow keys. The settings associated with increment settings determining the behavior when using the mouse wheel and keyboard arrow keys. Gets or sets the display date format used by RadDateInput.(Visible when the control is not on focus.) You can examine DateTimeFormatInfo class for a list of all available format characters and patterns. private void Page_Load(object sender, System.EventArgs e) { RadDateInput1.DisplayDateFormat = "M/d/yyyy"; //Short date pattern. The same as "d". } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateInput1.DisplayDateFormat = "M/d/yyyy" 'Short date pattern. The same as "d". End Sub A string specifying the display date format used by RadDateInput. The default value is "d" (short date format). If the DisplayDateFormat is left blank, the DateFormat will be used both for editing and display. Gets or sets the date and time format used by RadDateInput. A string specifying the date format used by RadDateInput. The default value is "d" (short date format). private void Page_Load(object sender, System.EventArgs e) { RadDateInput1.DateFormat = "M/d/yyyy"; //Short date pattern. The same as "d". } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateInput1.DateFormat = "M/d/yyyy" 'Short date pattern. The same as "d". End Sub Gets or sets the text content of a control. The text content of a control. Gets the invalid date string in the control's textbox Gets or sets the date content of RadDateInput. A DateTime object that represents the selected date. The default value is MinDate. The following example demonstrates how to use the SelectedDate property to set the content of RadDateInput. private void Page_Load(object sender, System.EventArgs e) { RadDateInput1.SelectedDate = DateTime.Now; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateInput1.SelectedDate = DateTime.Now End Sub Gets or sets if the server-side min/max date validation. The server-side min/max date validation Gets or sets the date content of RadDateInput in a database-friendly way. A DateTime object that represents the selected date. The default value is MinDate. The following example demonstrates how to use the SelectedDate property to set the content of RadDateInput. private void Page_Load(object sender, System.EventArgs e) { RadDateInput1.DbSelectedDate = tableRow["BirthDate"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateInput1.DbSelectedDate = tableRow("BirthDate") End Sub This property behaves exactly like the SelectedDate property. The only difference is that it will not throw an exception if the new value is null or DBNull. Setting a null value will revert the selected date to the MinDate value. Gets or sets the culture used by RadDateInput to format the date. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. The following example demonstrates how to use the Culture property. private void Page_Load(object sender, System.EventArgs e) { RadDateInput1.Culture = new CultureInfo("en-US"); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateInput1.Culture = New CultureInfo("en-US") End Sub Gets or sets the smallest date value allowed by RadDateInput. A DateTime object that represents the smallest date value by RadDateInput. The default value is 1/1/1980. Gets or sets the largest date value allowed by RadDateInput. A DateTime object that represents the largest date value allowed by RadDateInput. The default value is 12/31/2099. Gets or sets the selection on focus options for the RadInput control Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Use this property to provide selection on focus of RadInput control. You can set one of the following values: The following example demonstrates how to set the SelectionOnFocus property from DropDownList:
            </%@ Page Language="C#" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>RadTextBox selection</title>
<script runat="server">
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
{
if (DropDownList1.SelectedValue == "CaretToBeginning")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToBeginning;
}
else if (DropDownList1.SelectedValue == "CaretToEnd")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToEnd;
}
else if (DropDownList1.SelectedValue == "SelectAll")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.SelectAll;
}
}
</script>
</head>
<body>
<form id="form1" runat="server">
<div>
<radI:RadTextBox SelectionOnFocus="CaretToBeginning" ID="RadTextBox1" runat="server"></radI:RadTextBox>
<br />
<asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged">
<asp:ListItem Text="CaretToBeginning">CaretToBeginning</asp:ListItem>
<asp:ListItem Text="CaretToEnd">CaretToEnd</asp:ListItem>
<asp:ListItem Text="SelectAll">SelectAll</asp:ListItem>
</asp:DropDownList></div>
</form>
</body>
</html>
A Telerik.WebControls.SelectionOnFocus object that represents the selection on focus in RadInput control. The default value is "None". None CaretToBeginning CaretToEnd SelectAll
Used to determine if RadDateInput is empty. true if the date is empty; otherwise false. Gets or sets the display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. The display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. Gets or sets the JavaScript event handler fired whenever the date of RadDateInput changes. A string specifying the name of the JavaScript event handling routine. The default value is empty string (""). The event handler function is called with 2 parameters: A reference to the RadDateInput object, which triggered the event; An event arguments object that contains the following properties:
  • OldDate - The old date of the RadDateInput
  • NewDate - The new date of the RadDateInput
This example demonstrates the usage of the OnClientDateChanged property.
            <script type="text/javascript&quot>
function onDateChange(dateInput, args)
{
alert("New date:" + args.NewDate);
}
</script>

<radI:RadDateInput
ID="RadDateInput1"
runat="server"
OnClientDateChanged="onDateChange">
</radI:RadDateInput>
Summary description for AutoPostBackControl. Without AutoPostBack 0 Automatically postback to the server after the Date or Time is modified. 1 Automatically postback to the server after the Time is modified. 2 Automatically postback to the server after the Date is modified. 3 Internal enumeration used by the component Specifies the type of a selector sell. Rendered as the first cell in a row. When clicked if UseRowHeadersAsSelectors is true, it will select the entire row. Rendered as the first cell in a column. When clicked if UseColumnHeadersAsSelectors is true, it will select the entire column. Rendered in the top left corner of the calendar view. When clicked if EnableViewSelector is true, it will select the entire view. Summary description for MonthLayout. Layout_7columns_x_6rows - horizontal layout Layout_14columns_x_3rows - horizontal layout Layout_21columns_x_2rows - horizontal layout Layout_7rows_x_6columns - vertical layout, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. Layout_14rows_x_3columns - vertical layout, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. Layout_21rows_x_2columns - vertical layout, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. Allows the calendar to display the days in a 7 by 6 matrix. 1 Allows the calendar to display the days in a 14 by 3 matrix. 2 Allows the calendar to display the days in a 21 by 2 matrix. 4 Allows the calendar to display the days in a 7 by 6 matrix, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. 8 Allows the calendar to display the days in a 14 by 3 matrix, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. 16 Allows the calendar to display the days in a 21 by 2 matrix, required when UseColumnHeadersAsSelectors is true and Orientation is set to RenderInColumns. 32 Summary description for Orientation. RenderInRows - Renders the calendar data row after row. RenderInColumns - Renders the calendar data column after column. None - Enforces fallback to the default Orientation for Telerik RadCalendar. Renders the calendar data row after row. 1 RenderInColumns - Renders the calendar data column after column. 3 Describes how RadCalendar will handle its layout, and how will react to user interaction. Interactive - user is allowed to select dates, navigate, etc. Preview - does not allow user interaction, for presentation purposes only. Interactive - user is allowed to select dates, navigate, etc. 1 Preview - does not allow user interaction, for presentation purposes only. 2 Summary description for RecurringEvents. DayInMonth - Only the day part of the date is taken into account. That gives the ability to serve events repeated every month on the same day. DayAndMonth - The month and the day part of the date is taken into account. That gives the ability to serve events repeated in a specific month on the same day. Today - gives the ability to control the visual appearance of today's date. None - Default value, means that the day in question is a single point event, no recurrences. Only the day part of the date is taken into account. That gives the ability to serve events repeated every month on the same day. 1 The month and the day part of the date are taken into account. That gives the ability to serve events repeated in a specific month on the same day. 2 The week day is taken into account. That gives the ability to serve events repeated in a specific day of the week. 4 The week day and the month are taken into account. That gives the ability to serve events repeated in a specific week day in a specific month. 8 Gives the ability to control the visual appearance of today's date. 16 The week number, the weekday (Mon, Tue, etc.) and the month are taken into account. That gives the ability to serve public holiday events repeated each year (e.g. Martin Luther King Jr. Day is observed on the third Monday of January each year so you would specify as a date Jan 21st, 2008 (or Jan 19th, 2009 -- it would have the same effect). 32 Default value, means that the day in question is a single point event, no recurrence. 64 Specifies the type of a selector sell. Rendered as the first cell in a row. When clicked, it will select the entire row. Rendered as the first cell in a column. When clicked, it will select the entire column. Rendered in the top left corner of the calendar view. When clicked, it will select the entire view. Defines the JavaScript functions (client-side event handlers) that are invoked when specific client-side event is raised. This class implements the PropertyBag "enabled" base object class, from which all other classes in Telerik RadCalendar descend, excluding those that are descendents of PropertiesControl. Event fired after the RadCalendar client object has been completely initialized. The event is fired immediately after the page onload event. Event fired when a valid date is being selected. Return false to cancel selection. Event fired after a valid date has been selected. Can be used in combination with OnDateClick for maximum convenience. This event can be used to conditionally process the selected date or any related event with it on the client. Event fired when a calendar cell, representing a date is clicked. This event is not the same as OnDateSelected. One can have an OnDateClick event for a disabled or read only calendar cell which does not allow.s OnDateSelected event to be fired. This event can be used to conditionally process some information/event based on the clicked date. Return false to cancel the click event. Event fired when a calendar row header is clicked. This event is not the same as OnDateClick. One can have an OnRowHeaderClick event for a disabled or read only calendar cell which does not allow to select calendar dates. This event can be used to conditionally process some information/event based on the clicked row header. Return false to cancel the click event. Event fired when a calendar column header is clicked. This event is not the same as OnDateClick. One can have an OnColumnHeaderClick event for a disabled or read only calendar cell which does not allow selection of calendar dates. This event can be used to conditionally process some information/event based on the clicked column header. Return false to cancel the click event. Event fired when a calendar view selector is clicked. This event is not the same as OnDateClick. One can have an OnViewSelectorClick event for a disabled or read only calendar cell which does not allow selection of calendar cell. This event can be used to conditionally process some information/event based on the clicked view selector. Return false to cancel the click event. Event fired when the calendar view is about to change. Return false to cancel the event. Event fired when the calendar view has changed. Generally the event is raised as a result of using the built-in navigation controls. Event is raised before the results are rendered, so that custom logic could be executed, and the change could be prevented if necessary. There is no way to find whether the operation was accomplished successfully. This event can be used to preprocess some conditions or visual styles/content before the final rendering of the calendar. Return false to cancel the event. Event fired for every calendar day cell when the calendar is rendered as a result of a client-side navigation (i.e. only in OperationType="Client"). This event mimics the server-side DayRender event -- gives final control over the output of a specific calendar cell. This event can be used to apply final changes to the output (content and visial styles) just before the content is displayed. Summary description for DatePickerClientEvents. See Client Events for more information. Owner RadDatePicker control DatePickerClientEvents constructor. See Client Events for more information. Owner StateBag object Owner RadDatePicker control Gets or sets the name of the client-side event handler that is executed whenever the selected date of the datepicker is changed.
            [ASPX/ASCX]
            
            <script type="text/javascript" >
function DatePicker_OnDateSelected(pickerInstance, args)
{
alert("The picker date has been changed from " + args.OldDate + " to " + args.NewDate);
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server" >
<ClientEvents OnDateSelected="DatePicker_OnDateSelected" />
</radCln:RadDatePicker>
Gets or sets the name of the client-side event handler that is executed prior to opening the calendar popup and its synchronizing with the DateInput value. There can be some conditions you do want not to open the calendar popup on click of the popup button. Then you should cancel the event either by return false; or set its argument args.CancelOpen = true;
            <script type="text/javascript">
function Opening(sender, args)
{
args.CancelOpen = true;
//or
return false;
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupOpening="Opening"/>
</radCln:RadDatePicker>
Set the args.CancelSynchronize = true; to override the default DatePicker behavior of synchronizing the date in the DateInput and Calendar controls. This is useful for focusing the Calendar control on a date different from the DateInput one.
            <script type="text/javascript">
function Opening(sender, args)
{
args.CancelCalendarSynchronize = true;
sender.Calendar.NavigateToDate([2006,12,19]);
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server" >
<ClientEvents OnPopupOpening="Opening"/>
</radCln:RadDatePicker>
            [ASPX/ASCX]        
            
            <script type="text/javascript">
function OnPopupOpening(datepickerInstance, args)
{
......
}
</script>

<radcln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupOpening="OnPopupOpening" />
</radcln:RadDatePicker>
Gets or sets the name of the client-side event handler that is executed prior to closing the calendar popup.
            [ASPX/ASCX]        
            
            <script type="text/javascript">
function OnPopupClosing(datepickerInstance, args)
{
......
}
</script>

<radcln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupClosing="OnPopupClosing" />
</radcln:RadDatePicker>
There can be some conditions you do want not to close the calendar popup on click over it. Then you should cancel the event either by return false; or set its argument args.CancelClose = true;
            <script type="text/javascript">
function Closing(sender, args)
{
args.CancelClose = true;
//or
return false;
}
</script>
<radCln:RadDatePicker ID="RadDatePicker1" runat="server">
<ClientEvents OnPopupClosing="Closing"/>
</radCln:RadDatePicker>
Arguments class used with the DayRender event. Gets a reference to the TableCell object that represents the specified day to render. Gets a reference to the RadCalendarDay object that represents the specified day to render. Gets a reference to the MonthView object that represents the current View, corresponding to the specified day to render. Arguments class used when the DefaultViewChanged event is fired. Gets the CalendarView instance that was the default one prior to the rise of DefaultViewChanged event. Gets the new default CalendarView instance set by the DefaultViewChanged event. Arguments class used with the DayRender event. Gets a reference to the TableCell object that represents the specified day to render. Gets a reference to the RadCalendarDay object that represents the specified day to render. Provides data for the SelectedDateChanged event of the DatePicker control. Gets the previously selected date. The previously selected date. Gets the newly selected date. The newly selected date. Arguments class used when the SelectionChanged event is fired. Gets a reference to the SelectedDates collection, represented by the Telerik RadCalendar component that rise the SelectionChanged event. Event arguments passed when fires events like ItemCreated and ItemDataBound. Gets the associated with the event. The associated with the event. Returns an object for the object. An object for the object. Deletes the item with the specified key from the collection. The key of the item. Removes all elements from the object. The object is read-only. For internal use only. Wrapper class for System.DateTime, which allows implementing persistable DateTime collections like DateTimeCollection. The System.DateTime represented by this RadDate wrapper class. Enumeration determining where a popup RadDatePicker class A control with an integrated control to let users either enter the date and time value directly in the input area or select it from a popup calendar. The values of the two controls are synchronized to allow further change of the chosen date. Override this method to provide any last minute configuration changes. Make sure you call the base implementation. Override this method to provide any last minute configuration changes. Make sure you call the base implementation. Sets input focus to a control. Clears the selected date of the RadDatePicker control and displays a blank date. IPostBackDataHandler implementation Gets or sets a value indicating where RadDatePicker will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadDatePickerResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets the skin name for the control user interface. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. A string containing the skin name for the control user interface. The default is string.Empty. Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Occurs after all child controls of the DatePicker control have been created. You can customize the control there, and add additional child controls. Occurs when the selected date of the DatePicker changes between posts to the server. Gets the RadCalendar instance of the datepicker control. Gets the RadDateInput instance of the datepicker control. Gets the DatePopupButton instance of the datepicker control. You can use the object to customize the popup button's appearance and behavior. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make RadDatePicker postback to the server on date selection through the Calendar or the DateInput components. The default value is false. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the title attribute for the hidden field. The default value is "Visually hidden input created for functionality purposes.". Gets or sets summary attribute for the table which wraps the RadDatePicker controls. Setting this property to empty string will force Telerik RadDatePicker to not render summary tag. The default value is "Table holding date picker control for selection of dates.". Gets or sets the caption for the table which wraps the RadDatePicker controls. Setting this property to empty string will force Telerik RadDatePicker to not render caption tag. The default value is "RadDatePicker". Gets or sets the direction in which the popup Calendar is displayed, with relation to the DatePicker control. Gets or sets whether the screen boundaries should be taken into consideration when the Calendar or TimeView are displayed. Gets or sets the z-index style of the control's popups Gets or sets whether popup shadows will appear. Gets or sets the date content of RadDatePicker. A DateTime object that represents the selected date. The default value is MinDate. The following example demonstrates how to use the SelectedDate property to set the content of RadDatePicker. private void Page_Load(object sender, System.EventArgs e) { RadDatePicker1.SelectedDate = DateTime.Now; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDatePicker1.SelectedDate = DateTime.Now End Sub Gets or sets if the server-side min/max date validation. Determines if the server-side min/max date validation. This property is used by the RadDateInput's internals only. It is subject to change in the future versions. Please do not use. Gets the invalid date string in the control's textbox Gets or sets the date content of RadDatePicker in a database friendly way. A DateTime object that represents the selected date. The default value is null (Nothing in VB). The following example demonstrates how to use the DbSelectedDate property to set the content of RadDatePicker. private void Page_Load(object sender, System.EventArgs e) { RadDatePicker1.DbSelectedDate = tableRow["BirthDate"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDatePicker1.DbSelectedDate = tableRow("BirthDate") End Sub This property behaves exactly like the SelectedDate property. The only difference is that it will not throw an exception if the new value is null or DBNull. Setting a null value will internally revert the SelectedDate to the null value, i.e. the input value will be empty. Used to determine if RadDatePicker is empty. true if the date is empty; otherwise false. Enables or disables typing in the date input box. true if the user should be able to select a date by typing in the date input box; otherwise false. The default value is true. Gets or sets whether the popup control (Calendar or TimeView) is displayed when the DateInput textbox is focused. The default value is false. Gets or sets the minimal range date for selection. Selecting a date earlier than that will not be allowed. This property has a default value of 1/1/1980 Gets or sets the latest valid date for selection. Selecting a date later than that will not be allowed. This property has a default value of 12/31/2099 Gets or sets the culture used by RadDatePicker to format the date. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. The following example demonstrates how to use the Culture property. private void Page_Load(object sender, System.EventArgs e) { RadDatePicker1.Culture = new CultureInfo("en-US"); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDatePicker1.Culture = New CultureInfo("en-US") End Sub Gets or sets the ID of the calendar that will be used for picking dates. This property allows you to configure several datepickers to use a single RadCalendar instance. RadDatePicker will look for the RadCalendar instance in a way similar to how ASP.NET validators work. It will not go beyond the current naming container which means that you will not be able to configure a calendar that is inside a control in another naming container. You can still share a calendar, but you will have to pass a direct object reference via the SharedCalendar property. The string ID of the RadCalendar control if set; otherwise String.Empty. Gets or sets the reference to the calendar that will be used for picking dates. This property allows you to configure several datepickers to use a single RadCalendar instance. The RadCalendar instance if set; otherwise null; This property is not accessible from the VS.NET designer and you will have to set it from the code-behind. It should be used when the shared calendar instance is in another naming container or is created dynamically at runtime. Gets or sets the date that the Calendar uses for focusing itself whenever the RadDateInput component of the RadDatePicker is empty. Sets the render mode of the RadDatePicker and its child controls Gets or sets the width of the datepicker in pixels. Gets the settings associated with showing the its popup controls. The settings associated with showing the its popup controls. Gets the settings associated with hiding the its popup controls. The settings associated with hiding the its popup controls. When set to true enables support for WAI-ARIA Gets or sets an instance of DatePickerClientEvents class which defines the JavaScript functions (client-side event handlers) that are invoked when specific client-side events are raised. Gets or sets a value indicating whether the picker will create an overlay element to ensure popups are over a flash element or Java applet. The default value is false. A control with an integrated control and an integrated control. This combines the features of and in a single control for selecting both a date and a time value. A control in time only mode with an integrated control to let users enter a time directly in the input area or select it from the popup time view control. The values of the two controls are synchronized to allow further change of the chosen time. Gets or sets the skin name for the control user interface. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. A string containing the skin name for the control user interface. The default is string.Empty. Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. This property is used by the RadDateTimeInput's internals only. It is subject to change in the future versions. Please do not use. Gets the RadTimeView instance of the datetimepicker control. Gets the TimePopupButton instance of the RadDateTimeView control. You can use the object to customize the popup button's appearance and behavior. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. The default value is false. Setting this property to true will make RadDateTimePicker postback to the server on date selection through the Calendar and Time popups or the DateInput components. Gets or sets the culture used by RadDateTimePicker to format the date and time value. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. The following example demonstrates how to use the Culture property. private void Page_Load(object sender, System.EventArgs e) { RadDateTimePicker1.Culture = new CultureInfo("en-US"); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDateTimePicker1.Culture = New CultureInfo("en-US") End Sub Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the list selection. The default value is None Set this to Both, TimeView or Calendar if the server needs to capture the selection changed event. This property is effective only for RadDateTimePicker; for RadTimePicker use the AutoPostBack property. Gets or sets the ID of the timeview that will be used for picking time. This property allows you to configure several datetimepickers to use a single RadTimeView instance. RadDateTimePicker will look for the RadTimeView instance in a way similar to how ASP.NET validators work. It will not go beyond the current naming container which means that you will not be able to configure a timeview that is inside a control in another naming container. You can still share a timeview, but you will have to pass a direct object reference via the SharedTimeView property. The string ID of the RadTimeView if set; otherwise String.Empty. Gets or sets the reference to the timeview that will be used for picking time. This property allows you to configure several datetimepickers to use a single RadTimeView instance. The RadTimeView instance if set; otherwise null; This property is not accessible from the VS.NET designer and you will have to set it from the code-behind. It should be used when the shared timeview instance is in another naming container or is created dynamically at runtime. Occurs when an item is data bound to the RadTimeView control. The ItemDataBound event is raised after an item is data bound to the RadTimeView control. This event provides you with the last opportunity to access the data item before it is displayed on the client. After this event is raised, the data item is no longer available. [ASPX] <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %>

<%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<div>
<radCln:RadTimePicker
OnItemDataBound=
"RadTimePicker1_ItemDataBound"
ID="RadTimePicker1"
runat="server">
</radCln:RadTimePicker>
</div>
</form>
</body>
</html>
using System; using System.Data; using System.Configuration; using System.Web; using System.Web.Security; using System.Web.UI; using System.Web.UI.WebControls; using System.Web.UI.WebControls.WebParts; using System.Web.UI.HtmlControls; public partial class _Default : System.Web.UI.Page { protected void RadTimePicker1_ItemDataBound(object sender, Telerik.WebControls.Base.Calendar.Events.TimePickerEventArgs e) { if (e.Item.ItemType == ListItemType.AlternatingItem) { e.Item.Controls.Add(new LiteralControl("AlternatingItem")); } } } Imports System Imports System.Data Imports System.Configuration Imports System.Web Imports System.Web.Security Imports System.Web.UI Imports System.Web.UI.WebControls Imports System.Web.UI.WebControls.WebParts Imports System.Web.UI.HtmlControls Public Class _Default Inherits System.Web.UI.Page Protected Sub RadTimePicker1_ItemDataBound(ByVal sender As Object, ByVal e As Telerik.WebControls.Base.Calendar.Events.TimePickerEventArgs) If (e.Item.ItemType = ListItemType.AlternatingItem) Then e.Item.Controls.Add(New LiteralControl("AlternatingItem")) End If End Sub End Class
Occurs on the server when an item in the RadTimeView control is created. The ItemCreated event is raised when an item in the RadTimeView control is created, both during round-trips and at the time data is bound to the control. The ItemCreated event is commonly used to control the content and appearance of a row in the RadTimeView control. The following code example demonstrates how to specify and code a handler for the ItemCreated event to set the CSS styles on the RadTimeView. [ASPX] <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %>

<%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
<style type="text/css">
.TimeCss
{
background-color: Red;
}
.AlternatingTimeCss
{
background-color: Yellow;
}
</style>
</head>
<body>
<form id="form1" runat="server">
<div>
<radCln:RadTimePicker
OnItemCreated=
"RadTimePicker1_ItemCreated"
ID="RadTimePicker1"
runat="server">
</radCln:RadTimePicker>
</div>
</form>
</body>
</html>
protected void RadTimePicker1_ItemCreated(object sender, Telerik.WebControls.Base.Calendar.Events.TimePickerEventArgs e) { if (e.Item.ItemType == ListItemType.Item) { e.Item.CssClass = "TimeCss"; } if (e.Item.ItemType == ListItemType.AlternatingItem) { e.Item.CssClass = "AlternatingTimeCss"; } } Protected Sub RadTimePicker1_ItemCreated(sender As Object, e As Telerik.WebControls.Base.Calendar.Events.TimePickerEventArgs) If e.Item.ItemType = ListItemType.Item Then e.Item.CssClass = "TimeCss" End If If e.Item.ItemType = ListItemType.AlternatingItem Then e.Item.CssClass = "AlternatingTimeCss" End If End Sub 'RadTimePicker1_ItemCreated
A control in time only mode with an integrated control to let users enter a time directly in the input area or select it from the popup time view control. The values of the two controls are synchronized to allow further change of the chosen time. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make RadTimePicker postback to the server on time selection through the TimeView or the DateInput components. The default value is false. Gets or sets a value indicating whether a postback to the server automatically occurs when the user changes the list selection. Set this to Both, TimeView or Calendar if the server needs to capture the selection changed event. This property is effective only for RadDateTimePicker; for RadTimePicker use the AutoPostBack property. The default value is None Gets or set if TimeSpan object should be used for returning value of DbSelectedDate. Set to True if you want DbSelectedDate to return TimeSpan object. Set to False(the default value) if you want the DbSelectedDate to return DateTime object. Gets or sets the date content of RadTimePicker in a database friendly way. A DateTime object that represents the selected date. The default value is null (Nothing in VB). The following example demonstrates how to use the DbSelectedDate property to set the content of RadDatePicker. private void Page_Load(object sender, System.EventArgs e) { RadDatePicker1.DbSelectedDate = tableRow["TimeOfDay"]; //or RadDatePicker1.DbSelectedDate = tableRow["DateAndTime"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadDatePicker1.DbSelectedDate = tableRow("TimeOfDay") 'or RadDatePicker1.DbSelectedDate = tableRow("DateAndTime") End Sub This property behaves similar to SelectedDate property or to SelectedTime property, depending on UseTimeSpanForBinding is se to true or false. Setting a null value will internally revert the SelectedDate to the null value, i.e. the input value will be empty. Gets or sets the time of the date in the selected date of RadTimePicker using TimeSpan object. Use values between 00:00:00 and 23:59:59 to specify the time of the day If you set SelectedTime to 'null' then the SelectedDate will also become 'null'. The RadTimeView control works only as a popup embedded in a or control. The main reason to add a RadTimeView control from the toolbox to the Web page is when using it as a shared popup control. The RadTimeView control works only as a popup embedded in a or control. The main reason to add a RadTimeView control from the toolbox to the Web page is when using it as a shared popup control. Binds a data source to the invoked server control and all its child controls. Restores view-state information from a previous page request that was saved by the SaveViewState method. The saved view state. Saves any server control view-state changes that have occurred since the time the page was posted back to the server. The saved view state. Returns a collection of custom attributes for this instance of a component. An containing the attributes for this object. Returns the class name of this instance of a component. The class name of the object, or null if the class does not have a name. Returns the name of this instance of a component. The name of the object, or null if the object does not have a name. Returns a type converter for this instance of a component. A that is the converter for this object, or null if there is no for this object. Returns the default event for this instance of a component. An that represents the default event for this object, or null if this object does not have events. Returns the default property for this instance of a component. A that represents the default property for this object, or null if this object does not have properties. Returns an editor of the specified type for this instance of a component. A that represents the editor for this object. An of the specified type that is the editor for this object, or null if the editor cannot be found. Returns the events for this instance of a component. An that represents the events for this component instance. Returns the events for this instance of a component using the specified attribute array as a filter. An array of type that is used as a filter. An that represents the filtered events for this component instance. Returns the properties for this instance of a component. A that represents the properties for this component instance. Returns the properties for this instance of a component using the attribute array as a filter. An array of type that is used as a filter. A that represents the filtered properties for this component instance. Returns an object that contains the property described by the specified property descriptor. A that represents the property whose owner is to be found. An that represents the owner of the specified property. Gets a data bound list control that displays items using templates. Gets or sets DataList ReapeatDirection Gets or sets the custom time values to be displayed in the time picker Allowed objects are: array of strings, array of DateTime objects, array of TimeSpan values; Allowed values should fall between 00:00:00 and 23:59:59 to specify the time of the day Gets or sets a value indicating whether the TimeView should use client time zone offset for the values bound to a custom collection. Setting this property to true will make the timeview to convert its values from UTC to the current user time zone. The default value is false. When set to true enables support for WAI-ARIA Gets or sets the template for alternating time cells in the RadTimeView. Use the AlternatingTimeTemplate property to control the contents of alternating items in the RadTimeView control. The appearance of alternating time cells is controlled by the AlternatingTimeStyle property. To specify a template for the alternating time cells, place the <AlternatingTimeTemplate> tags between the opening and closing tags of the RadTimeView control. You can then list the contents of the template between the opening and closing <AlternatingTimeTemplate> tags. The following code example demonstrates how to use the AlternatingTimeTemplate property to control the contents of alternating items in the RadTimeView control.
<%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView> <AlternatingTimeTemplate> <input type="button" id="button1" value='<%# DataBinder.Eval(((DataListItem)Container).DataItem, "time", "{0:t}") %>' /> </AlternatingTimeTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html>
Gets or sets the template for the footer section of the RadTimeView control. To specify a template for the footer section, place the <FooterTemplate> tags between the opening and closing tags of the RadTimeView control. You can then list the contents of the template between the opening and closing <FooterTemplate> tags. The ShowFooter property must be set to true for this property to be visible. The following code example demonstrates how to use the FooterTemplate property to control the contents of the footer section of the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView ShowFooter="true"> <FooterTemplate> <asp:Label ID="Label1" runat="server" Text="Footer"></asp:Label> </FooterTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets the template for the heading section of the RadTimeView control. Use the HeaderTemplate property to control the contents of the heading section. The appearance of the header section is controlled by the HeaderStyle property. To specify a template for the heading section, place the <HeadingTemplate> tags between the opening and closing tags of the RadTimeView control. You can then list the contents of the template between the opening and closing <HeadingTemplate> tags. The ShowHeader property must be set to true for this property to be visible. The following code example demonstrates how to use the HeaderTemplate property to control the contents of the heading section of the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView> <HeaderTemplate> <asp:Label ID="Label1" runat="server" Text="Header"></asp:Label> </HeaderTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets the template for the heading section of the RadTimeView control. Use the HeaderTemplate property to control the contents of the heading section. The appearance of the header section is controlled by the HeaderStyle property. To specify a template for the heading section, place the <HeadingTemplate> tags between the opening and closing tags of the RadTimeView control. You can then list the contents of the template between the opening and closing <HeadingTemplate> tags. The ShowHeader property must be set to true for this property to be visible. The following code example demonstrates how to use the HeaderTemplate property to control the contents of the heading section of the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView> <HeaderTemplate> <asp:Label ID="Label1" runat="server" Text="Header"></asp:Label> </HeaderTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets the foreground color (typically the color of the text) of the RadTimeView control. A System.Drawing.Color that represents the foreground color of the control. The default is Color.Empty. Use the ForeColor property to specify the foreground color of the RadTimeView control. The foreground color is usually the color of the text. This property will render on browsers earlier than Microsoft Internet Explorer version 4. Note: On browsers that do not support styles, this property is rendered as a FONT element. On browsers that do not support styles, this property is rendered as a FONT element. Gets or sets the background color of the RadTimeView control. Use the BackColor property to specify the background color of the RadTimeView control. This property is set using a System.Drawing.Color object. In general, only controls that render as a <table> tag can display a background color in HTML 3.2, whereas almost any control can in HTML 4.0. For controls that render as a <span> tag (including Label, all validation controls, and list controls with their RepeatLayout property set to RepeatLayout.Flow), this property will work in Microsoft Internet Explorer version 5 or later, but not for Microsoft Internet Explorer version 4. Gets or sets the border color of the RadTimeView control. Use the BorderColor property to specify the border color of the RadTimeView control. This property is set using a System.Drawing.Color object. A System.Drawing.Color that represents the border color of the control. The default is Color.Empty, which indicates that this property is not set. Gets or sets the border style of the RadTimeView control. One of the BorderStyle enumeration values. The default is NotSet. Use the BorderStyle property to specify the border style for the RadTimeView control. This property is set using one of the BorderStyle enumeration values. The following table lists the possible values. Border Style Description NotSet The border style is not set. None No border Dotted A dotted line border. Dashed A dashed line border. Solid A solid line border. Double A solid double line border. Groove A grooved border for a sunken border appearance. Ridge A ridged border for a raised border appearance. Inset An inset border for a sunken control appearance. Note: This property will not render on some browsers. Gets or sets the border width of the RadTimeView control. A Unit that represents the border width of a RadTimeView control. The default value is Unit.Empty, which indicates that this property is not set. Use the BorderWidth property to specify a border width for a control. This property is set with a Unit object. If the Value property of the Unit contains a negative number, an exception is thrown. Gets or sets the cascading style sheet (CSS) class rendered by the RadTimeView on the client. The CSS class rendered by the RadTimeView control on the client. The default is String.Empty. Use the CssClass property to specify the CSS class to render on the client for the RadTimeView control. This property will render on browsers for all controls. It will always be rendered as the class attribute, regardless of the browser. For example, suppose you have the following RadTimeVeiw control declaration: <asp:TextBox id="TextBox1" ForeColor="Red" CssClass="class1" /> The following HTML is rendered on the client for the previous RadTimeView control declaration: Gets or sets the height of the RadTimeView control. A Unit that represents the height of the RadTimeView control. The default is Empty. Use the Height property to specify the height of the RadTimeView control. Gets or sets the width of the RadTimeView control. A Unit that represents the width of the RadTimeView control. The default is Empty. Use the Width property to specify the width of the RadTimeView control. Gets the font properties associated with the RadTimeView control. A FontInfo that represents the font properties of the Web server control. Use the Font property to specify the font properties of the RadTimeView control. This property includes subproperties that can be accessed declaratively in the form of Property-Subproperty (for example Font-Bold) or programmatically in the form of Property.Subproperty (for example Font.Bold). Gets or sets the access key. The access key. Gets or sets a value indicating whether the Web server control is enabled. true if control is enabled; otherwise, false. The default is true. Gets or sets a value indicating whether themes apply to this control. true to use themes; otherwise, false. The default is true. The Page_PreInit event has already occurred.- or -The control has already been added to the Controls collection. Gets or sets the skin to apply to the control. The name of the skin to apply to the control. The default is . The skin specified in the property does not exist in the theme. Gets or sets a value indicating whether the server control persists its view state, and the view state of any child controls it contains, to the requesting client. true if the server control maintains its view state; otherwise false. The default is true. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets default path for the grid images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is string.Empty. Gets or sets a value that specifies whether the border between the cells of the RadTimeView control is displayed. One of the GridLines enumeration values. The default is Both. Use the GridLines property to specify whether the border between the cells of the data list control is displayed. This property is set with one of the GridLines enumeration values. Gets or sets the header associated with the RadTimeView control. Use HeaderText when UseAccessibleHeader is set to true Gets or sets the alignment of the associated caption. Indicates that the control should use accessible header cells in its containing table control. Gets or sets the summary attribute for the RadTimeView. Setting this property to empty string will force Telerik RadTimeView to not render summary attribute. The default value is "Table holding time picker for selecting time of day.". Gets or sets the caption for the table RadTimeView. Setting this property to empty string will force Telerik RadTimeView to not render caption tag. The default value is "RadTimeView". Occurs on the client when an time sell in the RadTimeView control is selected. The default value is String.Empty The following example demonstrates how to attach the OnClientSelectedEvent <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> <script language="javascript"> function ClientTimeSelected(sender, args) { alert(args.oldTime); alert(args.newTime); } </script> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView OnClientTimeSelected="ClientTimeSelected"> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Occurs on the client when a time cell in RadTimeView is about to be selected The default value is String.Empty Gets or sets the horizontal alignment of the RadTimeView control. One of the HorizontalAlign enumeration values. The default is NotSet. Use the HorizontalAlign property to specify the horizontal alignment of the data list control within its container. This property is set with one of the HorizontalAlign enumeration values. Gets or sets the amount of space between the contents of the cell and the cell's border. The distance (in pixels) between the contents of a cell and the cell's border. The default is -1, which indicates that this property is not set. Use the CellPadding property to control the spacing between the contents of a cell and the cell's border. The padding amount specified is added to all four sides of a cell. All cells in the same column of a data listing control share the same cell width. Therefore, if the content of one cell is longer than the content of other cells in the same column, the padding amount is applied to the widest cell. All other cells in the column are also set with this cell width. Similarly, all cells in the same row share the same height. The padding amount is applied to the height of the tallest cell in the row. All other cells in the same row are set with this cell height. Individual cell sizes cannot be specified. The value of this property is stored in view state. Gets or sets the distance between time cells of the RadTimeView. The distance (in pixels) between table cells. The default is -1, which indicates that this property is not set. Use the CellSpacing property to control the spacing between adjacent cells in a data listing control. This spacing is applied both vertically and horizontally. The cell spacing is uniform for the entire data list control. Individual cell spacing between each row or column cannot be specified. The value of this property is stored in view state. Gets or sets the number of columns to display in the RadTimeView control. Use this property to specify the number of columns that display items in the RadTimeView control. For example, if you set this property to 5, the RadTimeView control displays its items in five columns. The following code example demonstrates how to use the Columns property to specify the number of columns to display in the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView Columns="5" > </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets a value indicating whether the footer section is displayed in the RadTimeView control. true if the footer section is displayed; otherwise, false. The default value is true, however this property is only examined when the FooterTemplate property is not a null reference (Nothing in Visual Basic). Use the ShowFooter property to specify whether the footer section is displayed in the RadTimeView control. You can control the appearance of the footer section by setting the FooterStyle property. The contents of the footer section are controlled by the FooterTemplate property. The following code example demonstrates how to use the ShowFooter property to display the footer section in the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView ShowFooter="true" > <FooterTemplate> <asp:Label ID="Label1" runat="server" Text="Hello Footer!"></asp:Label> </FooterTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets a value indicating whether the header section is displayed in the RadTimeView control. true if the header is displayed; otherwise, false. The default value is true, however this property is only examined when the HeaderTemplate property is not a null reference (Nothing in Visual Basic). Use the ShowHeader property to specify whether the header section is displayed in the RadTimeView control. You can control appearance of the header section by setting the HeaderStyle property. The contents of the header section are controlled by the HeaderTemplate property. The following code example demonstrates how to use the ShowHeader property to display the header section in the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimeView ShowHeader="true"> <HeaderTemplate> <asp:Label ID="Label1" runat="server" Text="Hello Header!"></asp:Label> </HeaderTemplate> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets or sets the start time of the control. Provides information about a specific culture. The information includes the names for the culture, the writing system, the calendar used, and formatting for the times. The CultureInfo class renders culture-specific information, such as the associated language, sublanguage, country/region, calendar, and cultural conventions. This class also provides access to culture-specific instances of DateTimeFormatInfo, NumberFormatInfo, CompareInfo, and TextInfo. These objects contain the information required for culture-specific operations, such as casing, formatting dates and numbers, and comparing strings. ite Gets or sets the interval between StartTime and EndTime Gets or sets the format of the time. A custom Time format string consists of one or more custom Time format specifiers, and that format string defines the text representation of a DateTime object that is produced by a formatting operation. Custom Time format specifiers. h Represents the hour as a number from 1 through 12, that is, the hour as represented by a 12-hour clock that counts the whole hours since midnight or noon. Consequently, a particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted without a leading zero. For example, given a time of 5:43, this format specifier displays "5". For more information about using a single format specifier, see Using Single Custom Format Specifiers. hh, hh (plus any number of additional "h" specifiers) Represents the hour as a number from 01 through 12, that is, the hour as represented by a 12-hour clock that counts the whole hours since midnight or noon. Consequently, a particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted with a leading zero. H Represents the hour as a number from 0 through 23, that is, the hour as represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted without a leading zero. HH, HH (plus any number of additional "H" specifiers) Represents the hour as a number from 00 through 23, that is, the hour as represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted with a leading zero. m Represents the minute as a number from 0 through 59. The minute represents whole minutes passed since the last hour. A single-digit minute is formatted without a leading zero. mm, mm (plus any number of additional "m" specifiers) Represents the minute as a number from 00 through 59. The minute represents whole minutes passed since the last hour. A single-digit minute is formatted with a leading zero. s Represents the seconds as a number from 0 through 59. The second represents whole seconds passed since the last minute. A single-digit second is formatted without a leading zero. ss, ss (plus any number of additional "s" specifiers) Represents the seconds as a number from 00 through 59. The second represents whole seconds passed since the last minute. A single-digit second is formatted with a leading zero. t Represents the first character of the A.M./P.M. designator defined in the current System.Globalization.DateTimeFormatInfo.AMDesignator or System.Globalization.DateTimeFormatInfo.PMDesignator property. The A.M. designator is used if the hour in the time being formatted is less than 12; otherwise, the P.M. designator is used. tt, tt (plus any number of additional "t" specifiers) Represents the A.M./P.M. designator as defined in the current System.Globalization.DateTimeFormatInfo.AMDesignator or System.Globalization.DateTimeFormatInfo.PMDesignator property. The A.M. designator is used if the hour in the time being formatted is less than 12; otherwise, the P.M. designator is used.
Standard Time Format Specifiers
t ShortTimePattern - For example, the custom format string for the invariant culture is "HH:mm". T LongTimePattern - For example, the custom format string for the invariant culture is "HH:mm:ss".
Gets the style properties for the time cells in the RadTimeView control. Use this property to provide a custom style for the items of the RadTimeView control. Common style attributes that can be adjusted include foreground color, background color, font, and content alignment within the cell. Providing a different style enhances the appearance of the RadTimeView control. If you specify a red font for the TimeStyle property, all other item style properties in the RadTimeView control will also have a red font. This allows you to provide a common appearance for the control by setting a single item style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the AlternatingTimeStyle property, overriding the red font specified in the TimeStyle property. To specify a custom style for the items of the RadTimeView control, place the <TimeStyle> tags between the opening and closing tags of the RadTimeView control. You can then list the style attributes within the opening <TimeStyle> tag. You can also use the AlternatingTimeStyle property to provide a different appearance for the alternating items in the RadTimeView control. The following code example demonstrates how to use the TimeStyle property to specify a different background color for the time cells in the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <div> <asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged"> <asp:ListItem Text="Select" Value=""></asp:ListItem> <asp:ListItem Text="DarkGray" Value="DarkGray"></asp:ListItem> <asp:ListItem Text="Khaki" Value="Khaki"></asp:ListItem> <asp:ListItem Text="DarkKhaki" Value="DarkKhaki"></asp:ListItem> </asp:DropDownList> </div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimePopupButton ImageUrl="clock.gif" HoverImageUrl="clock.gif" /> <TimeView Skin="None"> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> using System; using System.Data; using System.Configuration; using System.Web; using System.Web.Security; using System.Web.UI; using System.Web.UI.WebControls; using System.Web.UI.WebControls.WebParts; using System.Web.UI.HtmlControls; public partial class _Default : System.Web.UI.Page { protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e) { this.RadTimePicker1.TimeView.TimeStyle.BackColor = System.Drawing.Color.FromName(this.DropDownList1.SelectedItem.Value); } } Gets the style applied to items The style applied to items. Gets the style properties for alternating time sells in the RadTimeView control. Use the AlternatingTimeStyle property to provide a custom style for the alternating time cells in the RadTimeView control. Common style attributes that can be adjusted include foreground color, background color, font, and content alignment within the cell. Providing a different style enhances the appearance of the RadTimeView control. If you specify a red font for the TimeStyle property, all other item style properties in the RadTimeView control will also have a red font. This allows you to provide a common appearance for the control by setting a single item style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the AlternatingTimeStyle property, overriding the red font specified in the TimeStyle property. To specify a custom style for the alternating items, place the <AlternatingTimeStyle> tags between the opening and closing tags of the RadTimeView control. You can then list the style attributes within the opening <AlternatingTimeStyle> tag. The following code example demonstrates how to use the AlternatingTimeStyle property to specify a different background color for alternating items in the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <div> <asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged"> <asp:ListItem Text="Select" Value=""></asp:ListItem> <asp:ListItem Text="DarkGray" Value="DarkGray"></asp:ListItem> <asp:ListItem Text="Khaki" Value="Khaki"></asp:ListItem> <asp:ListItem Text="DarkKhaki" Value="DarkKhaki"></asp:ListItem> </asp:DropDownList> </div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimePopupButton ImageUrl="clock.gif" HoverImageUrl="clock.gif" /> <TimeView Skin="None"> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> using System; using System.Data; using System.Configuration; using System.Web; using System.Web.Security; using System.Web.UI; using System.Web.UI.WebControls; using System.Web.UI.WebControls.WebParts; using System.Web.UI.HtmlControls; public partial class _Default : System.Web.UI.Page { protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e) { this.RadTimePicker1.TimeView.AlternatingTimeStyle.BackColor = System.Drawing.Color.FromName(this.DropDownList1.SelectedItem.Value); } } Gets the style properties for the heading section of the RadTimeView control. Use this property to provide a custom style for the heading of the RadTimeView control. Common style attributes that can be adjusted include foreground color, background color, font, and content alignment within the cell. Providing a different style enhances the appearance of the RadTimeView control. To specify a custom style for the heading section, place the <HeaderStyle> tags between the opening and closing tags of the RadTimeView control. You can then list the style attributes within the opening <HeaderStyle> tag. Note: The ShowHeader property must be set to true for this property to be visible. The following code example demonstrates how to use the HeaderStyle property to specify a custom background color for the heading section of the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimePopupButton ImageUrl="clock.gif" HoverImageUrl="clock.gif" /> <TimeView Skin="None" ShowHeader="true"> <HeaderStyle BackColor="red" /> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> Gets the style properties for the footer section of the RadTimeView control. Use this property to provide a custom style for the footer section of the radTimeView control. Common style attributes that can be adjusted include foreground color, background color, font, and content alignment within the cell. Providing a different style enhances the appearance of the RadTimeView control. The FooterStyle property of the RadTimeView control inherits the style settings of the ControlStyle property. For example, if you specify a red font for the ControlStyle property, the FooterStyle property will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings by setting the FooterStyle property. For example, you can specify a blue font for the FooterStyle property, overriding the red font specified in the ControlStyle property. To specify a custom style for the footer section, place the <FooterStyle> tags between the opening and closing tags of the RadTimeView control. You can then list the style attributes within the opening <FooterStyle> tag. Note: The ShowFooter property must be set to true for this property to be visible. The following code example demonstrates how to use the FooterStyle property to specify a custom background color for the footer section of the RadTimeView control. <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Default.aspx.cs" Inherits="_Default" %> <%@ Register Assembly="RadCalendar.Net2" Namespace="Telerik.WebControls" TagPrefix="radCln" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" > <head runat="server"> <title>Untitled Page</title> </head> <body> <form id="form1" runat="server"> <div> <radCln:RadTimePicker ID="RadTimePicker1" runat="server"> <TimePopupButton ImageUrl="clock.gif" HoverImageUrl="clock.gif" /> <TimeView Skin="None" ShowFooter="true"> <FooterStyle BackColor="Aqua" /> </TimeView> </radCln:RadTimePicker> </div> </form> </body> </html> The control that toggles the TimeView popup. You can customize the appearance by setting the object's properties. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Web server control on the client. The CSS class rendered by the Web server control on the client. The default is . Gets or sets the popup button image URL. Gets or sets the popup button hover image URL. Gets or sets the text displayed when the mouse pointer hovers over the Web server control. The text displayed when the mouse pointer hovers over the Web server control. The default is . Custom Type convertor that gives enhanced selection abilities for the properties that refer to collections like CalendarDayCollection. Returns a collection of standard values for the data type this type converter is designed for when provided with a format context. An that provides a format context that can be used to extract additional information about the environment from which this converter is invoked. This parameter or properties of this parameter can be null. A that holds a standard set of valid values, or null if the data type does not support a standard set of values. Returns whether the collection of standard values returned from is an exclusive list of possible values, using the specified context. An that provides a format context. true if the returned from is an exhaustive list of possible values; false if other values are possible. Returns whether this object supports a standard set of values that can be picked from a list, using the specified context. An that provides a format context. true if should be called to find a common set of values the object supports; otherwise, false. Summary description for JsBuilder. Summary description for Utility. This static member is used translating .NET arrays to JS arrays. Acts like a compressor. The 1D array to compress The compressed string Converts an input 2D JavaScript array like [[5,10,2005],[6,10,2005],[7,10,2005]] into a DateTimeCollection. The DateTimeCollection that will be filled. The input string. RadCalendarDay represents a object that maps date value to corresponding visual settings. Also the object implements Boolean properties that represent the nature of the selected date - whether it is a weekend, disabled or selected in the context of the calendar. Mostly the values of those properties are set at runtime when a RadCalendarDay instance is constructed and passed to the DayRender event. Base class for RadCalendarDay. For internal use only. Reset all properties to their defaults. For internal use only. For internal use only. Persists the ID of the template used by this instance of RichUITemplateControl if any. The TemplateID could be used to index the Templates collection and instantiate the required template. Determines whether the specified compare time is recurring. The compare time. The current calendar. Gets or sets the date represented by this RadCalendarDay. Gets the style properties for the RadCalendarDay instance. A TableItemStyle that contains the style properties for the RadCalendarDay instance. Gets or sets a value indicating whether the RadCalendarDay is qualified as available for selection. Gets or sets a value indicating whether the RadCalendarDay is selected Gets or sets a value indicating whether the RadCalendarDay is disabled Gets or sets a value indicating whether the RadCalendarDay represents the current date. Gets or sets a value indicating whether the RadCalendarDay settings are repeated/recurring through out the valid date range displayed by the calendar. The RecurringEvents enumeration determines which part of the date is handled (day or day and month). Gets or sets a value indicating whether the RadCalendarDay is mapped to a date that represents a non working day/weekend. Gets or sets the text displayed when the mouse pointer hovers over the calendar day. Summary description for BaseRenderer. Summary description for CalendarView. Related to Multi-View Mode functionality. GetEffectiveVisibleDate method. Returns the effective visible date. Usage is demonstrated in the Title Customization topic DateTime object Returns an ArrayList of all properties of RadCalendar that are to be exported on the client. Gets or sets the parent controls. The parent controls. Gets or sets the parent . The parent . Gets or sets the ID of the . Returns the parent ClientID if the view is TopView. The ID of the . Returns the parent ClientID if the view is TopView. Gets the current child views as a . The current child views as a . RenderInRows - Renders the calendar data row after row. RenderInColumns - Renders the calendar data column after column. None - Enforces fallback to the default Orientation for Telerik RadCalendar. RenderInRows - Renders the calendar data row after row. RenderInColumns - Renders the calendar data column after column. None - Enforces fallback to the default Orientation for Telerik RadCalendar. Gets the title text. The title text. Gets or sets if the is hidden. Determines if the is hidden. The presentation type which describes how RadCalendar will handle its layout, and how will react to user interaction. Interactive - user is allowed to select dates, navigate, etc. Preview - does not allow user interaction, for presentation purposes only. Gets or sets if the calendar view header will be visible. Determines if the calendar view header will be visible. Gets or sets if the column headers will be visible. Determines if the column headers will be visible. Gets or sets if the row headers will be visible. Determines if the row headers will be visible. Gets or sets if the row headers will be used as selectors. Determines if the row headers will be used as selectors. Gets or sets if the column headers will be used as selectors. Determines if the column headers will be used as selectors. Gets or sets if the view selector is enabled. Determines if the view selector is enabled. Gets or sets if MultiView Mode is enabled\disabled. Determines if MultiView Mode is enabled\disabled. Gets or sets if the multi selection of dates will be enabled\disabled. Determines if the multi selection of dates will be enabled\disabled. Gets if the MultiView Mode is enabled. Determines if the MultiView Mode is enabled. Gets if the view the top view or part of the child views. Determines if the view the top view or part of the child views. Gets or sets if the calendar view is initialized. Determines if the calendar view is initialized. Gets the number of rows for the multi view. The number of rows for the multi view. Gets the number of columns for the multi view. The number of columns for the multi view. Gets the default row index. The default row index. Gets the default column index. The default column index. Gets or sets the width of the single view. The width of the single view. Gets or sets the height of the single view. The height of the single view. Gets or sets the header . The header . Gets or sets the view . The view . Gets or sets the title alignment. The title alignment. Gets or sets the current view begin date. The current view begin date. Gets or sets the current view end date. The current view end date. Gets the previous . The previous . Gets the next . The next . Gets or sets the calendar view title. The string for the title. Gets or sets the conditions error message which will be displayed if there any errors in the settings. The conditions error message which will be displayed if there any errors in the settings. Gets the number of rows in the . The number of rows in the . Gets the single view columns. The single view columns. Gets or sets the row selector text. The row selector text. Gets or sets the row header image. The row header image. Gets or sets the column header text. The column header text. Gets or sets the column header image. The column header image. Gets or sets the view selector text. The view selector text. Gets or sets the view selector image. The view selector image. Gets or sets the view start date. The view start date. Gets or sets the view end date. The view end date. MonthView object that represents the current View, corresponding to the specified day to render. MonthView constructor. See RadCalendar object for more information. Parent RadCalendar object MonthView constructor. See RadCalendar object for more information. Parent RadCalendar object Date object MonthView constructor. See RadCalendar object for more information. Parent RadCalendar object Date object Parent CalendarView object GetEffectiveVisibleDate method. Returns the effective visible date. Usage is demonstrated in the Title Customization topic DateTime object Gets the month start date. The month start date. Gets the month end date. The month end date. Gets or sets the string format of the title. The string format of the title. Default value is 'MMMM'. Descendent of Control, DayTemplate implements an ITemplate wrapper, required for building collections of templates like CalendarDayTemplateCollection. Gets or sets the day template. The day template. This is the control that is used to instantiate any required template. A collection of RadComboBoxItem objects in a RadComboBox control. The RadComboBoxItemCollection class represents a collection of RadComboBoxItem objects. Use the indexer to programmatically retrieve a single RadComboBoxItem from the collection, using array notation. Use the Count property to determine the total number of combo items in the collection. Use the Add method to add items in the collection. Use the Remove method to remove items from the collection. Initializes a new instance of the RadComboBoxItemCollection class. The owner of the collection. Appends the specified RadComboBoxItem object to the end of the current RadComboBoxItemCollection. The RadComboBoxItem to append to the end of the current RadComboBoxItemCollection. The following example demonstrates how to programmatically add items in a RadComboBox control. RadComboBoxItem newsItem = new RadComboBoxItem("News"); RadComboBox1.Items.Add(newsItem); Dim newsItem As RadPanelItem = New RadComboBoxItem("News") RadComboBox1.Items.Add(newsItem) Appends an item to the collection. The text of the new item. Finds the first RadComboBoxItem with Text that matches the given text value. The first RadComboBoxItem that matches the specified text value. The string to search for. This method is not recursive. Finds the first RadComboBoxItem with Value that matches the given value. The first RadComboBoxItem that matches the specified value. The value to search for. This methods is not recursive. Searches the items in the collection for a RadComboBoxItem which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadComboBoxItem that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Finds the first RadComboBoxItem with Text that matches the given text value. The first RadComboBoxItem that matches the specified text value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByText("New York",true) RadComboBoxItem item = RadComboBox1.FindItemByText("New York",true); The string to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Finds the first RadComboBoxItem with Value that matches the given value. The first RadComboBoxItem that matches the specified value. Dim item As RadComboBoxItem = RadComboBox1.FindItemByValue("1", true) RadComboBoxItem item = RadComboBox1.FindItemByValue("1", true); The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the index of the first RadComboBoxItem with Text that matches the given text value. The string to search for. Returns the index of the first RadComboBoxItem with Text that matches the given text value. The string to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the index of the first RadComboBoxItem with Value that matches the given value. The value to search for. Returns the index of the first RadComboBoxItem with Value that matches the given value. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the first RadComboBoxItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadComboBox1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadComboBoxItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadComboBox1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadComboBoxItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Determines whether the specified RadComboBoxItem object is in the current RadComboBoxItemCollection. The RadComboBoxItem object to find. true if the current collection contains the specified RadComboBoxItem object; otherwise, false. Appends the specified array of RadComboBoxItem objects to the end of the current RadComboBoxItemCollection. The following example demonstrates how to use the AddRange method to add multiple items in a single step. RadComboBoxItem[] items = new RadComboBoxItem[] { new RadComboBoxItem("First"), new RadComboBoxItem("Second"), new RadComboBoxItem("Third") }; RadComboBox1.Items.AddRange(items); Dim items() As RadComboBoxItem = {New RadComboBoxItem("First"), New RadComboBoxItem("Second"), New RadComboBoxItem("Third")} RadComboBox1.Items.AddRange(items) The array of RadComboBoxItem o append to the end of the current RadComboBoxItemCollection. Determines the index of the specified RadComboBoxItem object in the collection. The RadComboBoxItem to locate. The zero-based index of item within the current RadComboBoxItemCollection, if found; otherwise, -1. Inserts the specified RadComboBoxItem object in the current RadComboBoxItemCollection at the specified index location. The zero-based index location at which to insert the RadComboBoxItem. The RadComboBoxItem to insert. Inserts an item to the collection at the specified index. The zero-based index location at which to insert the RadComboBoxItem. The text of the new item. Removes the specified RadComboBoxItem object from the current RadComboBoxItemCollection. The RadComboBoxItem object to remove. Removes the specified RadComboBoxItem object from the current RadComboBoxItemCollection. The zero-based index of the index to remove. Sort the items from RadComboBoxItemCollection. Sort the items from RadComboBoxItemCollection. An object from IComparer interface. Gets the RadComboBoxItem object at the specified index in the current RadComboBoxItemCollection. The zero-based index of the RadComboBoxItem to retrieve. The RadComboBoxItem at the specified index in the current RadComboBoxItemCollection. Provides data to the RadComboBoxItem event argument. Gets or sets the RadComboBoxItem. The RadComboBoxItem. Clientside implementation of visual element resize functionality Clientside implementation of visual element resize functionality This class is intended to simply define the common scripts reference Used from DialogLoaderBase to extract the definition of the dialog to be loaded The parameters got from the DialogLoader. They must include either VirtualPath or Type for the control to be loaded. Used from a RadControl (Editor, Spell) to define an UserControl dialog The path to the ascx to be loaded The parameters to be passed to the dialog Used from a RadControl (Editor, Spell) to define a WebControl dialog The type of the control to be loaded The parameters to be passed to the dialog Gets or sets a value indicating the behavior of this dialog - if it can be resized, has expand/collapse commands, closed command, etc. This is the default dialog handler class for Telerik dialogs. It requires Session State to be enabled This class can be used instead of the default (DialogHandler) class for Telerik dialogs. It does not require Session State to be enabled. This class is provided for backwards compatibility with old solutions. An empty class to just indicate that the parameters must be taken in a querystring/javascript manner Instantiates the DialogParametersProvider The page that uses the DialogParametersProvider Returns the DialogParameters for a dialog the unique identifier of the dialogOpener, which parameters are stored the name of the dialog which parameters are requested the DialogParameters for the specified dialog of the exact editor Stores the DialogParameters for all the dialogs of a specified RadDialogOpener the unique identifier of the editor which DialogParameters will be stored The list of dialog parameters DialogParametersSerializer - serializes a DialogParameters object to a string and deserializes it. Known limitations: When deserializing, the enum values are passed as ints and an implicit cast is required. If a string array with a one element == string.Empty is passed, the deserialized array will have no elements Represents a collection of RadDock objects. Initializes a new instance of the DockCollection class. The RadDockZone that will contain the RadDock objects. Sorts the RadDock objects in the DockCollection. A delegate that represents the method for comparing two RadDock objects. Defines the RadDock titlebar and grips behavior. The control will not have titlebar or grips. The control will have only titlebar. The control will have only grips. Provides data for the SaveDockLayout and the LoadDockLayout events. Initializes a new instance of the DockLayoutEventArgs class. Dictionary, containing UniqueName/DockZoneID pairs. Dictionary, containing UniqueName/Index pairs. Represents the method that handles a SaveDockLayout or LoadDockLayout events. The source of the event. A DockLayoutEventArgs that contains the event data. Defines the docking behavior of a RadDock control. The RadDock control is able to float (to be undocked). The RadDock control is able to dock into zones. The RadDock control is able to be both docked and undocked. Represents the PinUnpin command item in a RadDock control. Initializes a new instance of the DockPinUnpinCommand class. Gets or sets the initial state of the command item. If the value of this property is Primary, the values of the Text and CssClass properties will be used initially, otherwise the command will use AlternateText and AlternateCssClass. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button. Specifies the text, which will be displayed as tooltip when the user hovers the mouse cursor over the command button when State is Alternate (Pinned). Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client. Gets or sets the Cascading Style Sheet (CSS) class rendered by the Command item on the client when State is Alternate (Pinned). Specifies the name of the command. The value of this property is used to determine on the server which command was clicked on the client. Defines the commands which should appear in the RadDock control titlebar when its Commands property is not set. No commands will appear Close command ExpandCollapse command PinUnpin command All commands Provides data for the DockPositionChanged event. Contains the ClientID of the dock zone the dock has been dropped to. If the dock was not dropped in a zone (undocked) the value will be string.Empty. Contains the index of the dock in the new dock zone. Gets a bool value indicating whether the RadDock is actually dragged or just it changed its position in the zone, or changed zone itself. True if the user has actually dragged the dock. Represents the method that handles a DockPositionChanged event. The source of the event. A DockPositionChangedEventArgs that contains the event data. Defines the state of a DockToggleCommand item. The command is in primary state. It will be initially rendered using the CssClass and Text properties. The command is in alternate state. It will be initially rendered using the AlternateCssClass and AlternateText properties. Use this attribute to set the width of a DropDown Use this attribute to set the height of a DropDown Use this attribute to set the popup class name of a DropDown Use this attribute to let the DropDown to adjust its size to its content automatically Use this attribute to set the number of the items per row in a DropDown Copied from Reflector Represents a CssFile item. A strongly typed collection of EditorCssFile objects About dialog for RadEditor The name of the dialog (e.g. "About") Enables or disables async (no postback) upload in the file browser dialogs. A Bool, specifying whether async upload should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, uploading new files in these dialogs will happen faster - without a doing a full postback. Selecting a file will start the upload process immediately. After the file(s) are successfuly uploaded, the user should click the "Upload" button to go back to the file explorer view. Enables or disables multiple item selection in the file browser dialogs. A Bool, specifying whether multiple item selection should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, will allow multiple files / folders to be selected and deleted / copied / moved. Also, if Insert button is clicked all the selected file items will be inserted in the editor's content area Enables or disables async (no postback) upload in the file browser dialogs. A Bool, specifying whether async upload should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, uploading new files in these dialogs will happen faster - without a doing a full postback. Selecting a file will start the upload process immediately. After the file(s) are successfuly uploaded, the user should click the "Upload" button to go back to the file explorer view. Enables or disables multiple item selection in the file browser dialogs. A Bool, specifying whether multiple item selection should be enabled. Default value is false Used in the RadEditor dialogs like Image Manager, Document Manager. If the value is set to true, will allow multiple files / folders to be selected and deleted / copied / moved. Also, if Insert button is clicked all the selected file items will be inserted in the editor's content area Sets the render mode of the controls in the browser dialogs. A Telerik.Web.UI.RenderMode, specifying the Render mode of the controls in the dialogs. Default value is Telerik.Web.UI.RenderMode.Classic. A RadEditor color picker color The ColorPickerItem class represents Colors items within a RadColorPicker control. Creates an instance of the ColorPickerItem class. Creates an instance of the ColorPickerItem class. The color of the RadColorPicker item. Creates an instance of the ColorPickerItem class. The color of the RadColorPicker item. The title that will be displayed in the tooltip of the item. Gets or sets the index of the ColorPickerItem. Gets or sets the tooltip text of the ColorPickerItem. Gets or sets the Color value of the ColorPickerItem. Initializes a new instance of the class. Initializes a new instance of the class. Initializes a new instance of the class. A strongly typed collection of EditorColor objects Initializes a new instance of the class. Adds a EditorColor object, initialized with the specified value. When overridden in a derived class, instructs an object contained by the collection to record its entire state to view state, rather than recording only change information. The that should serialize itself completely. Represents a RadEditor context menu. Gets or sets the name of the tag, this EditorContextMenu will be associated to. Gets or sets a value indicating whether this is enabled. true if enabled; otherwise, false. Gets the collection of EditorTool objects, placed in this context menu instance. A strongly typed collection of EditorContextMenu objects Adds the specified item to the collection. If the collection already contains an item with the same TagName, it will be replaced with the new item. Represents a CssClass dropdown item. A strongly typed collection of EditorCssClass objects Represents a FontName dropdown item. A strongly typed collection of EditorFont objects Represents a FontSize dropdown item. A strongly typed collection of EditorFontSize objects A strongly typed collection of EditorLink objects Represents a FormatBlock dropdown item. The text which will be displayed in the FormatBlock dropdown The tag which the selected text will be enclosed with. A strongly typed collection of EditorParagraph objects Represents a RealFontSize dropdown item. A strongly typed collection of EditorRealFontSize objects Represents a InsertSnippet dropdown item. A strongly typed collection of EditorSnippet objects Represents a InsertSymbol dropdown item. A strongly typed collection of EditorSymbol objects Represents a SpellCheck dropdown item. A strongly typed collection of SpellCheckerLanguage objects A special EditorTool object, which is rendered as a separator by the default ToolAdapter. Gets or sets the type of the tool - by default it is a button The type of the tool on the client. Represents a ToolStrip RadEditor tool, containing other tools. Gets or sets the name of the tool strip. The name. Gets or sets whether the text of the selected tool will be shown. Gets or sets the default text of the ToolStrip. The name. Gets the collection of EditorTool objects, inside the tool strip. The tools. Encapsulates the properties used for ImageManager dialog management. Gets or sets the default suffix for thumbnails. A String, specifying the default thumbnail suffix. The default value is "thumb". Used in the ImageManager dialog. The value of the ImageEditorFileSuffix property is used to determine if an image selected in the file browser is a thumbnail of another image in the same folder. When a thumbnail image is selected in the file list, additional controls for the image insertion appear - if the inserted image should link to the original one and if the link that will be inserted will open in a new window. Gets or sets the HttpHandlerUrl property of RadImageEditor control, which is incorporated in the ImageEditor dialog. Gets or sets a value indicating whether to show the Image Editor tool in the Image Manager dialog. Gets or sets a value indicating whether to show the thumbnail linking options in the image manager properties tab. Gets or sets the ExplorerMode of the FileExplorer that handles the file browsing in the ImageManager Gets the custom attributes which will be serialized on the client. Gets or sets the suffix for the custom dictionary files. The default is -Custom The filenames are formed with the following scheme: Language + CustomDictionarySuffix + ".txt". Different suffixes can be used to create different custom dictionaries for different users. Gets or sets the path for the dictionary files. The default is ~/App_Data/Spell/ This is the path that contains the TDF files, and the custom dictionary TXT files. Gets or sets a the edit distance. If you increase the value, the checking speed decreases but more suggestions are presented. Applicable only in EditDistance mode. The default is 1 This property takes effect only if the SpellCheckProvider property is set to EditDistanceProvider. Gets or sets the value indicating whether the spell will allow adding custom words. The default is true Gets or sets the spellcheck language if different than the Language property. Configures the spellchecker engine, so that it knows whether to skip URL's, email addresses, and filenames and not flag them as erros. Specifies the type name for a custom spell check provider. Specifies the spellchecking algorithm that will be used. The default is TelerikProvider Gets or sets the value used to configure the spellchecker engine to ignore words containing: UPPERCASE, some CaPitaL letters, numbers; or to ignore repeated words (very very) Gets or sets the URL, to which the spellchecker engine AJAX call will be made. Check the help for more information. Gets or sets the type for the spell custom dictionary provider. This property gets or sets a value, indicating whether to show the input box of the spin box element Parses the ToolsFileContent property of RadEditor and initializes the corresponding collections. Initializes the Colors collection from the ToolsFileContent property of RadEditor. Initializes the ContextMenus collection from the ToolsFileContent property of RadEditor. Initializes the CssClasses collection from the ToolsFileContent property of RadEditor. Initializes the CssFiles collection from the ToolsFileContent property of RadEditor. Initializes the Links collection from the ToolsFileContent property of RadEditor. Initializes the Links collection from the ToolsFileContent property of RadEditor. Initializes the Languages collection from the ToolsFileContent property of RadEditor. Initializes the Links collection from the ToolsFileContent property of RadEditor. Initializes the Modules collection from the ToolsFileContent property of RadEditor. Initializes the Paragraphs collection from the ToolsFileContent property of RadEditor. Initializes the FormatSets collection from the ToolsFileContent property of RadEditor. Initializes the Links collection from the ToolsFileContent property of RadEditor. Initializes the Snippets collection from the ToolsFileContent property of RadEditor. Initializes the Symbols collection from the ToolsFileContent property of RadEditor. Initializes the Tools collection from the ToolsFileContent property of RadEditor. This is a base class for all column editors for GridCheckBoxColumn. It defines the base properties for controls that can edit boolean values. Gets or sets the value for each cell in a GridCheckBoxColumn. The editor for the . Provides a reference to the control in the corresponding grid cell of the current GridCheckBoxColumn. Gets or sets the style defining the appearance of the corresponding check-box. The ToolTip that will be applied to the control. Gets or sets the value for each cell in a GridCheckBoxColumn. Exception which is thrown when a column editor encounters an error. Exception thrown when encounters a generic error. Summary description for GridCreateColumnEditorEvent. The event arguments passed when creates a column editor and fires the event. Gets or sets the column editor that have been created. The the column editor that have been created. Gets or sets the associated column. The associated column. Summary description for GridDropDownColumnEditor. Gets or sets the selected index of the drop down list control. The selected index of the drop down list control. Gets or sets the selected value of the drop down list control. The selected value of the drop down list control. Gets or sets the selected text of the drop down list control. The selected text of the drop down list control. Gets or sets the DataMember property of the drop down list control. The DataMember property of the drop down list control. Gets or sets the DataSource property of the drop down list control. The DataSource property of the drop down list control. Gets or sets the DataTextField property of the drop down list control. The DataTextField property of the drop down list control. Gets or sets the DataTextFormatString property of the drop down list control. The DataTextFormatString property of the drop down list control. Gets or sets the DataValueField property of the drop down list control. The DataValueField property of the drop down list control. The editor for the column. Gets the control places in the cell if the DropDownControlType property is set to DropDownList. The control places in the cell if the DropDownControlType property is set to DropDownList. Gets the control places in the cell if the DropDownControlType property is set to RadComboBox. The control places in the cell if the DropDownControlType property is set to RadComboBox. Gets the drop down style used for the drop down list control. The drop down style used for the drop down list control. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets or sets the selected value of the drop down list control. The selected value of the drop down list control. Gets or sets the selected text of the drop down list control. The selected text of the drop down list control. Gets or sets the selected index of the drop down list control. The selected index of the drop down list control. The editor for the . Class tha implements data editing of a GridBoundColumn with a single TextBox control. Gets The text box instance created of extracted from a cell after calls to AddControlsToContainer or LoadControlsFromContainer methods. Gets the instace of the Style that would be applied to the TextBox control, when initializing in a TableCell. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets or sets the cell text. The cell text. Gets or sets the text box control property. The text box control property. Gets or sets the text box control MaxLength property. The text box control MaxLength property. A column type for the RadGrid control that is bound to a field in a data source. Grid column types The default data binding (when AutoGenerateColumns property is set to true) generates GridBoundColumn type of columns. It displays each item from the DataSource field as text. This column is editable (implements the IGridEditableColumn interface) and provides by default GridTextColumnEditor, used for editing the text in each item. GridBoundColumn has three similar and yet different properties controlling its visibility and rendering in a browser in regular and in edit mode: Display - concerns only the appearance of the column in browser mode, client-side. The column will be rendered in the browser but all the cells will be styled with display: none. The column editor will be visible in edit mode. Visible - will stop the column cells from rendering in browser mode. The column will be visible in edit mode. ReadOnly - the column will be displayed according to the settings of previous properties in browser mode but will not appear in the edit-form.
None of these properties can prevent you from accessing the column cells' content server-side using the UniqueName of the column.
            <telerik:GridBoundColumn FooterText="BoundColumn footer" UniqueName="CustomerID" SortExpression="CustomerID"
HeaderText="Bound<br/>Column" DataField="CustomerID">
</telerik:GridBoundColumn>
Grid Column types Adding columns design-time Using columns
Resets the GridBoundColumn to its initial state. Resets the specified cell in the GridBoundColumn to its initial state. This method should be used in case you develop your own column. It returns true if the column supports filtering. Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the field name from the specified data source to bind to the GridBoundColumn. A string, specifying the data field from the data source, from which to bind the column. Gets a reference to the object that allows you to set the properties associated with the columns' validation base on autogenerated validators. Gets or sets the field name from the specified data source to bind to the GridBoundColumn. A string, specifying the data field from the data source, from which to bind the column. Sets or gets whether cell content must be encoded. Default value is false. Sets or gets default text when column is empty. Default value is "&nbsp;" Gets or sets the footer aggregate format string. The footer aggregate format string. Gets or Sets an integer, specifying the maximum number of characters, which will be accepted in the edit textbox for the field, when in edit mode. An integer, specifying the maximum number of characters, which the item will accept when in edit mode.
Use the DataFormatString property to provide a custom format for the items in the column. The data format string consists of two parts, separated by a colon, in the form { A : Bxx }.
For example, the formatting string {0:C2} displays a currency formatted number with two decimal places.
Note: The entire string must be enclosed in braces to indicate that it is a format string and not a literal string. Any text outside the braces is displayed as literal text. The value before the colon (A in the general example) specifies the parameter index in a zero-based list of parameters.
Note: This value can only be set to 0 because there is only one value in each cell.
The value before the colon (A in the general example) specifies the parameter index in a zero-based list of parameters. The character after the colon (B in the general example) specifies the format to display the value in. The following table lists the common formats.
Format character Description C Displays numeric values in currency format. D Displays numeric values in decimal format. E Displays numeric values in scientific (exponential) format. F Displays numeric values in fixed format. G Displays numeric values in general format. N Displays numeric values in number format. X Displays numeric values in hexadecimal format.
Note: The format character is not case-sensitive, except for X, which displays the hexadecimal characters in the case specified.
The value after the format character (xx in the general example) specifies the number of significant digits or decimal places to display.
For more information on formatting strings, see Formatting Overview (external link to MSDN library).
Gets or sets the string that specifies the display format for items in the column. A string that specifies the display format for items in the column
Gets a boolean value, indicating whether the column is editable. A ReadOnly column will return a false value for this property. The property is readOnly. A boolean value, indicating whether the column is editable Defines what button will be rendered in a GridButtonColumn Renders a standard hyperlink button. Renders a standard button. Renders an image that acts like a button. Renders a font icon button for lightweight and mobile render modes Defines what kind of confirm dialog will be used in a GridButtonColumn Standard browser confirm dialog. RadWindow confirm dialog. It displays a button for each item in the column. Grid column types This column renderes a button of the specified ButtonType in each corresponding cell of the items of type and . You can use this buttons to fire command events that can be handeled in event handler. This, in combination with the event bubbling mechanism in Telerik RadGrid, allows you to create a column of custom button controls, such as Add, Remove, Select or Edit buttons. The available buttons types are: PushButton,LinkButton and ImageButton. Telerik RadGrid comes with two types of button columns: Select - when a button in this column is pressed, it will select the whole row. The Select column below uses a PushButton. Remove selection - when a button in this column is pressed, it will delete the row. The Remove selection column below uses a LinkButton.
                <radG:GridButtonColumn FooterText="PushButtonColumn<br/>footer" DataTextFormatString="Select {0}"
ButtonType="PushButton" UniqueName="column" HeaderText="PushButton<br/>Column"
CommandName="Select" DataTextField="CustomerID">
</radG:GridButtonColumn>
Grid Column types Adding columns design-time Using columns
Constructs a new GridButtonColumn object. The Initialize method is inherited by a derived GridButtonColumn class. Is is used to reset a column of the derived type. After a call to this method the column should add the corresponding button into the cell given, regarding the inItem type and column index. Note: This method is called within RadGrid and is not intended to be used directly from your code. Returns a copy of the GridButtonColumn. Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or sets the title that will be shown on the RadWindow confirmation dialog when a button in this column is clicked. Gets or sets a value indicating the type of the button that will be rendered. The type should be one of the specified by the enumeration. LinkButton Renders a standard hyperlink button. PushButton Renders a standard button. ImageButton Renders an image that acts like a button. Gets or sets the CssClass of the button Gets or sets what kind of confirm dialog will be used in a . The type of the confirm dialog. Gets or sets the width of the Confirm Dialog (if it is a RadWindow) Gets or sets the height of the Confirm Dialog (if it is a RadWindow) Gets or sets a value defining the name of the command that will be fired when a button in this column is clicked.
Fired By controls within DataItems - showing and editing data
CancelCommandName Represents the Cancel command name. Fires RadGrid.CancelCommand event and sets Item.Edit to false for the parent Item.
DeleteCommandName Represents the Delete command name. Fires RadGrid.DeleteCommand event. Under .Net 2.0 performs automatic delete operation and then sets Item.Edit to false.
UpdateCommandName Represents the Update command name. Fires RadGrid.UpdateCommand event. Under .Net 2.0 performs automatic update operation and then sets Item.Edit to false.
EditCommandName Represents the Edit command name. Sets Item.Edit to true.
SelectCommandName Represents the Select command name. Sets Item.Selected to true.
DeselectCommandName Represents the Deselect command name. Sets Item.Selected to false.
Can be fired by controls within any Item
InitInsertCommandName By default grid renders an image button in the CommandItem. Opens the insert item.
PerformInsertCommandName Fires RadGrid.InsertCommand event. Under .Net 2.0 Perfoms automatic insert operation and closes the insert item.
RebindGridCommandName By default grid renders an image button in the CommandItem. Forces RadGrid.Rebind
SortCommandName Represents the Sort command name. By default it is fired by image buttons in the header item when Sorting is enabled. The argument for the SortCommand must be the DataField name for the DataField to be sorted.
Gets or sets an optional parameter passed to the Command event along with the associated CommandName. Use the DataTextField property to specify the field name from the data source to bind to the Text property of the buttons in the GridButtonColumn object. Binding the column to a field instead of directly setting the Text property allows you to display different captions for the buttons in the GridButtonColumn by using the values in the specified field. Tip: This property is most often used in combination with DataTextFormatString Property. Gets or sets a value from the specified datasource field. This value will then be displayed in the GridBoundColumn.
[ASPX/ASCX]<br/><br/><radg:RadGrid id=<font class="string">"RadGrid1"</font> runat=<font class="string">"server"</font>><br/> <MasterTableView AutoGenerateColumns=<font class="string">"False"</font>><br/> <Columns><br/> <radg:GridButtonColumn HeaderText=<font class="string">"Customer ID"</font><font color="red">DataTextField=<font class="string">"CustomerID"</font></font><br/><font color="red">DataTextFormatString=<font class="string">"Edit Customer {0}"</font></font> ButtonType=<font class="string">"LinkButton"</font> UniqueName=<font class="string">"ButtonColumn"</font>><br/> </radg:GridButtonColumn>
Use the DataTextFormatString property to provide a custom display format for the caption of the buttons in the GridButtonColumn. Note: The entire string must be enclosed in braces to indicate that it is a format string and not a literal string. Any text outside the braces is displayed as literal text.
[ASPX/ASCX]<br/><br/><radg:RadGrid id=<font color="black"><font class="string">"RadGrid1"</font> runat=<font class="string">"server"</font>><br/> <MasterTableView AutoGenerateColumns=<font class="string">"False"</font>><br/> <Columns><br/> <radg:GridButtonColumn HeaderText=<font class="string">"Customer ID"</font></font><font color="red">DataTextField=<font class="string">"CustomerID"</font><br/>DataTextFormatString=<font class="string">"Edit Customer {0}"</font></font> ButtonType=<font class="string" color="black">"LinkButton"</font> UniqueName=<font color="black"><font class="string">"ButtonColumn"</font>><br/> </radg:GridButtonColumn></font>
Gets or sets the string that specifies the display format for the caption in each button.
Gets or sets a value indicating the text that will be shown for a button. Gets or sets a value indicating the URL for the image that will be used in a Image button. should be set to ImageButton. Gets or sets the text that will be shown on the confirmation dialog when a button in this column is clicked. The prompt is automatically enabled when this property is set. Gets or sets a string, specifying the FormatString of the ConfirmText. A string, specifying the FormatString of the ConfirmText. Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will be applied to the formatting specified in the ConfirmTextFormatString property. A string, representing a comma-separated enumeration of DataFields from the data source, which will be applied to the formatting specified in the ConfirmTextFormatString property. Gets the status of property. If the corresponding is in edit mode specifies whether this column will render an Enabled=true button control, when the corresponding item is edit mode. Displays a CheckBox control for each item in the column. This allows you to edit for example Boolean field(s) from data table(s). Grid column types This column is editable (implements the IGridEditableColumn interface) and provides by default GridBoolColumnEditor, used for editing the text in each item. You can persist the checked state of a checkbox, if you use it within GridTemplateColumn ( see here).
                <radG:GridCheckBoxColumn FooterText="CheckBoxColumn footer" UniqueName="Bool" HeaderText="CheckBox<br/>Column"
DataField="Bool">
</radG:GridCheckBoxColumn>
Grid Column types Adding columns design-time Using columns Similarities/Differences between GridCheckBoxColumn and GridTemplateColumn with checkbox
Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method should be used in case you develop your own column. It returns true if the column supports filtering. This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the field name from the specified data source to bind to the column. A string, specifying the data field from the data source, from which to bind the column. Use this property when binding to string column that contains boolean values written as string. For example if the values in your column are "Yes" and "No", set StringTrueValue="Yes" and StringFalseValue="No" Use this property when binding to string column that contains boolean values written as string. For example if the values in your column are "Yes" and "No", set StringTrueValue="Yes" and StringFalseValue="No" The ToolTip that will be applied to every item control. Gets a boolean value, indicating whether the column is editable. A ReadOnly column will return a false value for this property. The property is readOnly. A boolean value, indicating whether the column is editable. A special type of GridButtonColumn, including a delete buttons in each row. It provides the functionality of erasing records client-side, without making a round trip to the server. This optimizes the performance and the source data is automatically refreshed on the subsequent post to the server. The user experience is improved because the delete action is done client-side and the table presentation is updated immediately. Its ConfirmText property can be assigned like with the default GridButtonColumn showing a dialog which allows the user to cancel the action.
            <radG:GridClientDeleteColumn ConfirmText="Are you sure you want to delete the selected row?" HeaderStyle-Width="35px" ButtonType="ImageButton" ImageUrl="~/RadControls/Grid/Skins/WebBlue/Delete.gif" />
                
Client-side delete feature Grid column types Client-side delete Web Grid
Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or sets a value indicating the text that will be shown for a button. Gets or sets a value indicating the URL for the image that will be used in a Image button. should be set to ImageButton. Displays a Checkbox control for each item in the column. This allows you to select grid rows client-side automatically when you change the status of the checkbox to checked. Column types Client selection If you choose AllowMultiRowSelection = true for the grid, a checkbox will be displayed in the column header to toggle the checked/selected stated of the rows simultaneously (according to the state of that checkbox in the header).

To enable this feature you need to turn on the client selection of the grid (ClientSettings -> Selecting -> AllowRowSelect = true).
            <radG:GridClientSelectColumn UniqueName="CheckboxSelectColumn" HeaderText="CheckboxSelect column <br />" />
                
Grid Column types Adding columns design-time Using columns
Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. The collection of columns of RadGrid or its tables. Accessible through Columns property of RadGrid and GridTableView (MasterTableView) classes. Its items are of the available Grid column types. GridBoundColumn boundColumn; boundColumn = new GridBoundColumn(); boundColumn.DataField = "CustomerID"; boundColumn.HeaderText = "CustomerID"; RadGrid1.MasterTableView.Columns.Add(boundColumn); boundColumn = new GridBoundColumn(); boundColumn.DataField = "ContactName"; boundColumn.HeaderText = "Contact Name"; RadGrid1.MasterTableView.Columns.Add(boundColumn); RadGrid1.MasterTableView.Columns.Add( new GridExpandColumn() ); Dim boundColumn As GridBoundColumn boundColumn = New GridBoundColumn() boundColumn.DataField = "CustomerID" boundColumn.HeaderText = "CustomerID" RadGrid1.MasterTableView.Columns.Add(boundColumn) boundColumn = New GridBoundColumn() boundColumn.DataField = "ContactName" boundColumn.HeaderText = "Contact Name" RadGrid1.MasterTableView.Columns.Add(boundColumn) RadGrid1.MasterTableView.Columns.Add(New GridExpandColumn()) Adds a column object to the GridColumnCollection. The GridColumn object to add to the collection. Adds an item to the collection. The position into which the new element was inserted. Determines whether the CridColumnCollection contains the value specified by the given GridColumn object. true if the GridColumn is found in the GridColumnCollection; otherwise, false. GridColumn object to locate in the GridColumnCollection. Determines the index of a specific column in the GridColumnCollection. The index of value if found in the collection; otherwise, -1. The object to locate in the GridColumnCollection. Inserts a column to the GridColumnCollectino at the specified index. The zero-based index at which column should be inserted. The to insert into the collection. Removes the first occurrence of an object from the GridColumnCollection. The object to remove from the collection. Adds a column in the collection at the specified index. The index where the column will be inserted. The column that will be inserted. Removes all column from the collection. Copies the columns of the collection to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. The zero-based index in at which copying begins. is null. is less than zero. is multidimensional.-or- The number of elements in the source is greater than the available space from to the end of the destination .-or- The type of the source collection cannot be cast automatically to the type of the destination . Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Determines the index of a specific column in the GridColumnCollection. The index of value if found in the collection; otherwise, -1. The to locate in the GridColumnCollection. Removes the first occurrence of a column from the GridColumnCollection. The column to remove from the collection. Removes the GridColumnCollection item at the specified index. The zero-based index of the item(column) to remove. Gets the first column with UniqueName found. Throws GridException if no column is found. Gets the first column with UniqueName found. Returns null if no column is found. Gets the first column found bound to the DataField. Throws GridException if no column is bound to this DataField Gets the first column found bound to the DataField. Returns null is no column is bound to this DataField Gets all columns found bound to the DataField specified. Returns null is no column is bound to this DataField Gets a value indicating whether the collection has a fixed size. true if the collection has a fixed size; otherwise, false. Gets the number of columns added programmatically or declaratively. Note that this is not the actual number of column in a . See also RenderColumns Property (Telerik.Web.UI.GridTableView) Gets a value indicating whether the collection is read-only. true if the collection is read-only; otherwise, false. Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. If the column/detail table structure is created after the control has been initialized (indicated by RadGrid.Init event ) the state of the columns/detail tables may have been lost. This happens when properties have been set to GridColumn/GridTableView instance before it has been added to the corresponding collection of Columns/DetailTables. Then a GridException is thrown with message: "Failed accessing GridColumn by index. Please verify that you have specified the structure of RadGrid correctly." Gets an object that can be used to synchronize access to the collection. An object that can be used to synchronize access to the collection. The event arguments passed when ColumnCreating event is fired - before creates an auto generated column. Gets or sets the column which will be created. The column which will be created. Gets the type of the column which will be created. The type of the column which will be created. Gets the which holds the column which will be created. The which holds the column which will be created. The event arguments passed when ColumnCreated event is fired - when creates an auto generated column. Gets the column that have been created. The column. Gets the which holds the column which have been created. The which holds the column which have beeen created. Enumeration determining what kind of picker will be used in the . A column type for the RadGrid control that is bound to a field in a data source which is of type DateTime. Displays RadDatePicker, RadDateTimePicker or RadDateInput for editor and filter control. Grid column types The default data binding (when AutoGenerateColumns property is set to true) generates GridDateTimeColumn type of column for source field which is of type DateTime. It displays each item from the DataSource field as text in regular mode. This column is editable (implements the IGridEditableColumn interface) and provides by default GridDateTimeColumnEditor, used for editing the date in each item. GridDateTimeColumn has three similar and yet different properties controlling its visibility and rendering in a browser in regular and in edit mode: Display - concerns only the appearance of the column in browser mode, client-side. The column will be rendered in the browser but all the cells will be styled with display: none. The column editor will be visible in edit mode. Visible - will stop the column cells from rendering in browser mode. The column will be visible in edit mode. ReadOnly - the column will be displayed according to the settings of previous properties in browser mode but will not appear in the edit-form.
None of these properties can prevent you from accessing the column cells' content server-side using the UniqueName of the column.
            <telerik:GridDateTimeColumn FooterText="GridDateTimeColumn footer" UniqueName="OrderDate" SortExpression="OrderDate"
HeaderText="GridDateTimeColumn" DataFormatString="{0:D}" DataField="OrderDate">
</telerik:GridBoundColumn>
Grid Column types Adding columns design-time Using columns
Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Evaluates the column filter expression based on the , , , propeties. It could be used to handle custom filtering and is internally used for determining FilterExpression value. Gets a string representing a filter expression, based on the settings of all columns that support filtering, with a syntax ready to be used by a DataView object Gets or sets the data format that will be applied to the edit field when a GridDataItem is edited in RadGrid Gets or sets the picker type that will be used when rendering the column. If you use DataType="TimeSpan", change the PickerType to "TimePicker" and the pickers UseTimeSpanForBinding property will be automatically set to "true". Gets or sets the MinDate property of the controls. The MinDate property of the controls. Gets or sets the MaxDate property of the controls. The MaxDate property of the controls. Gets or sets the date format that will be applied to the filter date input when filtering is enabled Gets or sets if range filtering is enabled for the column Gets or sets if only date portion of the date is taken in effect when filtering Enumeration determining whether a or a will be used in the instance. Here is the mechanism which Telerik RadGrid uses to present values for GridDropDownColumn. Consider the snippet below: <radg:GridDropDownColumn
UniqueName="LevelID"
ListDataMember="Level"
ListTextField="Description"
ListValueField="LevelID"
HeaderText="LevelID"
DataField="LevelID"
/>

As you can see, a requirement for the proper functioning of GridDropDownColumn is that all column values referenced by the DataField attribute match the column values referenced by the ListValueField attribute.
If there are values in the LevelID column of the LevelID table which do not have corresponding equal values in the LevelID column of the Level table, then the grid will display the default first value from the Description column as it will not "know" what is the correct field.
Displays a DropDown control for each item in the column. This allows you to edit for example lookup field(s) from data table(s). Grid column types Grid Column types Adding columns design-time Using columns
Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the drop down control DataTextFormatString value. The drop down control DataTextFormatString value. The ListDataMember property points to the data table (part of the dataset used for grid data-source) which is the source for the GridDropDownColumn generation. A string, specifying the ID of the datasource control, which will be used to populate the dropdown with data. A string, specifying the ID of the datasource control, which will be used to populate the dropdown with data. The ListTextField points to the column in the data table from which the grid will extract the values for the dropdown. The ListValueField points to the column in the data table which will be used as a pointer to retrieve the items for the dropdown in the GridDropDownColumn. Gets a reference to the object that allows you to set the properties associated with the columns' validation base on autogenerated validators. The DataField property points to the column in the grid data-source containing values which will be compared at a later stage with the values available in the column, referenced by the %ListValueField:ListValueField% property. Gets or sets a value indicating whether automatic load-on-demand is enabled for the RadComboBox editor of this column. Gets or sets a value indicating whether the RadComboBox editor displays a More Results box. Setting this property to true requires AllowAutomaticLoadOnDemand to be set to true. Gets or sets a value indicating whether virtual scrolling is enabled for RadComboBox editor. Setting this property to true requires AllowAutomaticLoadOnDemand to be set to true Gets or sets the number of Items the RadComboBox editor will load per Item request. This property requires EnableAutomaticLoadOnDemand to be set to true. Set this property to -1 to load all Items when AllowAutomaticLoadOnDemand is set to true and disable Virtual Scrolling/Show More Results. The default is -1. A Boolean value, indicating whether the dropdown column will be bound to a default value/text when there is no data source specified, from which to fetch the data. A Boolean value, specifying whether the dropdown column accepts EmptyListItemText and EmptyListItemValue strings. A string, specifying the text to be displayed in normal mode, when there is no Data Source specified for the column. In edit mode, this value is rendered as a dropdown list item. When in edit mode, and there is a valid DataSource specified for the control, this value is appended as the first item of the dropdown box. A string, specifying the text to be displayed in normal/edit mode, when there is no Data Source specified for the column. A string value, representing the value, associated with the . A string value, representing the value, associated with the . Gets or sets the type of the dropdown control associated with the column. Returns a value from the GridDropDownColumnControlType enumeration; default value is RadComboBox. A Boolean value, indicating whether a dropdown column is editable. If it is editable, it will be represented as an active dropdown box in edit mode. A Boolean value, indicating whether a dropdown column is editable. Force RadGrid to extract values from EditableColumns that are ReadOnly. See also the method. No values would be extracted from ReadOnly column Values will be extracted only when an item is NOT in edit mode Values will be extracted only when an item is in edit mode Values will be extracted in all cases. Initially only the [Edit] button is shown. When it is pressed, the [Update] and [Cancel] appear at its place and the cells on this row become editable. Grid column types Web Grid
            <radg:GridEditCommandColumn ButtonType="ImageButton" UpdateImageUrl="..\Img\Update.gif"
EditImageUrl="..\Img\Edit.gif" InsertImageUrl="..\Img\Insert.gif"
CancelImageUrl="..\Img\Cancel.gif" UniqueName="EditCommandColumn">
</radg:GridEditCommandColumn>
Grid Column types Adding columns design-time Using columns
Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or sets a value indicating what type of buttons will be used in the GridEditCommandColumn items. Gets or sets a string representing the text that will be used for the Cancel button, in the Edit/Insert form. string, representing the text that will be used for the Cancel button. string, representing the text that will be used for the Edit button. Gets or sets a string, representing the text of the edit linkbutton, which is located in the GridEditCommandColumn, and which will replace the default "Edit" text. A string, representing the text that will be used for the Update button. Gets or sets a string, representing the text that will be used for the Update button. A string, representing the text that will be used for the Insert button. Gets or sets a string, representing a text, which will be displayed instead of the default "Insert" text for the GridEditFormInsertItem item. Gets or sets the URL for the image that will be used to fire the Insert command. This property should be used in conjunction with ButtonType set to ImageButton. string, representing the URL of the image that is used. Gets or sets the URL for the image that will be used to fire the Update command. This property should be used in conjunction with set to ImageButton. string, representing the URL of the image that is used. A string, representing the URL of the image that is used. Gets or sets the URL for the image that will be used to fire the Edit command. This property should be used in conjunction with ButtonType set to ImageButton. A string, representing the url path to the image that will be used instead of the default cancel linkbutton, in the EditForm. A string, representing the url path to the image that will be used instead of the default cancel linkbutton, in the EditForm. Gets or sets a unique name for this column. The unique name can be used to reference particular columns, or cells within grid rows. A string, representing the Unique name of the column. Enumeration determining the type of button to be used in the . button. button. button. button. This column appears when the grid has a hierarchical structure, to facilitate the expand/collapse functionality. The expand column is always placed in front of all other grid content columns and can not be moved. Column Types How to hide images of ExpandCollapse column when no records Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or Sets the text value which should be added to alt attribute of the filter control Gets or sets a string, specifying the URL to the image, which will be used instead of the default Expand image for the GridGroupSplitterColumn (the plus sign). A string, specifying the URL to the image, which will be used instead of the default Expand image for the GridGroupSplitterColumn Gets or sets a string, specifying the URL to the image, which will be used instead of the default Collapse image for the GridGroupSplitterColumn (the minus sign). A string, specifying the URL to the image, which will be used instead of the default Collapse image for the GridGroupSplitterColumn Gets a Telerik.Web.UI.GridExpandColumnType value, indicating the type of the button. The button of the GridExpandColumn is by default of type SpriteButton. A Telerik.Web.UI.GridExpandColumnType value, indicating the type of the button. Gets or sets a string, specifying the Unique name of the column. The default value is "ExpandColumn". function GridCreated() { } A string, specifying the Unique name of the column. Gets a Boolean value indicating whether the GridGroupSplitterColumn is groupable. This value is always false. Gets a Boolean value indicating whether the GridGroupSplitterColumn is groupable. Gets a Boolean value, indicating whether the GridExpandColumn is reorderable. This value is always false, due to the specificity of the column, which should always be positioned first. A Boolean value, indicating whether the GridExpandColumn is reorderable. Gets a Boolean value, indicating whether the GridExpandColumn is resizable. This value is always false, due to the specificity of the column, which should always be positioned first. A Boolean value, indicating whether the GridExpandColumn is resizable. Gets a Boolean value, indicating whether the GridExpandColumn is visible. This value is always false, due to the specificity of the column. A Boolean value, indicating whether the GridExpandColumn is visible. Gets or sets a string, representing the CommandName of the GridExpandColumn. The command name's default value is "ExpandCollapse". It can be used to determine the type of command in the ItemCommand event handler. function GridCreated() { } A string, representing the CommandName of the GridExpandColumn. This column appears when grouping is enabled, to facilitate the expand/collapse functionality. The group splitter column is always placed first and can not be moved. Grid Column types Grouping demo with GridGroupSplitterColumn Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets the value determining if the column is selectable. The value determining if the column is selectable. Gets or sets a string, specifying the URL to the image, which will be used instead of the default Expand image for the GridGroupSplitterColumn (the plus sign). A string, specifying the URL to the image, which will be used instead of the default Expand image for the GridGroupSplitterColumn Gets or sets a string, specifying the URL to the image, which will be used instead of the default Collapse image for the GridGroupSplitterColumn (the minus sign). A string, specifying the URL to the image, which will be used instead of the default Collapse image for the GridGroupSplitterColumn Gets a Boolean value indicating whether the GridGroupSplitterColumn is groupable. This value is always false. Gets a Boolean value indicating whether the GridGroupSplitterColumn is groupable. This property is for internal usage. An enumeration, used to get/set the button type of the headers of the columns. The default value is LinkButton. The possible values are: LinkButton PushButton TextButton If set to a value other than LinkButton, the property is only honored when sorting is enabled. Each row in a Hyperlink column will contain a predefined hyperlink. This link is not the same for the whole column and can be defined for each row individually. Grid column types The content of the column can be bound to a field in a data source or to a static text. You can customize the look of the links by using CSS classes. You can set multiple fields to a GridHyperlinkColumn through its DataNavigateUrlFields property. These fields can later be used when setting the DataNavigateUrlFormatString property and be part of a query string:
            
            <radG:GridHyperLinkColumn
DataNavigateUrlFields= "ProductID,OrderID"
DataNavigateUrlFormatString= "~/Details.aspx?ProductID={0}&OrderID={1}">
</radG:GridHyperLinkColumn>
Grid Column types Adding columns design-time Using columns
This method should be used in case you develop your own column. It returns true if the column supports filtering. Returns if the column supports filtering. Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. Determines whether [is bound to field name] [the specified URL fields]. The URL fields. The name. This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Returns the DataField that will be used for Filter and Sorting operations Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the windwow/frame that the hyperlink will target. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the windwow/frame that the hyperlink will target. Gets or sets a string, specifying the FormatString of the DataNavigateURL. Essentially, the DataNavigateUrlFormatString property sets the formatting for the url string of the target window or frame. A string, specifying the FormatString of the DataNavigateURL. Gets or sets a string, representing the DataField name from the data source, which will be used to supply the text for the hyperlink in the column. This text can further be customized, by using the DataTextFormatString property. A string, representing the DataField name from the data source, which will be used to supply the text for the hyperlink in the column. Gets or sets a string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. A string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. Gets or sets a string, specifying the url, to which to navigate, when a hyperlink within a column is pressed. This property will be honored only if the DataNavigateUrlFields are not set. If either DataNavigateUrlFields are set, they will override the NavigateUrl property. A a string, specifying the url, to which to navigate, when a hyperlink within a column is pressed. Gets or sets a value specifying the ImageUrl property of the HyperLink control rendered in every data cell of the GridHyperLinkColumn. Sets or gets a string, specifying the window or frame at which to target content. The possible values are: _blank - the target URL will open in a new window
_self - the target URL will open in the same frame as it was clicked
_parent - the target URL will open in the parent frameset
_top - the target URL will open in the full body of the window
A string, specifying the window or frame at which to target content.
Gets or sets a string, specifying the text to be displayed by the hyperlinks in the column, when there is no DataTextField specified. A string, specifying the text to be displayed by the hyperlinks in the column, when there is no DataTextField specified. Gets or sets whether the column data can be filtered. The default value is true. A Boolean value, indicating whether the column can be filtered. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Displays each item in the column in accordance with a specified templates (item, edit item, header and footer templates). This allows you to provide custom controls in the column. Grid column types
            <radG:GridTemplateColumn UniqueName="TemplateColumn" SortExpression="CompanyName">
<FooterTemplate>
<img src="Img/image.gif" alt="" style="vertical-align: middle" />
Template footer
</FooterTemplate>
<HeaderTemplate>
<table id="Table1" cellspacing="0" cellpadding="0" width="300" border="1">
<tr>
<td colspan="2" align="center">
<b>Contact details</b></td>
</tr>
<tr>
<td style="width: 50%" align="center">
<asp:LinkButton CssClass="Button" Width="140" ID="btnContName" Text="Contact name"
ToolTip="Sort by ContactName" CommandName='Sort' CommandArgument='ContactName'
runat="server" /></td>
<td style="width: 50%" align="center">
<asp:LinkButton CssClass="Button" Width="140" ID="btnContTitle" Text="Contact title"
ToolTip="Sort by ContactTitle" CommandName='Sort' CommandArgument='ContactTitle'
runat="server" /></td>
</tr>
</table>
</HeaderTemplate>
<ItemTemplate>
<table cellpadding="1" cellspacing="1" class="customTable">
<tr>
<td style="width: 50%">
</%# Eval("ContactName") /%>
</td>
<td style="width: 50%">
</%# Eval("ContactTitle") /%>
</td>
</tr>
<tr>
<td colspan="2" align="center">
<a href='</%# "http://www.google.com/search?hl=en&q=" + DataBinder.Eval(Container.DataItem, "ContactName") + "&btnG=Google+Search"/%>'>
<em>Search Google for
</%# Eval("ContactName") /%>
</em></a>
</td>
</tr>
<tr>
<td colspan="2" align="center">
<img src="Img/image.gif" alt="" />
</td>
</tr>
</table>
</ItemTemplate>
</radG:GridTemplateColumn>
Grid Column types Adding columns design-time Using columns Customizing with GridTemplateColumn Persisting CheckBox control state in GridTemplateColumn on Rebind You can view and set templates using the Edit Templates command in grid's Smart Tag. You can also create the template columns programmatically and bind the controls in the code-behind (see Programmatic creation of Telerik RadGrid). Note: Unlike other grid columns, GridTemplateColumn cannot be set as read-only. Programmatic creation
This method should be used in case you develop your own column. It returns true if the column supports filtering. This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from Gets or sets a string, specifying which DataField from the data source the control will use to handle the automatic filtering. A string, specifying which DataField from the data source the control will use to handle the automatic filtering. Gets or sets the field name from the specified data source to bind to the GridTemplateColumn. A string, specifying the data field from the data source, from which to bind the column. Sets or gets the format string for the footer/group footer aggregate. The format string for the footer/group footer aggregate. Gets or sets the HTML template of a item when using client-side databinding. Gets or sets the ItemTemplate, which is rendered in the control in edit mode. A value of type ITemplate Gets or sets the ItemTemplate, which is rendered in the control in insert mode. A value of type ITemplate Gets or sets the template, which will be rendered in the footer of the template column. A value of type ITemplate. Gets or sets the template, which will be rendered in the header of the template column. A value of type ITemplate. Gets or sets the ItemTemplate, which is rendered in the control in normal (non-Edit) mode. A value of type ITemplate Gets a Boolean value, indicating whether the column is editable. If a template column is editable, it will render the contents of the EditItemTemplate in the edit form or InsertItemTemplate, if such defined, in the insert form. If there are no contents in the EditItemTemplate or InsertItemTemplate, the column will not be editable. A Boolean value, indicating whether the column is editable. Set to false if templates should overwrite other controls in header cell (sort image, etc) A base class holding properties for all event arguments related with changing the data. Examples: , , . Gets the rows affected from the operation that changed the data. The rows affected from the operation that changed the data. Gets the exception related with the operation. The property value will be 'null' if no exception occured during the operation. The exception. Gets the caused the event. The caused the event. Gets or sets a value which if set to 'true' and exception was thrown will cause the to skip throwing the exception and will let the user handle it. A value which if set to 'true' and exception was thrown will cause the to skip throwing the exception and will let the user handle it. Event arguments passed when updates a record. Gets or sets a value determining if the which fired the event will stay in edit mode after the postback. A value determining if the which fired the event will stay in edit mode after the postback. Gets or sets a value determining if the method will be called after the event. A value determining if the method will be called after the event. Event arguments passed when inserts a new record. Gets or sets a value determining if the which fired the event will stay in insert mode after the postback. A value determining if the which fired the event will stay in insert mode after the postback. Event arguments passed when deletes a record. Number of items in the group Number of items displayed on the page if true Group is countinued from the previous page or it continues on the next page if value of false Summary description for DataSetHelper. Summary description for DefaultValueChecker. Type of the edit forms in RadGrid Form is autogenerated, based on the column that each GridTableView exposes. The edit form is a WebUserControl specified by The template specified by is used as an edit form. Settings for the edit forms generated by a for each item that is in edit mode and the is set to . Set the type of the EditForm using . If the type is then the form will be autogenerated based on the columns of the corresponding table view. Note that only the columns that are editable wil be included. Those are the standatrd columns that have editing capabilities - such that has set to false. All the style properties apply only to the autogenerated edit form. See for more details on the types of the edit forms. Set properties of the update-cancel buttons column that appears in an edit form Number of vertical columns to split all edit fields on the form when it is autogenerated. Each GridColumn has a to choose the column where the editor would appear. Data field to incude in form's caption Caption format string - {0} parameter must be included and would be repaced with DataField value Caption for the pop-up insert form Style of the forms's area (rendered as a DIV elemet) Style of the forms' table element Style of the forms' main table element Style of the table row that shows the caption of the form Style of the normal rows in the edit-form's table Style of the alternating rows in the edit-form's table Style of the footer row of the table, where the update-cancel buttons appear Specifies the type of the edit form. See about details for the possible values and their meanings. Name (filename) of the if is of type . You have two options regarding the implementation of the web user control depending on the desired mode of exchanging data between Telerik RadGrid and the UserControl instances. As the binding container of the edit form is a GridEditFormItem and UserControl is a binding container iteself too, in order to access data from the object currently the edit form is binding to the binding-expressions used in the UserControl should be implemented in a slightly different then the traditional way. Here is an example of declaration of a TextBox server control that should be bound to the Region property of the DataItem in RadGrid: ;' /> ]]> The container object is always the UserControl isself. That is why you should refer the parent object, which is actually a edit for table cell in the grid's . Then the BindingContainer would refer the binding GridEditFormItem instance. If using this kind of expression seems in some way uncorfotable, you have another option. You user control should implement a property with name DataItem. The type of the propertry should be public and assignable from the type of the object that construct the data-source for RadGrid. For example if you bind to a DataSet then the DataItem can be declared as: c#: private DataRowView _dataItem = null; public DataRowView DataItem { get { return this._dataItem; } set { this._dataItem = value; } } VB.NET private _dataItem As DataRowView = Nothing Public Property DataItem As DataRowView Get Return Me._dataItem End Get Set (ByVal value As DataRowView) Me._dataItem = value End Set End Property DataItem can also be declared as of type object. Then in the usercontrol code, an expression binding the text of a TextBox control to the Country property of the datasource item can be declared this way: '> ]]> EditForm template - if EditFormType if is of type . Gets a reference to class providing properties related to PopUp EditForm. The summary attribute for the table that wraps the whole . The caption for the table that wraps the whole . The summary attribute for the table which holds all cells created from the grid column editors. The caption for the table which holds all cells created from the grid column editors. The class holding settings when setting up . Gets or sets the visibility and position of scroll bars in the popup control. The scroll bars. Gets or sets if the popup will be modal. If set to true the background will be grayed and only operations in the popup will be possible. Gets or sets the z-index css property of the modal popup. The z-index css property of the modal popup. Gets or sets a value specifying the grid height in pixels (px). the default value is 300px Gets or sets a value specifying the grid height in pixels (px). the default value is 400px Gets or sets the tooltip that will be displayed when you hover the close button of the popup edit form. Gets or sets a value indicating whether the caption text is shown in the edit form. Gets or sets a value determining the way the popup will be displayed if it can not be accommodated inside the visible viewport. Gets or sets a value indicating whether the popup editor will be displayed in the visible viewport of the browser window. The class is responsible for editors. Depending on the column type a different editor is created. Gets the for the specified column. The for the specified column. Gets the for the specified column by providing a . The for the specified column by providing a . The class holding all client-side events associated with the control. This event is fired when the grid request data using client-side data-binding. This event is fired if request for data fails when using client-side data-binding. This event is fired when the grid client-side data is retrieved from the server. This event is fired when the grid client-side data-binding is finished. This event is fired before grid creation. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnGridCreating="GridCreating" ... JavaScript <script>
function GridCreating() { alert("Creting grid with ClientID: " + this.ClientID); }
</script>
This client-side event is fired before grid creation.
Gets or sets the client-side event which is fired when header fires its 'Showing' event. The header menu showing event. Gets or sets the client-side event which is fired when a row is dropping. The on row dropping event. Gets or sets the client-side event which is fired when a row is dropped. The on row dropped event. Gets or sets the client-side event which will be fired when a row is being dragged. The row dragging event. Gets or sets the client-side event which will be fired when a row drag starts. The row drag started event. This event is fired after the grid is created. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnGridCreated="GridCreated" ... JavaScript <script> function GridCreated() { alert("Grid with ClientID: " + this.ClientID + " was created"); } </script> This client-side event is fired after the grid is created. This event is fired when RadGrid object is destroyed, i.e. on each window.onunload Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnGridCreating="GridDestroying" ... JavaScript <script> function GridDestroying() { alert("Destroying grid with ClientID: " + this.ClientID); } </script> This client-side event is fired when RadGrid object is destroyed, i.e. on each window.onunload This event is fired before the MasterTableView is created. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnMasterTableViewCreating="MasterTableViewCreating" ... JavaScript <script> function MasterTableViewCreating() { alert("Creating MasterTableView"); } </script> This client-side event is fired before the MasterTableView is created. This event is fired after the MasterTableView is created. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnMasterTableViewCreated="MasterTableViewCreated" ... JavaScript <script> function MasterTableViewCreated() { alert("MasterTableView was created"); } </script> This client-side event is fired after the MasterTableView is created. This event is fired before table creation. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnTableCreating="TableCreating" ... JavaScript <script> function TableCreating() { alert("Creating DetailTable"); } </script> This client-side event is fired before table creation. This event is fired after the table is created. Fired by RadGrid Arguments RadGridTable Object Can be canceled No Examples ascx/aspx <ClientEvents OnTableCreated="TableCreated" ... JavaScript <script> function TableCreated(tableObject) { alert("DetailTable with ClientID: " + tableObject.ClientID + " was created"); } </script> This client-side event is fired after the table is created. This event is fired when table object is destroyed. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnTableDestroying="TableDestroying" ... JavaScript <script> function TableDestroying() { alert("Destroing DetailTable with ClientID: " + this.ClientID); } </script> This client-side event is fired when table object is destroyed. This event is fired before a column cell is selected client-side. Fired by RadGrid Arguments N/A Can be canceled Yes Examples ascx/aspx <ClientEvents OnCellSelecting="CellSelecting" ... JavaScript <script> function CellSelecting() { alert("Selecting column cell!"); } </script> This client-side event is fired before a column cell is selected client-side. This event is fired after a column cell is selected client-side. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnCellSelected="CellSelected" ... JavaScript <script> function CellSelected() { alert("Cell selected!"); } </script> This client-side event is after a column cell is selected client-side. This event is fired before a column cell has been deselected client-side. Fired by RadGrid Arguments N/A Can be canceled Yes Examples ascx/aspx <ClientEvents OnCellDeselecting="CellDeselecting" ... JavaScript <script> function CellDeselecting() { alert("Cell deselecting!"); } </script> This client-side event is before a column cell is deselected client-side. This event is fired after a column cell has been deselected client-side. Fired by RadGrid Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnCellDeselected="CellDeselected" ... JavaScript <script> function CellDeselected() { alert("Cell deselected!"); } </script> This client-side event is after a column cell is deselected client-side. This event is fired before column available at client-side creation. Fired by RadGridTable Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnColumnCreating="ColumnCreating" ... JavaScript <script> function ColumnCreating() { alert("Creating column); } </script> This client-side event is fired before column available at client-side creation. This event is fired after a column available at client-side is created. Fired by RadGridTable Arguments RadGridTableColumn object Can be canceled No Examples ascx/aspx <ClientEvents OnColumnCreated="ColumnCreated" ... JavaScript <script> function ColumnCreated(columnObject) { alert("Column with Index: " + columnObject.Index + " was created"); } </script> This client-side event is fired after a column available at client-side is created. This event is fired when a column object is destroyed. Fired by RadGridTable Arguments N/A Can be canceled No Examples ascx/aspx <ClientEvents OnColumnDestroying="ColumnDestroying" ... JavaScript <script> function ColumnDestroying() { alert("Destroing column with Index: " + this.Index); } </script> This client-side event is fired when a column object is destroyed. This event is fired before a column is resized. Fired by RadGridTable Arguments columnIndex, columnWidth Can be canceled Yes, return false to cancel Examples ascx/aspx <ClientEvents OnColumnResizing="ColumnResizing" ... JavaScript <script> function ColumnResizing(columnIndex, columnWidth) { alert("Resizng column with Index: " + columnIndex + ", width: " + columnWidth); } OR function ColumnResizing(columnIndex, columnWidth) { return false; //cancel ColumnResizing event } </script> This client-side event is fired before a column is resized. Gets or sets the client-side event which will be fired when a column have been resized. The column resized event. Gets or sets the client-side event which will be fired before a column have been swapped. The column swapping event. Gets or sets the client-side event which will be fired when a column have been swaped. The column swapped event. Gets or sets the clint-side event which will be fired before a column have been moved to the left. The column moving to left event. Gets or sets the client-side event which will be fired after a column have been moved to the left. The column moved to left event. Gets or sets the clint-side event which will be fired before a column have been moved to the right. The column moving to right event. Gets or sets the client-side event which will be fired after a column have been moved to the right. The column moved to right event. Gets or sets the client-side event which is fired before a column have been hidden. The column hiding event. Gets or sets the client-side event which is fired when a column have been hidden. The column hidden event. Gets or sets the client-side event which will be fired before a column have been shown. The column showing event. Gets or sets the client-side event which will be fired when a column is shown. The column shown event. Gets or sets the client-side event which will be fired before a row have been created. The row creating event. Gets or sets the client-side event which will be fired when a row have been created. The row created event. Gets or sets the client-side event which will be fired when a row have been destroyed. The row destroying event. Gets or sets the client-side event which will be fired before a row have been resized. The on row resizing. Gets or sets the client-side event which is fired when a row have been resized. The row resized event. Gets or sets the client-side event which will be fired before a row is hidden. The row hiding event. Gets or sets the client-side event which will be fired when a row have been hidden. The on row hidden. Gets or sets the client-side event which will be fired before a row is shown. The row showing event. Gets or sets the client-side event which will be fired when a row have been shown. The row shown event. Gets or sets the client-side event which will be fired when a row have been clicked. The row click event. Gets or sets the client-side event which will be fired when a row have been double clicked. Thes row double click event. Gets or sets the client-side event which will be fired when a colum have been clicked. The on column click. Gets or sets the client-side event which will be fired when a column have been double clicked. The column double click event. Gets or sets the client-side event which will be fired before a row is selected. The row selecting event. Gets or sets the client-side event which will be fired when a row have been selected. The row selected event. Gets or sets the client-side event which will be fired before a row is deselected. The row deselecting event. Gets or sets the client-side event which will be fired when a row have been deselected. The row deselected event. Gets or sets the client-side event which will be fired when a mouse hovers over a row element. The row mouse over event. Gets or sets the client-side event which will be fired when a mouse leaves a row element. The row mouse out event. Gets or sets the client-side event which will be fired when a mouse hovers over a column element. The column mouse over event. Gets or sets the client-side event which will be fired when a mouse leaves a column element. The column mouse out event. Gets or sets the client-side event which will be fired when a column is right clicked. The on column context menu. The client-side script for RadGrid.ClientSettings.ClientEvents.OnRowContextMenu kills any exceptions that occur in the event handler. This can make bugs hard to track down because it appears that nothing happens when actually the exception was killed before it becomes visible. You can avoid this problem by putting a try/catch block around the event handler that sends an alert if an exception was thrown:
            RadGrid1.ClientSettings.ClientEvents.OnRowContextMenu = " try { ... my event handling code ... } catch (exp) { alert(exp.message); }";
                
Gets or sets the client-side event which will be fired when is scrolled. The on scroll. Gets or sets the client-side event which will be fired when the grid is foused and a key is pressed. The on key press. Gets or sets the client-side event which is fired before a hierarchy is expanded. The hierarchy expanding event. Gets or sets the client-side event which is fired after a hierarchy have been expanded. The hierarchy expanded event. Gets or sets the client-side event which will be fired before a hierarchy is collapsed. The hierarchy collapsing event. Gets or sets the client-side event which will be fired after a hierarchy have have been collapsed. The on hierarchy collapsed. Gets or sets the client-side event which is fired before a group is expanded. The group expanding event. Gets or sets the client-side event which is fired after a group have been expanded. The group expanded event. Gets or sets the client-side event which is fired before a group is collapsed. The group collapsing event. Gets or sets the client-side event which is fired after a group have been collapsed. The group collapsed event. Gets or sets the client-side event which will be fired before a active row changes. The active row changing event. Gets or sets the client-side event which will be fired after active row have changed. The active row changed event. Gets or sets the client-side event which will be fired before row have been deleted with GridClientDeleteColumn or deleteItem method. The row deleting event. Gets or sets the client-side event which will be fired after a row have been deleted with GridClientDeleteColumn or deleteItem method. The row deleted event. Gets or sets the client-side event which will be fired before the filter menu is shown. The filter menu showing event. Gets or sets the client-side event which will fired before a popup is shown. The pop up showing event. Gets or sets the client-side event which will be fired when a command occurs. The command event. Gets or sets the client-side event which will be fired when a user performs an action to the control which will cause a postback or change the data. The event could be used to popup a dialog and verify if the user is certain in performing the current action. Gets or sets the client-side event which will be fired when a row is data bound. Note that the event could only be used in client-side data binding scenario. The row data bound event. Gets or sets a client-side event which helps in custom implementation of the batch editing functionality. Gets the value from the edit control which is positioned in the GridTemplateColumn.EditItemTemplate. Gets or sets a client-side event which helps in custom implementation of the batch editing functionality. Gets the value from the cell which is positioned in the GridTemplateColumn.ItemTemplate. Gets or sets a client-side event which helps in custom implementation of the batch editing functionality. Sets the value from the edit control which is positioned in the GridTemplateColumn.EditItemTemplate. Gets or sets a client-side event which helps in custom implementation of the batch editing functionality. Sets the value from the cell which is positioned in the GridTemplateColumn.ItemTemplate. Gets or sets the client-side event which will be fired when the is Batch and a cell value is changing. The event could be canceled. Gets or sets the client-side event which will be fired when the is Batch and a cell value have been changed. Gets or sets the client-side event which will be fired before opening a cell for edit. Gets or sets the client-side event which will be fired after a cell have been opened for edit. Gets or sets the client-side event which will be fired before closing a cell for edit. Gets or sets the client-side event which will be fired after a cell have been closed for edit. Contains properties related to messages appearing as tooltips for various grid actions. You can use this class for localizing the grid messages. Gets or sets a string that will be displayed as a tooltip when you start dragging a column header trying to reorder columns. string, the tooltip that will be displayed when you try to reorder columns. By default it states "Drop here to reorder". Gets or sets a string that will be displayed as a tooltip when you hover a column that can be dragged. string, the tooltip that will be displayed hover a draggable column. By default it states "Drag to group or reorder". string, the tooltip that will be displayed when you hover the resizing handle of a column. By default it states "Drag to resize". Gets or sets a string that will be displayed as a tooltip when you hover the resizing handle of a column. The format string used for the tooltip when using Ajax scroll paging or the Slider pager The format string used for the tooltip when resizing a column The class containing properties associated with the client-side functionlities of . This method is for Telerik RadGrid internal usage. Checks if a client settings property value was changed and differs from its default. Gets a reference to class providing properties related to client-side data-binding settings. Gets a reference to class providing properties related to client-side selection features. Gets a reference to class. Gets a reference to class, holding properties that can be used for localizing Telerik RadGrid. Gets a reference to class, holding properties related to RadGrid keyboard navigation. Gets or sets the index of the active row. The index of the active row. Gets a reference to , which holds various properties for setting the Telerik RadGrid scrolling features. Gets a reference to the which holds various properties for controling the Telerik RadGrid virtualization features. Gets a reference to , which holds properties related to Telerik RadGrid resizing features. Gets or sets if a style is applied when a mouse is over a row. The enable row hover style. Determines whether the alternating items will render with a different CSS class. Gets or sets the value determining if the rows could be dragged and dropped. The allow rows drag drop. Gets or sets the value dermeming if a row click will trigger a postback. The enable post back on row click. Gets or sets a value indicating whether the keyboard navigation will be enabled in Telerik RadGrid. true, if keyboard navigation is enabled, otherwise false (the default value).
  • Arrowkey Navigation - allows end-users to navigate around the menu structure using the arrow keys.
  • select grid items pressing the [SPACE] key
  • edit rows hitting the [ENTER] key
Gets or sets a value indicating whether you will be able to drag column headers to and let the grid automatically form and group its data. true, if you are able to drag group header to the group panel, otherwise false (the default value) Gets or sets a value indicating whether you will be able to reorder columns by using drag&drop. By default it is false. ReorderColumnsOnClient Property true if reorder via drag&drop is enabled, otherwise false (the default value). Gets or sets a value indicating whether MasterTableView will be automatically scrolled when an item is dragged. Gets or sets a value indicating whether columns will be reordered on the client. This property is meaningful when used in conjunction with set to true. False by default, which means that each time you try to reorder columns a postback will be performed. Note that in case this property is true the order changes will be persisted on the server only after postback. true if columns are reordered on the client, otherwise false (the default value. Gets or sets the columns reorder method determining behavior when reordering method. The columns reorder method. Gets or sets a value which determines whether the client print grid functionality will be enabled. A value which determines whether the client print grid functionality will be enabled. Gets or sets a value which determines if the RadGrid rows could be hidden. The allow row hide. Gets or sets the property determining if the columns could be hidden. The allow column hide. Gets or sets a value indicating whether the expand/collapse functionality for hierarchical structures in grid will be enabled. The AllowExpandCollapse property of RadGrid is meaningful with client hierarchy load mode only and determine
whether the end user will be able to expand/collapse grid items. This property do not control the visibility of the corresponding expand/collapse column.
This property should be set to true, when working in HierarchyLoadMode.Client. true if expand/collapse is enabled, otherwise false (the default value).
Gets or sets a value indicating whether the expand/collapse functionality for grouped data in grid will be enabled. The AllowGroupExpandCollapse property of RadGrid is meaningful with client group load mode only and determine whether the end user will be able to expand/collapse grid items. This property do not control the visibility of the corresponding expand/collapse column. true, if expand/collapse is enabled, otherwise false (the default value). Gets a reference to class providing properties related to client-side grid animations. Gets if the client-side row objects will be created. Class holding the columns reorder methods determining the behavior when reordering method. The swap method will swap the columns. The reorder method will reorder the columns instead of swapping them. The event arguments passed when reorders a column. Gets or sets a value indicating whether event will be canceled. true, if the event is canceled, otherwise false. Gets the column which will be reordered. The column which will be reordered. Gets the column on which place will be positioned the reordered column. The column on which place will be positioned the reordered column. For internal usage only. For internal usage only. Represents the method that will handle grid's Command events including CancelCommand, DeleteCommand, EditCommand, InsertCommand, ItemCommand, SortCommand and UpdateCommand. The source of the event. A object that contains the event data. Provides data for Command events including CancelCommand, DeleteCommand, EditCommand, InsertCommand, ItemCommand, SortCommand and UpdateCommand. Fires the command stored in property Gets the source of the command // Get a reference to the control that triggered expand/collapse command protected void RadGrid1_ItemCommand(object source, GridCommandEventArgs e) { if (e.CommandName == RadGrid.ExpandCollapseCommandName) { Control c = e.CommandSource as Control; } } ' Get a reference to the control that triggered expand/collapse command Protected Sub RadGrid1_ItemCommand([source] As Object, e As GridCommandEventArgs) If e.CommandName = RadGrid.ExpandCollapseCommandName Then Dim c As Control = e.CommandSource End If End Sub 'RadGrid1_ItemCommand Gets the item containing the command source protected void RadGrid1_UpdateCommand(object source, GridCommandEventArgs e) { if (e.Item is GridEditFormItem && e.Item.IsInEditMode) { GridEditFormItem item = e.Item as GridEditFormItem; Hashtable newValues = new Hashtable(); item.OwnerTableView.ExtractValuesFromItem(newValues, item); if (newValues["Name"].ToString() == "DefaultName") { e.Canceled = true; } } } Protected Sub RadGrid1_UpdateCommand([source] As Object, e As GridCommandEventArgs) If Typeof e.Item Is GridEditFormItem AndAlso e.Item.IsInEditMode Then Dim item As GridEditFormItem = e.Item Dim newValues As New Hashtable() item.OwnerTableView.ExtractValuesFromItem(newValues, item) If newValues("Name").ToString() = "DefaultName" Then e.Canceled = True End If End If End Sub Gets or sets a value, defining whether the command should be canceled. protected void RadGrid1_UpdateCommand(object source, GridCommandEventArgs e) { if (e.Item is GridEditFormItem && e.Item.IsInEditMode) { GridEditFormItem item = e.Item as GridEditFormItem; Hashtable newValues = new Hashtable(); item.OwnerTableView.ExtractValuesFromItem(newValues, item); if (newValues["Name"].ToString() == "DefaultName") { e.Canceled = true; } } } Protected Sub RadGrid1_UpdateCommand([source] As Object, e As GridCommandEventArgs) If Typeof e.Item Is GridEditFormItem AndAlso e.Item.IsInEditMode Then Dim item As GridEditFormItem = e.Item Dim newValues As New Hashtable() item.OwnerTableView.ExtractValuesFromItem(newValues, item) If newValues("Name").ToString() = "DefaultName" Then e.Canceled = True End If End If End Sub For internal usage only. Fires RadGrid.SelectedIndexChanged event. For internal usage only Fires RadGrid.SelectedIndexChanged event. Represents a method that will handle grid's DetailTableDataBind event. Provides data for DetailTableDataBind event. protected void RadGrid1_DetailTableDataBind(object source, Telerik.Web.UI.GridDetailTableDataBindEventArgs e) { GridDataItem parentItem = e.DetailTableView.ParentItem as GridDataItem; if (e.DetailTableView.DataSourceID == "AccessDataSource2") { Session["CustomerID"] = parentItem["CustomerID"].Text; } } Protected Sub RadGrid1_DetailTableDataBind(ByVal source As Object, ByVal e As GridDetailTableDataBindEventArgs) Handles RadGrid1.DetailTableDataBind Dim parentItem As GridDataItem = CType(e.DetailTableView.ParentItem, GridDataItem) If (e.DetailTableView.DataSourceID = "AccessDataSource2") Then Session("CustomerID") = parentItem("CustomerID").Text End If End Sub Fires RadGrid.DetailTableDataBind event Gets a reference to the detail table being bound. protected void RadGrid1_DetailTableDataBind(object source, Telerik.Web.UI.GridDetailTableDataBindEventArgs e) { GridDataItem parentItem = e.DetailTableView.ParentItem as GridDataItem; if (e.DetailTableView.DataSourceID == "AccessDataSource2") { Session["CustomerID"] = parentItem["CustomerID"].Text; } } Protected Sub RadGrid1_DetailTableDataBind(ByVal source As Object, ByVal e As GridDetailTableDataBindEventArgs) Handles RadGrid1.DetailTableDataBind Dim parentItem As GridDataItem = CType(e.DetailTableView.ParentItem, GridDataItem) If (e.DetailTableView.DataSourceID = "AccessDataSource2") Then Session("CustomerID") = parentItem("CustomerID").Text End If End Sub Gets or sets a value, defining whether the command should be canceled. For internal usage only. Expands/Collapses the containing the For internal usage only. Calculates and sets the to the corresponding and rebinds the grid. The event arguments passed when clears a filter. The event arguments passed when fires a filter command from the header context menu. For internal usage only. Gets the attachment column from which the event was fired. The attachment column from which the event was fired. Gets or sets the file name which was uploaded. The file name which was uploaded. Gets the associated attachment key values. The associated attachment key values. Class holding all settings associated with the . Gets or sets text which will be used for the AddNewRecord Button. The default value is 'Add New Record'. The text which will be used for the AddNewRecord Button. The default value is 'Add New Record'. Gets or sets text which will be used for the SaveChanges Button. The default value is 'Save Changes'. The text which will be used for the SaveChanges Button. The default value is 'Save Changes'. Gets or sets text which will be used for the CancelChanges Button. The default value is 'Cancel Changes'. The text which will be used for the CancelChanges Button. The default value is 'Cancel Changes'. Gets or sets text which will be used for the Refresh Button. The default value is 'Refresh'. The text which will be used for the Refresh Button. The default value is 'Refrest'. Gets or sets text which will be used for the ExportToExcel Button. The default value is 'Export To Excel'. The text which will be used for the ExportToExcel Button. The default value is 'Export To Excel'. Gets or sets text which will be used for the ExportToWord Button. The default value is 'Export To Word'. The text which will be used for the ExportToWord Button. The default value is 'Export To Word'. Gets or sets text which will be used for the ExportToPdf Button. The default value is 'Export To Pdf'. The text which will be used for the ExportToPdf Button. The default value is 'Export To Pdf'. Gets or sets the Export To CSV button text. Default value Export to CSV. The Export To CSV button text. Default value Export to CSV. Gets or sets the Print Grid button text. Default value Print RadGrid. The Print Grid button text. Default value Print RadGrid. Gets or sets the Add New Record image URL. The Add New Record image URL. Gets or sets the Refresh image URL. The Refresh image URL. Gets or sets the Export To Excel image URL. The Export To Excel image URL. Gets or sets the Export To Word image URL. The Export To Word image URL. Gets or sets the Export To Pdf image URL. The Export To Pdf image URL. Gets or sets the Export To CSV image URL. The Export To CSV image URL. Gets or sets a value indicating whether the default command item should expose the Add New Record button. The value that indicates whether the default command item should expose the Add New Record button. Gets or sets a value indicating whether the default command item should show the SaveChanges button. The value that indicates whether the default command item should show the SaveChanges button. Gets or sets a value indicating whether the default command item should show the CancelChanges button. The value that indicates whether the default command item should show the CancelChanges button. Gets or sets a value indicating whether the default command item should expose the Refresh button. The value that indicates whether the default command item should expose the Refresh button. Gets or sets a value indicating whether the default command item should expose Export to Excel button. The value that indicates whether the default command item should expose Export to Excel button. Gets or sets a value indicating whether the default command item should expose Export to Word button. The value that indicates whether the default command item should expose Export to Word button. Gets or sets a value indicating whether the default command item should expose Export to PDF button. The value that indicates whether the default command item should expose Export to PDF button. Gets or sets a value indicating whether the default command item should expose Export to CSV button. The value that indicates whether the default command item should expose Export to CSV button. Gets or sets a value indicating whether the default command item should expose a print button. The value that indicates whether the default command item should expose a print button. A class representing collection for data key values for the . Used in the DataKeyValues property. Copies all the elements of the current collection to the specified one-dimensional Array starting at the specified destination index. The index is specified as a 32-bit integer. The array to be copied. The index where to copy the array. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Gets the number of elements contained in the colleciton. The number of elements contained in the collection. Gets if the collection is read-only and could be changed. Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. Gets an object that can be used to synchronize access to the collection. An object that can be used to synchronize access to the collection. A class holding a data key which is inherited from and contains additional functionality for view state management. A collection that stores objects. You can access this collection through property of a parent . Initializes a new instance of . that would aggregate this instance which owns the collection Initializes a new instance of based on another . A from which the contents are copied Initializes a new instance of containing any array of objects. An array of objects with which to intialize the collection Adds a with the specified value to the . The to add. The index at which the new element was inserted. Copies the elements of an array to the end of the . An array of type containing the objects to add to the collection. None. Adds the contents of another to the end of the collection. A containing the objects to add to the collection. None. Gets a value indicating whether the contains the specified . The to locate. if the is contained in the collection; otherwise, . Copies the values to a one-dimensional instance at the specified index. The one-dimensional that is the destination of the values copied from . The index in where copying begins. None. is multidimensional. -or- The number of elements in the is greater than the available space between and the end of . is . is less than "s lowbound. Returns the index of a in the . The to locate. The index of the of in the , if found; otherwise, -1. Inserts a into the at the specified index. The zero-based index where should be inserted. The to insert. None. Returns an enumerator that can iterate through the . None. Removes a specific from the . The to remove from the . None. is not found in the Collection. Get the instance of that owns this instance Represents the entry at the specified index of the . The zero-based index of the entry to locate in the collection. The entry at the specified index of the collection. is outside the valid range of indexes for the collection. Add DataColumns for grid columns with composite DataFields (sub properties) Summary description for IGridEnumerable. exception specifying certain operation could not be performed when is not assigned. Exception thrown when encounters an error associated with the grouping. Exception thrown when encounters an error associated with the binding. Exception thrown when encounters an error associated with the filtering. Exception thrown when encounters an error associated with the filtering parameters. Class holding settings associated with the export settings. A string specifying the name (without the extension) of the file that will be created. The file extension is automatically added based on the method that is used. Export Grid to Microsoft Excel, Microsoft Word Determines whether only data will be exported. Export Grid to Microsoft Excel, Microsoft Word Determines whether the structure columns (the row indicator and the expand/collapse columns) will be exported. Determines whether the RadGrid styles will be applied to the exported files Determines whether the DataFormatStrings of the columns will be suppressed when exporting. Setting this property to true will cause a rebind when exporting. Specifies whether all records will be exported or merely those on the current page. Export Grid to Microsoft Excel, Microsoft Word Opens the exported grid in a new instead of the same page. Export Grid to Microsoft Excel, Microsoft Word Gets the PDF settings. The PDF settings. Gets the Excel settings. The Excel settings. Gets the Word settings. The Word settings. Gets the CSV settings. The CSV settings. Container of misc. grouping settings of RadGrid control Gets or sets the file extension for RadGrid CSV export. The file extension for RadGrid CSV export. Gets or sets the row delimiter for RadGrid CSV export. Used to set the text encoding for the CSV file Determines whether the CSV file will have a BOM header. Gets or sets the row delimiter for RadGrid CSV export. Gets or sets whether the data will be enclosed with quotes for RadGrid CSV export. Determines the delimter when exports to CSV. RadGrid CSV text encoding type Predefined filter expression enumeration. Used by class. Basic Filtering Some functions are applicable (and are not displayed on filterting) to all the data types: String type supports all the functions. Integer: NoFilter, EqualTo, NotEqualTo, GreaterThan, LessThan, GreaterThanOrEqualTo, LessThanOrEqualTo, Between, NotBetween, IsNull and NotIsNull are supported. Contains, DoesNotContain, StartsWith, EndsWith, IsEmpty and NotIsEmpty are not supported. Date: same as Integer. Basic Filtering How-To: Localizing filtering menu options How-To: Reducing filtering menu options No filter would be applied, filter controls would be cleared Same as: dataField LIKE '/%value/%' Same as: dataField NOT LIKE '/%value/%' Same as: dataField LIKE 'value/%' Same as: dataField LIKE '/%value' Same as: dataField = value Same as: dataField != value Same as: dataField > value Same as: dataField < value Same as: dataField >= value Same as: dataField <= value Same as: value1 <= dataField <= value2.
Note that value1 and value2 should be separated by [space] when entered as filter.
Same as: dataField <= value1 && dataField >= value2.
Note that value1 and value2 should be separated by [space] when entered as filter.
Same as: dataField = '' Same as: dataField != '' Only null values Only those records that does not contain null values within the corresponding column Custom function will be applied. The filter value should contain a valid filter expression, including DataField, operators and value Choose which filter function will be enabled for a column Basic Filtering Custom option for filtering (FilterListOptions -> VaryByDataTypeAllowCustom) Depending of data type of the column, RadGrid will automatically choose which filters to be displayed in the list As VaryByDataType with custom filtering enabled All filters will be displayed. Note that some data types are not applicatble to some filter functions. For example you cannot apply the 'like' function for integer data type. In such cases you should handle the filtering in a custom manner, handling for 'Filter' command Used when column-based filtering feature of RadGrid is enabled. Defines properties and methods for formatting the predefined filter expressions Gets or sets the illegal strings array. These values indicate which strings could not be entered as a part of the filtering value. Excluding values from the array will allow these values to be entered in the filtering value. However, it is not recommended because possible security vulnerabilities could arise. The illegal strings array. These values indicate which strings could not be entered as a part of the filtering value. Excluding values from the array will allow these values to be entered in the filtering value. However, it is not recommended because possible security vulnerabilities could arise. Enumeration representing the aggregate functions which can be applied to a GridGroupByField (part of collection) Meaningful only when GridGroupByField is part of collection Programmatic GridGroupByField syntax GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "Freight"; gridGroupByField.HeaderText = "Total shipping cost is "; gridGroupByField.Aggregate = GridAggregateFunction.Sum; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "Freight" gridGroupByField.HeaderText = "Total shipping cost is " gridGroupByField.Aggregate = GridAggregateFunction.Sum expression.SelectFields.Add(gridGroupByField) Field which is part of each and collection Dim groupExpression As GridGroupByExpression = New GridGroupByExpression() Dim groupByField As GridGroupByField = New GridGroupByField() groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupExpression.SelectFields.Add(groupByField) groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupExpression.GroupByFields.Add(groupByField) RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression) GridGroupByExpression groupExpression = new GridGroupByExpression(); GridGroupByField groupByField = new GridGroupByField(); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupExpression.SelectFields.Add(groupByField); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupExpression.GroupByFields.Add(groupByField); RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression); Some of the GridGroupByField properties are meaningful only when present under specific collection - or Declarative GridGroupByField syntax Programmatic GridGroupByField syntax Method setting the aggregate function applied for a GridGroupByField which is part of the collection. N/A Dim groupExpression As GridGroupByExpression = New GridGroupByExpression() Dim groupByField As GridGroupByField = New GridGroupByField() groupByField.FieldName = "Size" groupByField.SetAggregate(GridAggregateFunction.Sum) groupExpression.SelectFields.Add(groupByField) groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupExpression.SelectFields.Add(groupByField) groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupExpression.GroupByFields.Add(groupByField) RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression) GridGroupByExpression groupExpression = new GridGroupByExpression(); GridGroupByField groupByField = new GridGroupByField(); groupByField.FieldName = "Size"; groupByField.SetAggregate(GridAggregateFunction.Sum); groupExpression.SelectFields.Add(groupByField); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupExpression.SelectFields.Add(groupByField); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupExpression.GroupByFields.Add(groupByField); RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression); Meaningful only for GridGroupByFields from the collection Method setting the sort order applied for a GridGroupByField which is part of the collection. N/A Meaningful only for GridGroupByFields from the collection GridGroupByExpression groupExpression = new GridGroupByExpression(); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupExpression.SelectFields.Add(groupByField); groupByField = new GridGroupByField(); groupByField.FieldName = "Received"; groupByField.SetSortOrder(GridSortOrder.Ascending); groupExpression.GroupByFields.Add(groupByField); RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression); Dim groupExpression As GridGroupByExpression = New GridGroupByExpression() Dim groupByField As GridGroupByField = New GridGroupByField() groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupExpression.SelectFields.Add(groupByField) groupByField = New GridGroupByField() groupByField.FieldName = "Received" groupByField.SetSortOrder(GridSortOrder.Descending) groupExpression.GroupByFields.Add(groupByField) RadGrid1.MasterTableView.GroupByExpressions.Add(groupExpression) Method which gets the HeaderText value from GridGroupByField part of the collection String containing the HeaderText value Meaningful only for GridGroupByFields from the collection Dim groupExpression As GridGroupByExpression = RadGrid1.MasterTableView.GroupByExpressions(0) Dim headerText as String = groupExpression.SelectFields(0).GetHeaderText() GridGroupByExpression groupExpression = RadGrid1.MasterTableView.GroupByExpressions[0] as GridGroupByExpression; String headerText = groupExpression.SelectFields[0].GetHeaderText() Method which gets the FormatString value from GridGroupByField part of the collection String containing the FormatString value Meaningful only for GridGroupByFields from the collection Dim groupExpression As GridGroupByExpression = RadGrid1.MasterTableView.GroupByExpressions(0) Dim formatString As String = groupExpression.SelectFields(0).GetFormatString() GridGroupByExpression groupExpression = RadGrid1.MasterTableView.GroupByExpressions[0] As GridGroupByExpression; String formatString = groupExpression.SelectFields[0].GetFormatString() Inherited but not used Method that retrieves a System.String that indicates the current object The string format of the object. Object.ToString() Inherited but not used Gets or sets a string that represents the DataField column property that will be used to form the GroupByExpression. Unless you have specified a FieldAlias, the value of this property will be used when Telerik RadGrid constructs the text for GridGroupHeaderItem. FieldName has a meaning both for SelectFields and GroupByFields of GroupByExpression. String representing the DataField for the corresponding grouped column GridGroupByField gridGroupByField; //Add select fields (before the "Group By" clause) gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.HeaderText = "Employee"; expression.SelectFields.Add( gridGroupByField ); //Add a field for group-by (after the "Group By" clause) gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; expression.GroupByFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField 'Add select field (before the "Group By" clause) gridGroupByField = New GridGroupByField() gridGroupByField.FieldName = "EmployeeID" gridGroupByField.HeaderText = "Employee" expression.SelectFields.Add(gridGroupByField) 'Add a field for group-by (after the "Group By" clause) gridGroupByField = New GridGroupByField() gridGroupByField.FieldName = "EmployeeID" expression.GroupByFields.Add(gridGroupByField) Declarative GridGroupByField syntax Programmatic GridGroupByField syntax Gets or sets a value representing a friendly name for the field used for forming the group by expression. This name will be displayed in each group header when grouping by the respective field. Use this property for setting the field text that will be displayed in the GridGroupHeaderItem. If this property is not set, the value of property will be used. Note that this property has a meaning only for GridGroupByField part of the SelectFields of GridGroupByExpression. This property is useful in cases when: you want to change the value displayed in group header (different than the default DataField column value)
or
group by a template column and Telerik RadGrid cannot get the header text for that column.
GridGroupByField gridGroupByField; //Add select fields (before the "Group By" clause) gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.FieldAlias = "EmployeeIdentificator"; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField 'Add select fields (before the "Group By" clause) gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "EmployeeID" gridGroupByField.FieldAlias = "EmployeeIdentificator" expression.SelectFields.Add(gridGroupByField) String representing the friendly name shown Declarative GridGroupByField syntax Programmatic GridGroupByField syntax
Meaningful only for fields in the collection. Gets or sets aggregate function (from enumeration values) that will be applied on the grouped data. Returns the result from currently used aggregate function. This property defaults to GridAggregateFunction.None GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "Freight"; gridGroupByField.HeaderText = "Total shipping cost is "; gridGroupByField.Aggregate = GridAggregateFunction.Sum; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "Freight" gridGroupByField.HeaderText = "Total shipping cost is " gridGroupByField.Aggregate = GridAggregateFunction.Sum expression.SelectFields.Add(gridGroupByField) Programmatic GridGroupByField syntax Meaningful only for fields in the collection. 'None' value is not supported because it can not determine uniquely the order in which the groups will be displayed. Gets or sets the value representing how the data will be sorted. Acceptable values are the values of enumeration except for None (Ascending, Descending). Returns the sorting mode applied to the grouped data. By default it is Ascending. GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.SortOrder = GridSortOrder.Descending; expression.GroupByFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "EmployeeID" gridGroupByField.SortOrder = GridSortOrder.Descending expression.GroupByFields.Add(gridGroupByField) Programmatic GridGroupByField syntax Meaningful only for fields in the collection. When rendering RadGrid is using this expression to format field's value. It is mandatory that {0} parameter is specified in the string - it will be replaced with field's runtime value. Gets or sets the string that will be used to format the GridGroupByField part of the collection. String, formated by the GridGroupByField's FormatString property. It defaults to: "{0}". GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.FormatString = "<strong>{0}</strong>"; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "EmployeeID" gridGroupByField.FormatString = "<strong>{0}</strong>" expression.SelectFields.Add(gridGroupByField) Declarative GridGroupByField syntax Programmatic GridGroupByField syntax Meaningful only for fields in the collection. When rendering RadGrid will override the FieldAlias value with the HeaderText specified. string, copied from the column's HeaderText if this group expression is based on a column. It defaults to the FieldAlias value (if specified). Gets or sets the expression that will be displayed in the . GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.HeaderText = "EmployeeNo"; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "EmployeeID" gridGroupByField.HeaderText = "EmployeeNo" expression.SelectFields.Add(gridGroupByField) Programmatic GridGroupByField syntax Gets or sets the string that separates header text from value text as the field is rendered in the GroupHeaderItems. string, represents the separator between the header text and value text. This field value defaults to ": ". GridGroupByField gridGroupByField; gridGroupByField = new GridGroupByField(); gridGroupByField.FieldName = "EmployeeID"; gridGroupByField.HeaderValueSeparator = " for current group: "; expression.SelectFields.Add( gridGroupByField ); Dim gridGroupByField As GridGroupByField gridGroupByField = New GridGroupByField gridGroupByField.FieldName = "EmployeeID" gridGroupByField.HeaderValueSeparator = " for current group: " expression.SelectFields.Add(gridGroupByField) Meaningful only for fields in the collection. Programmatic GridGroupByField syntax Declarative GridGroupByField syntax Finds a item in the collection by specified FieldName. The specified FieldName. Adds the specified item. The . Inserts a at the specified index. The index where the field will be inserted. The field to be inserted. Adds a collection of fields in the current collection. The c. Inserts a collection of items at the specified index. The index where the items will be inserted. The items to be inserted. Determines whether the collection contains a specific value. The item to locate in the collection. true if the is found in the ; otherwise, false. Removes all items from the collection. The collection is read-only. Determines the index of a specific item in the collection The to locate in the collection. The index of if found in the list; otherwise, -1. Removes the at the specified index. The zero-based index of the item to remove. Copies the elements of the collection to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from collection The must have zero-based indexing. The zero-based index in at which copying begins. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Gets a value indicating whether the collection is read-only. true if the collection is read-only; otherwise, false. Gets a value indicating whether the collection has a fixed size. true if the collection has a fixed size; otherwise, false. Gets the number of group by fields contained in the collection. The number of group by fields contained in the collection. Gets an object that can be used to synchronize access to the collection. An object that can be used to synchronize access to the collection. Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. Container of miscellaneous grouping settings of RadGrid control For internal usage only For internal usage only The group header message, indicating that the group continues on the next page. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
            <GroupingSettings GroupContinuesFormatString="The group continues on the next page." />
                
The group header message indicating that this group continues from the previous page. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
            <GroupingSettings GroupContinuedFormatString="This group continues from the previous page." />
                
A part of the string that formats the information label that appears on each group header of a group that is split onto several pages parameter {0} will be replaced with the number of actual items displayed on the page parameter {1} will be replaced with the number of all items in the group Gets or sets the format string that will be used when group is split, containing the GroupSplitDisplayFormat or GroupContinuedFormatString and GroupContinuesFormatString or the three together. This property defaults to "({0})" String that separates each group-by field when displayed in GridGroupHeaderItems. This property default to ";" Gets or sets a value indicating whether the grouping operations will be case sensitive or not. true if grouping is case sensitive, otherwise false. The default value is true. Gets or sets a string that will be displayed when the group expand image is hovered. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
              <GroupingSettings ExpandTooltip="Click here to expand the group!" />
            
Gets or sets a string that will be displayed when the group expand all image is hovered. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
              <GroupingSettings ExpandAllTooltip="Click here to expand all the groups!" />
            
Gets or sets a string that will be displayed when the group collapse image is hovered. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
              <GroupingSettings ExpandTooltip="Click here to collapse the group!" />
                
Gets or sets a string that will be displayed when the collapse all groups image is hovered. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
              <GroupingSettings CollapseAllTooltip="Click here to collapse all the groups!" />
                
Gets or sets a string that will be displayed when a group panel item is hovered. Localizing the grid messages Localizing the grid messages topic lists all the tooltips and text messages which can be modified.
                <radG:RadGrid>
..
<GroupingSettings UnGroupTooltip="Wanna ungroup? Drag me back!" />
</radG:RadGrid>
Gets or sets value text of group panel item's ungroup button's tooltip Gets or sets value indicating if group panel item's ungroup button should be shown Gets or sets value indicating if group aggregates should not depend on the current page. Gets or sets a value indicating whether the group footers should be kept visible when their parent group headers are collapsed. The summary attribute for the table that wraps the . The summary attribute for the table second level table in the . The summary attribute for the table which holds all group items in the . The caption for the table that wraps the . The caption for the table second level table in the . The caption for the table which holds all group items in the . Enumeration, which holds information about what action did fire the event. Holds properties specific for grouping mechanism such as performed action and reference to GridTableView where the action was performed. Gets a reference to enumeration, which holds information about what action did fire the event. protected void RadGrid1_GroupsChanging(object source, Telerik.Web.UI.GridGroupsChangingEventArgs e)
{
if (e.Action == GridGroupsChangingAction.Group)
{ ... }
Gets a reference to the GridTableView object where the grouping is performed. a reference to GridTableView object. Gets or sets the that will be used for grouping Telerik RadGrid. protected void RadGrid1_GroupsChanging(object source, Telerik.Web.UI.GridGroupsChangingEventArgs e) { if (e.Action == GridGroupsChangingAction.Group) { GridGroupByField countryGroupField = new GridGroupByField(); countryGroupField.FieldName = "Country"; GridGroupByField cityGroupField = new GridGroupByField(); cityGroupField.FieldName = "City"; e.Expression.SelectFields.Clear(); e.Expression.SelectFields.Add(countryGroupField); e.Expression.SelectFields.Add(cityGroupField); e.Expression.GroupByFields.Clear(); e.Expression.GroupByFields.Add(countryGroupField); e.Expression.GroupByFields.Add(cityGroupField); ... } } Protected Sub RadGrid1_GroupsChanging(ByVal source As Object, ByVal e As Telerik.Web.UI.GridGroupsChangingEventArgs) 'Expression is added (by drag/grop on group panel) If (e.Action = GridGroupsChangingAction.Group) Then Dim countryGroupField As GridGroupByField = New GridGroupByField countryGroupField.FieldName = "Country" Dim cityGroupField As GridGroupByField = New GridGroupByField cityGroupField.FieldName = "City" e.Expression.SelectFields.Clear e.Expression.SelectFields.Add(countryGroupField) e.Expression.SelectFields.Add(cityGroupField) e.Expression.GroupByFields.Clear e.Expression.GroupByFields.Add(countryGroupField) e.Expression.GroupByFields.Add(cityGroupField) End If End Sub Gets the swap expression which represents the with which the will be swapped. The only case the value is not null is when property is set to . The swap expression which represents the with which the will be swapped. The only case the value is not null is when property is set to . Gets a reference to the currently used . Gets or sets a value indicating whether event will be canceled. true, if the event is canceled, otherwise false. Container of misc. grouping settings of RadGrid control Gets or sets a string that represents the tooltip that will be shown when the expand image is hovered. Gets or sets a string that represents the tooltip that will be shown when the expand all button in the header is hovered. Gets or sets a string that represents the tooltip that will be shown when the collapse image is hovered. Gets or sets a string that represents the tooltip that will be shown when the collapse all button in the header is hovered. Gets or sets a string that represents the tooltip that will be shown when the self-hierarchy expand image is hovered. Gets or sets a string that represents the tooltip that will be shown when the self-hierarchy collapse image is hovered. A class used within columns inhereted from . Used as a sort icon. Gets or sets the border width of the Web server control. A that represents the border width of a Web server control. The default value is , which indicates that this property is not set. The specified border width is a negative value. A class used within group panel inhereted from . Used when there is empty skin. Gets or sets the border width of the Web server control. A that represents the border width of a Web server control. The default value is , which indicates that this property is not set. The specified border width is a negative value. This is a collection of item indexes - each item index is unique within the collection Copies the elements of the collection to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. The zero-based index in at which copying begins. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. This method is for internal use only! Determines whether the collection contains the specified item by providing its hierarchical index. The hierarchical index of the item. Returns whethever the item is present in the collection Clears all items from the collection. Constructs and add item hierarchical index to the collection of indexes. The hierarchical-index is based on sequential numbers of indxes of items and detail tables. For example index Add(1) will construct the hierarchicalindex for Item 1 in MasterTableView. Add(1, 0, 2) references to the item with index 2 that belongs to a child table 0 of the item 1 in MastertableView. Determines whether the collection contains the child index by providing a parent index. The parent index. Returns a boolean property whether the index exists. Gets a collection of child indexes based on a provided parent index. The parent index. The child indexes collection. Gets a collection of child indexes based on a provided parent index and detail table index. The parent index. The index of the DetailTable. The child indexes collection. Removes indexes from the collection of child indexes based on a provided parent index and detail table index. The parent index. The index of the DetailTable. Persistence Framework need this method to get the internal list when restoring the state of the collection The internal ArrayList the GridIndexCollection is based on Gets the number of elements contained in the collection. The number of elements contained in the collection. Gets a boolean value indicationg whether the collection is read only and can me modified. A boolean value indicationg whether the collection is read only and can me modified. Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. Gets an object that can be used to synchronize access to the collection. An object that can be used to synchronize access to the collection. Class representing a insertion object and is used as a base class for items that are inserting records. Summary description for GridItemDecorator. Determines whether the given cell is child of GridDetailTemplateItem and whether it is the actual DataCell in which the template is instantiated. For internal use only. TableCell to be checked True if the current cell is the cell where the template is instantiated. Otherwise false. The class representing the event arguments holding arguments associated with an item event. Gets the which fired the event. The which fired the event. Event info object. Cast to derrived classes to obtain the appropriate instance Set to true to cancel the default event execution, if available. The ItemCreated and ItemDataBound events cannot be cancelled. The class holding the event name of the . Gets the name of the event. The name of the event. passed when initializes a pager item. Gets the holding values associated with the paging and its current state. The holding values associated with the paging and its current state. /// passed when initializes a . Gets or sets the container that holds the . The container that holds the . Specifies the position at which the user has dragged and dropped the source item(s) with regards to the destination item. The source item(s) is dropped above (before) the destination item. The source item(s) is dropped below (after) the destination item. The class holding the event arguments passed when a drag-drop event have fired. Gets the destination if the row have been dropped over a data item. The destination data item. Gets a collection of all dragged items. The dragged items. Gets the HTML element id attribute of the element on which the row have been dropped. The HTML element. Gets the control in which a row have been dropped. The destination grid. Gets the position at which the user has dragged and dropped the source item(s) with regards to the destination item. Contains instance to which belongs the destinationItem The event arguments passed when is exporting to PDF. Contains raw RadGrid's HTML which will be transformed to PDF. The event arguments passed when exports regardless of what kind of file. Gets the type of the export. The type of the export. Contains export document which will be written to the response Enumeration determining the type of export. Event arguments passed when exports to excel. The event associated with the arguments will be called for each cell individually. Gets the column associated with the formatting cell. The column associated with the formatting cell. Gets the cell for formatting. The cell for formatting. Event arguments passed when exports. The event associated with the arguments will be called for each cell individually. Gets the column associated with the formatting cell. The column associated with the formatting cell. Gets the cell for formatting. The cell for formatting. The event arguments passed when exports with HTML format. In cases of Word export and Excel with Format set to HTML. Gets styles associated with the exported html. The styles. Gets or sets the XML options associated with the exported html. The XML options associated with the exported html. Item that is displayed on top or at the bottom of the each GridTableView base on the settings of property. Generally this item displays by default "Add new record" and "Refresh" button, but it can be customized using the . The commands bubbled through this item will be fired by RadGrid.ItemCommand event. Gets or sets the caption for the table command item. Setting this property to empty string will force the pager to not render caption tag. The default value is "Data pager". Gets or sets the summary attribute for the table command item. Setting this property to empty string will force the pager to not render summary attribute. The default value is "Command item for additional functionalities for the grid like adding a new record and exporting.". Represents the base class for any items that display and edit data in a GridTableView of RadGrid. Inheritors has the capabilities to: Locate a table cell based on the column unique names Extract values from the cells of column editors Has a dictionary of saved-old-values that are necessary for optimistic concurency editing oprations Edit/browse mode EditManager instance, which is capable of locating the column editors Extracts values for each column, using This dictionary to fill, this parameter should not be null Extracts values for each column, using and updates values in provided object; The object that should be updated Get the DataKeyValues from the owner GridTableView with the corresponding item ItemIndex and keyName. The keyName should be one of the specified in the array data key name data key value Allows you to access the column editors GridEditManager editMan = editedItem.EditManager; IGridEditableColumn editableCol = (column as IGridEditableColumn); IGridColumnEditor editor = editMan.GetColumnEditor( editableCol ); Dim editMan As GridEditManager = editedItem.EditManager Dim editableCol As IGridEditableColumn = CType(column, IGridEditableColumn) Dim editor As IGridColumnEditor = editMan.GetColumnEditor(editableCol) Gets the old value of the edited item foreach (DictionaryEntry entry in newValues) { Label1.Text += "\n<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues[entry.Key] + "<br />"; } For Each entry As DictionaryEntry In newValues Label1.Text += "" & Microsoft.VisualBasic.Chr(10) & "<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues(entry.Key) + "<br />" Next string keyValues = ((GridEditableItem)e.Item).KeyValues; if (keyValues.Contains("CustomerID")) Session["CustomerID"] = keyValues.Substring(13, keyValues.Length - 1); else Session["OrderID"] = keyValues.Substring(10, keyValues.Length - 1); Dim keyValues As String = CType(e.Item, GridEditableItem).KeyValues If keyValues.Contains("CustomerID") Then Session("CustomerID") = keyValues.Substring(13, keyValues.Length - 1) Else Session("OrderID") = keyValues.Substring(10, keyValues.Length - 1) End If Interface determining if the grid item is an insert item. Summary description for GridDataItem. Generates a client-side function which fires a command with a given name and arguments GridTableView fireCommand protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridDataItem) { GridDataItem dataItem = (GridDataItem) e.Item; ((Button) dataItem["MyTemplateColumn"].Controls[0]).OnClientClick = dataItem.ClientFireCommandFunction("MyCommandName", ""); } } Command's name Command's argument Sets the visibility of the children items. This method is for Telerik RadGrid internal usage. This method is for Telerik RadGrid internal usage. Gets the which represents the item holding any detail tables. Gets the which repsents the edit item below the current . Gets a value indicating whether this item has child items - or items somehow related to this. For example the GridDataItem has child NestedViewItem that holds the hierarchy tables when grid is rendering hierarchy.
GroupHeaderItems has the items with a group for children, and so on. protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).HasChildItems == true) { Label1.Text = "has items"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).HasChildItems = True) Then Label1.Text = "has items" End If End Sub
Gets a boolean value indication if the current does have a below it. Returns a reference to the cell where the DetailItemTemplate has been instantiated. Sets whether the GridItem will be visible or with style="display:none;" Note that visibility of the GridDataItem will affect the PreviewItem also. Gets or sets a value that indicates whether a server control is rendered as UI on the page. Note that visibility of the GridDataItem will affect the PreviewItem also. Gets the old value of the edited item foreach (DictionaryEntry entry in newValues) { Label1.Text += "\n<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues[entry.Key] + "<br />"; } For Each entry As DictionaryEntry In newValues Label1.Text += "" & Microsoft.VisualBasic.Chr(10) & "<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues(entry.Key) + "<br />" Next Gets a value indicating whether the grid item is bound to a data source. Default value is true when the grid is databound. Gets a value indicating whether the grid item is in edit mode at the moment. Will locate the TextBox for Item in Edit mode: if (e.Item is GridEditableItem && e.Item.IsInEditMode) { TextBox txt = (e.Item as GridEditableItem)["SomeColumnName"].Controls[0] as TextBox; } If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then ... End If The grid data item which will be used for inserting a records in the data souce. This method is not intended to be used directly from your code. Gets a value indicating whether the grid item is in edit mode at the moment. Will locate the TextBox for Item in Edit mode: if (e.Item is GridEditableItem && e.Item.IsInEditMode) { TextBox txt = (e.Item as GridEditableItem)["SomeColumnName"].Controls[0] as TextBox; } If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then ... End If Sets the Item in edit mode. Requires Telerik RadGrid to rebind. If is set to InPlace, the grid column editors will be displayed inline of this item. If is set to EditForms, a new GridItem will be created, which will be child of this item (GridEditFormItem). The new item will hold the edit form. We suggest using IsInEditMode instead of Edit to check whether an Item is in edit more or not. Gets a value indicating whether this item has child items - or items somehow related to this. For example the GridDataItem has child NestedViewItem that holds the hierarchy tables when grid is rendering hierarchy.
GroupHeaderItems has the items with a group for children, and so on. protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).HasChildItems == true) { Label1.Text = "has items"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).HasChildItems = True) Then Label1.Text = "has items" End If End Sub
Gets a value indicating whether the item can be "expanded" to show its child items Shows whether an item can be "expanded" to show its child items protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).CanExpand == true) { Label1.Text = "Item was expanded"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).CanExpand = True) Label1.Text = "Item was expanded" End If End Sub Item that loads an EditForm during binding if is . When in this mode RadGrid loads an EditFormItem for each normal data-bound item. EditForm is generated only for the items that are in = true mode. Override this method to change the default logic for rendering the item. Intended for internal usage. This method is not intended to be used directly from your code Extracts values for each column, using This dictionary to fill, this parameter should not be null The table cell where the edit form will be instantiated, during data-binding. FormColumns are only available when EditFormType is GridEditFormType.AutoGenerated. These are the container controls for each edit-form-column. You cna find the edit controls in these containers. You should not remove any controls from this containers. The corresponding DataItem that the edit form is generated for. Allows you to access the column editors GridEditManager editMan = editedItem.EditManager; IGridEditableColumn editableCol = (column as IGridEditableColumn); IGridColumnEditor editor = editMan.GetColumnEditor( editableCol ); Dim editMan As GridEditManager = editedItem.EditManager Dim editableCol As IGridEditableColumn = CType(column, IGridEditableColumn) Dim editor As IGridColumnEditor = editMan.GetColumnEditor(editableCol) Gets a value indicating whether the grid item is bound to a data source. Default value is true when the grid is databound. Gets a value indicating whether the grid item is in edit mode at the moment. Will locate the TextBox for Item in Edit mode: if (e.Item is GridEditableItem && e.Item.IsInEditMode) { TextBox txt = (e.Item as GridEditableItem)["SomeColumnName"].Controls[0] as TextBox; } If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then ... End If Gets the old value of the edited item foreach (DictionaryEntry entry in newValues) { Label1.Text += "\n<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues[entry.Key] + "<br />"; } For Each entry As DictionaryEntry In newValues Label1.Text += "" & Microsoft.VisualBasic.Chr(10) & "<br />Key: " + entry.Key + "<br />New value: " + entry.Value + "<br /> Old value: " + editedItem.SavedOldValues(entry.Key) + "<br />" Next Cell holding the cells. Gets or sets the column name of the associated cell. The column name of the associated cell. The item which will be used for inserting records when EditMode is set to EditForms. Sets the Item in edit mode. Requires Telerik RadGrid to rebind. If is set to InPlace, the grid column editors will be displayed inline of this item. If is set to EditForms, a new GridItem will be created, which will be child of this item (GridEditFormItem). The new item will hold the edit form. We suggest using IsInEditMode instead of Edit to check whether an Item is in edit more or not. Gets a value indicating whether the grid item is in edit mode at the moment. Will locate the TextBox for Item in Edit mode: if (e.Item is GridEditableItem && e.Item.IsInEditMode) { TextBox txt = (e.Item as GridEditableItem)["SomeColumnName"].Controls[0] as TextBox; } If Typeof e.Item Is GridEditableItem And e.Item.IsInEditMode Then ... End If It's an item, displaying input controls, which allows user to enter a filter values for each visible column in a GridTableView. By default the columns render a textbox and a button, displaying the filtering menu on click. This item is visible based on the settings of property. The items is displayed right under the header row of a GridTabelView. Setting filter textbox dimensions/changing default filter image Protected Sub RadGrid1_ItemCreated(sender As Object, e As GridItemEventArgs) Handles RadGrid1.ItemCreated If Typeof e.Item Is GridFilteringItem Then Dim filteringItem As GridFilteringItem = CType(e.Item, GridFilteringItem) 'set dimensions for the filter textbox Dim box As TextBox = CType(filteringItem("ContactName").Controls(0), TextBox) box.Width = Unit.Pixel(30) 'set ImageUrl which points to your custom image Dim image As Image = CType(filteringItem("ContactName").Controls(1), Image) image.ImageUrl = "<my_image_url>" End If End Sub 'RadGrid1_ItemCreated Protected void RadGrid1_ItemCreated(Object sender, GridItemEventArgs e) { If (e.Item Is GridFilteringItem) { GridFilteringItem filteringItem = e.Item As GridFilteringItem; //Set dimensions For the filter textbox TextBox box = filteringItem["ContactName"].Controls[0] As TextBox; box.Width = Unit.Pixel(30); //Set ImageUrl which points To your custom image Image image = filteringItem["ContactName"].Controls[1] As Image; image.ImageUrl = "<my_image_url>"; } } Gets a value indicating whether the item can be "expanded" to show its child items Shows whether an item can be "expanded" to show its child items protected void RadGrid1_ItemCreated(object sender, GridItemEventArgs e) { if (e.Item is GridItem && (e.Item as GridItem).CanExpand == true) { Label1.Text = "Item was expanded"; } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As GridItemEventArgs) If (Typeof e.Item Is GridItem AndAlso CType(e.Item, GridItem).CanExpand = True) Label1.Text = "Item was expanded" End If End Sub Gets or sets a value indicating whether the grid item is expanded or collapsed. The example below sets all expanded items to collapsed for(int i = 0; i < RadGrid.Items.Count - 1;i++) if(RadGrid.Items[i].Expanded) { RadGrid.Items[i].Expanded = false; } Dim i As Integer For i = 0 To (RadGrid.Items.Count - 1) Step -1 If RadGrid.Items(i).Expanded Then RadGrid.Items(i).Expanded = False End If Next i Displays the footer row of a GridTableView with cells for each column in the grid similar to GridHeaderItem. The item which splits the groups (when utilizing the grouping feature of RadGrid) and provides expand/collapse functionality for them. Here is how you can get reference to the GridGroupHeaderItem on ItemDataBound: Private Sub RadGrid1_ItemDataBound(sender As Object, e As Telerik.Web.UI.GridItemEventArgs) If Typeof e.Item Is GridGroupHeaderItem Then Dim item As GridGroupHeaderItem = CType(e.Item, GridGroupHeaderItem) 'do something here End If End Sub 'RadGrid1_ItemDataBound private void RadGrid1_ItemDataBound(object sender, Telerik.Web.UI.GridItemEventArgs e) { if ( e.Item is GridGroupHeaderItem ) { GridGroupHeaderItem item = (GridGroupHeaderItem)e.Item; //do something here } } } Created and meaningful only with grouping enabled. should be applied to have such type of item(s). Customize GridGroupHeaderItem Performing calculations in group header Marked for internal usage only Inherited from Control, for internal usage only Inherited from Control, for internal usage only Inherited from Control, for internal usage only Method which returns the data items under the group. An array of GridItem instances The code below can be used to loop through the data items in a group on button click handler (for example): Dim groupHeader As GridGroupHeaderItem = RadGrid1.MasterTableView.GetItems(GridItemType.GroupHeader)(0) Dim groupItems As GridItem() = groupHeader.GetChildItems() 'traverse the items and operate with them further GridGroupHeaderItem groupHeader= RadGrid1.MasterTableView.GetItems(GridItemType.GroupHeader)[0] as GridGroupHeaderItem; GridItem [] groupItems = groupHeader.GetChildItems(); //traverse the items and operate with them further Meaningful only with grouping enabled. should be applied to have available. Method which shows/hides the items in the group designated by the N/A The code below will hide the items under the first group in the grid: Dim groupHeader As GridGroupHeaderItem = RadGrid1.MasterTableView.GetItems(GridItemType.GroupHeader)(0) groupHeader.SetVisibleChildren(False) GridGroupHeaderItem groupHeader = RadGrid1.MasterTableView.GetItems(GridItemType.GroupHeader)[0] as GridGroupHeaderItem; groupHeader.SetVisibleChildren(false); Meaningful only with grouping enabled. should be applied to have available. boolean, determines whether the items in the group will be displayed or hidden Gets or sets all aggregate values in the header. All aggregate values in the header. The cell holding the content of the N/A Below is a sample code presenting how to customize the DataCell content dynamically on ItemDataBound: Private Sub RadGrid1_ItemDataBound(sender As Object, e As Telerik.Web.UI.GridItemEventArgs) If Typeof e.Item Is GridGroupHeaderItem Then Dim item As GridGroupHeaderItem = CType(e.Item, GridGroupHeaderItem) Dim groupDataRow As DataRowView = CType(e.Item.DataItem, DataRowView) 'Clear the present text of the cell item.DataCell.Text = "" Dim column As DataColumn For Each column In groupDataRow.DataView.Table.Columns 'Check the condition and add only the field you need If column.ColumnName = "Country" Then item.DataCell.Text += "Customized display - Country is " + groupDataRow("Country").ToString() End If Next column End If End Sub 'RadGrid1_ItemDataBound Private void RadGrid1_ItemDataBound(Object sender, Telerik.Web.UI.GridItemEventArgs e) { If ( e.Item Is GridGroupHeaderItem ) { GridGroupHeaderItem item = (GridGroupHeaderItem)e.Item; DataRowView groupDataRow = (DataRowView)e.Item.DataItem; //Clear the present text of the cell item.DataCell.Text = ""; foreach( DataColumn column In groupDataRow.DataView.Table.Columns) //Check the condition And add only the field you need If ( column.ColumnName == "Country" ) { item.DataCell.Text += "Customized display - Country is " + groupDataRow ["Country"].ToString(); } } } Created and meaningful only with grouping enabled. should be applied to have with DataCell. Customize GridGroupHeaderItem Performing calculations in group header Boolean property indicating whether the relevant has child items inside the group it forms. boolean Dim groupHeader As GridGroupHeaderItem = grid.MasterTableView.GetItems(GridItemType.GroupHeader)(0) If (groupHeader.HasChildItems) Then 'operate with the items Else 'do something else End If GridGroupHeaderItem groupHeader = grid.MasterTableView.GetItems(GridItemType.GroupHeader)[0] as GridGroupHeaderItem; if (groupHeader.HasChildItems) { //operate with the items } else { //do something else } Meaningful only with grouping enabled. should be applied to have with this boolean property. Marked for internal usage GridHeaderItem class. See Static Rows for more information. The event argumnets passed when a grid cell have been data bound. Gets the associated table cell which have been data bound. The associated table cell which have been data bound. Gets the table cell column owner. The table cell column owner. Collection holding objects. Copies the elements of the collection to an , starting at a particular index. The one-dimensional that is the destination of the elements copied from collection The must have zero-based indexing. The zero-based index in at which copying begins. Returns an enumerator that iterates through a collection. An object that can be used to iterate through the collection. Gets the number of elements contained in the collection. The number of elements contained in the collection. Gets a value indicating if the collection is read only and could be modified. A value indicating if the collection is read only and could be modified. Gets a value indicating whether access to the collection is synchronized (thread safe). true if access to the collection is synchronized (thread safe); otherwise, false. Gets an object that can be used to synchronize access to the collection. An object that can be used to synchronize access to the collection. A collection holding items. Enumeration for all grid item types. GridMultiRowItem class. Used internally to hold the multi-row items like headers and footers. See Static Rows for more information about headers and footers. Item that contains the nested instances of GridTableView class, that appear as a child item of the corresponding GridDataItem The child tables will be created when grid is databinding and will be added as controls of the Then these tables can also be accessed using the array. Creates an instance of GridNestedViewItem For internal usage only. An instance of GridTableView Class, which will contain the created item The value for ItemIndex Property (Telerik.Web.UI.GridItem) property The value for DataSetIndex Property (Telerik.Web.UI.GridItem) property Defines the default logic for rendering the item. For internal usage only. This method is not intended to be used directly from your code This method is not intended to be used directly from your code Binds a data source to the invoked server control and all its child controls. Gets the cell that contains the . System.Web.UI.WebControls.TableCell foreach (GridNestedViewItem nestedViewItem in radgrid1.MasterTableView.GetItems(GridItemType.NestedView)) { TableCell cell = nestedViewItem.NestedViewCell; cell.BorderColor = System.Drawing.Color.Red; } Dim nestedViewItem As GridNestedViewItem For Each nestedViewItem In RadGrid1.MasterTableView.GetItems(GridItemType.NestedView) Dim cell As TableCell = nestedViewItem.NestedViewCell cell.BorderColor = System.Drawing.Color.Red Next nestedViewItem Gets an array of GridTableView objects residing in the . GridTableView nestedTable = RadGrid1.MasterTableView.Items[0].ChildItem.NestedTableViews[0]; Dim nestedTable As GridTableView = RadGrid1.MasterTableView.Items(0).ChildItem.NestedTableViews(0) Gets a reference to a that is parent of this GridNoRecordsItem is used to display no records template, in the corresponding table view has is set to true (the default). Gets the item template cell which will override the default look of the no records item if specified. The item template cell which will override the default look of the no records item if specified. GridPagerItem class. See Functional Items for more information about the pager item. Returns instance of control which contains grid numeric pager If you have already defined an GridPagerTemplate, but still standard numeric pager is required you can attain this using the following code protected void RadGrid1_ItemCreated(object sender, Telerik.Web.UI.GridItemEventArgs e) { if (e.Item is GridPagerItem) { GridPagerItem gridPager = e.Item as GridPagerItem; Control numericPagerControl = gridPager.GetNumericPager(); gridPager.Controls[0].Controls.Add(numericPagerControl); } } Protected Sub RadGrid1_ItemCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.GridItemEventArgs) If Typeof e.Item Is GridPagerItem Then Dim gridPager As GridPagerItem = TryCast(e.Item, GridPagerItem) Dim numericPagerControl As Control = gridPager.GetNumericPager() gridPager.Controls(0).Controls.Add(numericPagerControl) End If End Sub Gets or sets the caption for the table pager. Setting this property to empty string will force the pager to not render caption tag. The default value is "Data pager". Gets or sets the summary for the table pager. Setting this property to empty string will force the pager to not render summary attribute. The default value is "Data pager which controls on which page is the RadGrid control.". Gets the position of the pager in the RadGrid. Default value is false. if (((GridPagerItem)this.Item).IsTopPager) { Item.Visible = false; return; } If CType(Me.Item, GridPagerItem).IsTopPager Then Item.Visible = False Return End If Gets the paging manager holding information and providing setup for the pagging. The paging manager holding information and providing setup for the pagging. The Cell where the PagerItems are located if (e.Item is GridPagerItem) { GridPagerItem pagerItem = (e.Item as GridPagerItem); pagerItem.PagerContentCell.Controls.Clear(); //custom paging } If Typeof e.Item Is GridPagerItem Then Dim pagerItem As GridPagerItem = CType(e.Item, GridPagerItem) pagerItem.PagerContentCell.Controls.Clear 'custom paging End If GridStatusBarItem is used to display information messages for Telerik RadGrid status. Meaningful only when Telerik RadGrid is in AJAX mode. Gets the item template cell which will override the default look of the no records item if specified. The item template cell which will override the default look of the no records item if specified. The event arguments passed when the grid performs pagging and fires PageChanged event. Gets the new page index the grid will go on. The new page index. The event arguments passed when page size have changed and fires PageSizeChanged event. Gets the new selected page size that will be applied. The new selected page size. The mode of the pager defines what buttons will be displayed and how the pager will navigate through the pages. The grid Pager will display only the Previous and Next link buttons. The grid Pager will display only the page numbers as link buttons. The grid Pager will display the Previous button, page numbers, the Next button, the PageSize dropdown and information about the items and pages count. The grid Pager will display the Previous button, then the page numbers and then the Next button. On the next Pager row, the Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The grid Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The grid Pager will display a slider for very fast and AJAX-based navigation through grid pages. This enumeration defines the possible positions of the pager item The Pager item will be displayed on the bottom of the grid. (Default value) The Pager item will be displayed on the top of the grid. The Pager item will be displayed both on the bottom and on the top of the grid. RadGrid and GridTableView use instance of this class to set style of thir PagerItem-s when rendering Summary description for GridTableItemStyle. Returns 'True' if none of the properties have been set Duplicates the non-empty style properties of the specified into the instance of the class that this method is called from. A that represents the style to copy. Combines the style properties of the specified into the instance of the class that this method is called from. A that represents the style to combine. Removes any defined style elements from the state bag. Returns true if none of the properties have been set. Gets a value indicating whether the default pager will be used, i.e. no customizations have been made. Gets a value indicating whether the pager is displayed on the bottom of the grid. Returns true if the pager will be displayed on the bottom of the grid. Otherwise false. Gets a value indicating whether the pager is displayed on the top of the grid. Returns true if the pager will be displayed on the top of the grid. Otherwise false. Gets or sets the mode of Telerik RadGrid Pager. The mode defines what the pager will contain. This property accepts as values only members of the GridPagerMode Enumeration. Returns the pager mode as one of the values of the GridPagerMode Enumeration. You should have Paging enabled by setting the property. Gets/sets a comma/semicolon delimited list of page size values. Text that would appear if Mode is PrevNext for 'next' page button Text that would appear if Mode is PrevNext for 'last' page button Gets or sets url for Previous Page image Gets or sets url for Next Page image Gets or sets url for first page image Gets or sets url for first page image ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'last' page button ToolTip that would appear if Mode is PrevNext for 'prev' page button ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'prev' page button The ToolTip that will be applied to the GoToPage control. The ToolTip that will be applied to the GoToPage input element. The ToolTip that will be applied to the ChangePageSize control. The ToolTip that will be applied to the ChangePageSize control. The summary attribute that will be applied to the table which holds the ChangePageSize control. The ToolTip that will be applied to the input element in the ChangePageSize control. The text of the page size label situated before the page size combo. Gets or sets the number of buttons that would be rendered if pager Mode is returns the number of button that will be displayed. The default value is 10 buttons. By default 10 buttons will be displayed. If the number of grid pages is greater than 10, ellipsis will be displayed. Gets or sets the Position of pager item(s).Accepts only values, members of the GridPagerPosition Enumeration. Returns the Pager position as a value, member of the GridPagerPosition Enumeration. Text that would appear if Mode is PrevNext for 'previous' page button Text that would appear if Mode is PrevNext for 'first' page button Gets or sets the visibility of the pager item In order to display the grid pager regardless of the number of records returned and the page size, you should set this property of the corresponding GridTableView to true. Its default value is false. Gets or set a value indicating whether the Pager will be visible regardless of the number of items. (See the remarks) true, if pager will be displayed, regardless of the number of grid items, othewise false. By fefault it is false. When this property is enabled, the combobox control in the pager will have an "All" option which could be used to display all items without disabling the paging Get or set a value indicating whether the SEO (Search Engine Optimized) paging enabled December 15, 2006 Gets or sets the SEO paging query string key. The SEO paging query string key. Gets or sets a value indicating whether URL Routing is enabled for the current web application Gets or sets the name of the URL parameter that specifies the page number when SEO paging and routing are enabled. Gets or sets the name of the route that is used when SEO paging and routing are enabled. Gets or sets the horizontal align of the pager. Accepts as values members of the enumeration. the horizontal align of the pager as a value from the enumeration. Gets or sets a value indicating whether the pager text or only the pager buttons will be displayed. true if both pager text and buttons will be displayed, otherwise false. By default it is true. The string used to format the description text that appears in a pager item. See the remarks. The parameters {0) - {4} are mandatory.

Parameter {0} is used to display current page number.
Parameter {1} is total number of pages.
Parameter {2} will be replaced with the number of the first item in the current page.
Parameter {3} will be set to the number of the last item in the current page.
Parameter {4} indicates where pager buttons would appear.
Parameter {5} corresponds to number of all items in the datasource.
The default value is:
Change page: {4} Displaying page {0} of {1}, items {2} to {3} of {5}
Gets or sets the type of the page size drop down control. Can be used in your class implementation to access the information from the PagerItem.Paging object. See Programmatic Pager Customization for an example. Gets or sets a value indicating whether the automatic paging feature is enabled. true if the paging feature is enabled; otherwise, false. The default is false Gets or sets an integer value representing the current page index. Note that the Paging must be enabled ( must be true) in order to use this property. zero-based int representing the index of the current page. Gets the number of pages required to display the records of the data source in a Telerik RadGrid control. When the paging feature is enabled (by setting the AllowPaging property to true), use the PageCount property to determine the total number of pages required to display the records in the data source. This value is calculated by dividing the total number of records in the data source by the number of records displayed in a page (as specified by the PageSize property) and rounding up. Gets or sets a value indicating whether the automatic paging feature is enabled and supported. true if the paging feature is enabled and supported; otherwise, false. The default is false Gets or sets an integer value indicating the number of Items that a single page in Telerik RadGrid will contain. Note that the Paging must be enabled ( must be true) in order to use this property. integer, indicating the number of the Items that a single grid page would contain. Gets the first index in the current page. The first index in the current page. Gets the a value indicating if the custom pagging functionality have been enabled. A value indicating if the custom pagging functionality have been enabled. Gets the a value indicating if the custom pagging functionality have been enabled. A value indicating if the custom pagging functionality have been enabled. Gets a value indicating if the control is on the first page. A value indicating if the control is on the first page. Gets a value indicating if the control is on the last page. A value indicating if the control is on the last page. Gets or sets a value, indicating the total number of items in the data source when custom paging is used. Thus the grid "understands" that the data source contains the specified number of records and it should fetch merely part of them at a time to execute requested operation. int, representing the total number of items in the datasource. The default value is 0. Gets the last index in the current page. The last index in current page. Number of items in the data-source Number of items in the current page Represents the paper size used when exporting to PDF. PDF filter Container of misc. grouping settings of RadGrid control GridPdfSettings constructor (for internal use only) StateBag of the owner PageHeader element holds the contents of the header zone This element holds the contents of the footer zone of the page Document creator Document producer Document author Document title Document subject Page title Document keywords (comma-separated) Determines whether the content encryption will be disabled Allow content to be added to the PDF file Allow content to be copied from the PDF file Allow the content of the PDF file to be printed Allow the document to be modified Determines what will happen when a given text is larger than the cell width (and there are no whitespaces inside). If set to true, the overflowing text will be carried over to the next line; otherwise (false) the text will break the cell boundaries Gets or sets the physical paper size that RadGrid will use when exporting to PDF. It will be overriden by setting PageWidth and PageHeight explicitly. Determines the default content filter used by the PDF engine Determines the border type for the exported RadGrid Determines the thickness of the border Determines the color of the borders Gets or sets the page width that RadGrid will use when exporting to PDF. This setting will override any predefined value that comes from the PaperSize property. Gets or sets the page height that RadGrid will use when exporting to PDF. This setting will override any predefined value that comes from the PaperSize property. The top margin of the page The bottom margin of the page The left margin of the page The right margin of the page The margin of the page header The margin of the page footer This property describes the different types of font embedding: Link, Embed and Subset. Possible values:
Link
The font program is referenced by name in the rendered PDF. Anyone who views a rendered PDF with a linked font program must have that font installed on their computer otherwise it will not display correctly.
Embed
The entire font program is embedded in the rendered PDF. Embedding the entire font program guarantees the PDF will display as intended by the author on all computers, however this method does possess several disadvantages:
  1. Font programs can be extremely large and will significantly increase the size of the rendered PDF. For example, the MS Gothic TrueType collection is 8MB!
  2. Certain font programs cannot be embedded due to license restrictions. If you attempt to embed a font program that disallows embedding, RadGrid will substitute the font with a base 14 font and generate a warning message.
Subset (default value)
Subsetting a font will generate a new font that is embedded in the rendered PDF that contains only the chars referenced by RadGrid. For example, if a particular RadGrid utilised the Verdana font referencing only the character 'A', a subsetted font would be generated at run-time containing only the information necessary to render the character 'A'.

Subsetting provides the benefits of embedding and significantly reduces the size of the font program. However, small processing overhead is incurred to generated the subsetted font.
Determines whether the exported document will be password protected. Determines the default font RadGrid PDF border type RadGrid PDF border type GridPropertyEvaluator A DataBinder.Eval() workalike that is a bit more forgiving and does not throw exceptions when it can't find a property. Class containing settings associated with the resizing in . Gets or sets a value determining whether the column resize will be enabled. A value determining whether the column resize will be enabled. Gets or sets a value determining whether the row resize will be enabled. A value determining whether the row resize will be enabled. Gets or sets a value determining if a indicator column will be created. The column leaves extra space so it is easier to resize columns. A value determining if a indicator column will be created. The column leaves extra space so it is easier to resize columns. Gets or sets a value determining whether the html element will be resized during column resizing. A value determining whether the html element will be resized during column resizing. Gets or sets a value determining if the clip cell content functionlity is enabled. The feature when enabled allows the column to be resized so the content of the cells is no longer visible. If set to false the resizing will force the cell content to be always visible. The clip cell content on resize. Gets or sets a value determining if the column are resized in real time and the result is visible during resizing or if the value is false the visual result is seen after the user have ended the resize operation. A value determining if the column are resized in real time and the result is visible during resizing or if the value is false the visual result is seen after the user have ended the resize operation. Gets or sets a value indicating if the resize to fit functionality have been enabled. The feature allows when double clicking on the 'Drag to resize' handle the column to be resized to exactly fit the content of the biggest cell in the column. A value indicating if the resize to fit functionality have been enabled. The feature allows when double clicking on the 'Drag to resize' handle the column to be resized to exactly fit the content of the biggest cell in the column. Gets or sets a value indicating if the next column resize feature is enabled. The feature allows resizing one column to only change the width of the next column. A value indicating if the next column resize feature is enabled. Exception thrown when does not support certain operation. This column appears when row resizing is enabled. It provides an easy location for users to click in order to resize the respective row. This column always appears immediately before the first data column. Gets or Sets the text value which should be added to alt attribute of the filter control Each column in Telerik RadGrid has an UniqueName property (string). This property is assigned automatically by the designer (or the first time you want to access the columns if they are built dynamically). You can also set it explicitly, if you prefer. However, the automatic generation handles most of the cases. For example a GridBoundColumn with DataField 'ContactName' would generate an UniqueName of 'ContactName'. Additionally, there may be occasions when you will want to set the UniqueName explicitly. You can do so simply by specifying the custom name that you want to choose:
<radG:GridTemplateColumn
UniqueName="ColumnUniqueName">
</radG:GridTemplateColumn>
When you want to access a cell within a grid item, you should use the following code to obtain the right cell: TableCell cell = gridDataItem["ColumnUniqueName"]; or gridDataItem["ColumnUniqueName"].Text = to access the Text property Using this property you can index objects of type %GridDataItem:GridDataItem% or %GridEditFormItem:GridEditFormItem% (or all descendants of %GridEditableItem:GridEditableItem% class) In events related to creating, binding or for commands in items, the event argument has a property Item to access the item that event is fired for. To get an instance of type GridDataItem, you should use the following: //presume e is the event argument object
if (e.Item is GridDataItem)
{
GridDataItem gridDataItem = e.Item as GridDataItem;
Contains properties related to customizing the settings for scrolling operation in Telerik RadGrid. Gets or sets a value indicating whether scrolling will be enabled in Telerik RadGrid. true, if scrolling is enabled, otherwise false (the default value). Gets or sets a value specifying the grid height in pixels (px) beyond which the scrolling will be enabled. the default value is 300px Gets or sets a value indicating whether grid column headers will scroll as the rest of the grid items or will remain static (MS Excel ® style). true if headers remain static on scroll, otherwise false (the default value). This property is meaningful only when used in conjunction with set to true. Gets or sets a value indicating whether Telerik RadGrid will keep the scroll position during postbacks. This property is meaningful only when used in conjunction with set to true. true (the default value), if Telerik RadGrid keeps the scroll position on postback, otherwise false . This property is particularly useful when working with huge datasets. Using the grid scrollbar, you can change the grid pages just like in Microsoft Word®. When scrolling with the virtual scrollbar, Telerik RadGrid uses AJAX requests to change the pages, i.e. no Postbacks are performed. The overall behavior is smooth and with no flicker. Note that you should have AJAX enabled for Telerik RadGrid by setting the EnableAJAX="True". Gets or sets a value indicating whether Telerik RadGrid will change the pages when you scroll using the grid scroller. This in terms of Telerik RadGrid is called Virtual Scrolling. true, if virtual scrolling is enabled, otherwise false (the default value). To enable static columns, set the ClientSettings.Scrolling.FrozenColumnsCount property to a value greater than 0. The value of FrozenColumnsCount specifies the number of columns (starting with the leftmost column) that do not scroll when the of the user scrolls the grid horizontally, using the horizontal scroll bar. This feature is functional even when in hierarchical grids and grids that support grouping. The frozen columns count. Gets or sets a value indicating if the will be part of the frozen columns count in grid true, if the GridGroupAplitterColumn will be part of the frozen columns count, otherwise false. The default value is true. Provides properties related to setting the client-side selection in Telerik RadGrid. You can get a reference to this class using property. Gets or sets the cell selection mode. The cell selection mode. Gets or sets a value indicating whether you will be able to select a grid row on the client by clicking on it with the mouse. true, if you will be able to select a row on the client, otherwise false (the default value). Gets or sets a value indicating whether you will be able to select multiple rows by dragging a rectangle around them with the mouse. true, if you can select rows by dragging a rectangle with the mouse, otherwise false (the default value) Gets or sets value indicating whether items can be only selected through GridClientSelectColumn true, if you can select rows only by clicking on the GridClientSelectColumn, otherwise false (the default value) Apart from row selection RadGrid supports the selection of individual cells and columns in the grid table. The cell selection functionality is controlled through the ClientSettings.Selecting.CellSelectionMode property: - SingleCell switches on the single cell selection. - MultiCell turns on multiple cell selection. - Column gives you the opportunity to select all the cells withing a given column by clicking on its header or using the column selection API (server and client side). - MultiColumn takes the column selection one step further and equips the grid with the ability to support multiple column selection. Holds the column names presenting the self-referencing relations in the source table. <MasterTableView HierarchyDefaultExpanded="true" HierarchyLoadMode="Client" EnableNoRecordsTemplate="false"
DataKeyNames= "ID,ParentID" Width="100%">
<SelfHierarchySettings ParentKeyName="ParentID" KeyName="ID" />
</MasterTableView>
Meaningful in cases of self-referenced grid.
This method is for Telerik RadGrid internal usage. Checks if a self-hierarchy settings property value was changed and differs from its default. Gets or sets a value representing the parent ID field when building the self-referencing hierarchy. The value property must be included in the DataKeyNames array for the MasterTableView. string, representing the parent ID of the current table level.
            <radG:RadGrid ID="RadGrid1" EnableAJAX="True" ShowHeader="true" runat="server" Skin="None"
Width= "97%" GridLines="None" OnColumnCreated="RadGrid1_ColumnCreated"
OnItemCreated="RadGrid1_ItemCreated"
OnNeedDataSource= "RadGrid1_NeedDataSource">
<MasterTableView HierarchyDefaultExpanded="true" HierarchyLoadMode="Client" EnableNoRecordsTemplate="false"
DataKeyNames= "ID,ParentID" Width="100%">
<SelfHierarchySettings ParentKeyName="ParentID" KeyName="ID" />
</MasterTableView>
<ClientSettings AllowExpandCollapse="true" /> </radG:RadGrid>
Gets or sets a value, representing the ID of the current table level in self-referencing hierarchy structure. string, representing the current table level. The value property must be included in the DataKeyNames array for the MasterTableView.
            <radG:RadGrid ID="RadGrid1" EnableAJAX="True" ShowHeader="true" runat="server" Skin="None"
Width= "97%" GridLines="None" OnColumnCreated="RadGrid1_ColumnCreated"
OnItemCreated="RadGrid1_ItemCreated"
OnNeedDataSource= "RadGrid1_NeedDataSource">
<MasterTableView HierarchyDefaultExpanded="true" HierarchyLoadMode="Client" EnableNoRecordsTemplate="false"
DataKeyNames= "ID,ParentID" Width="100%">
<SelfHierarchySettings ParentKeyName="ParentID" KeyName="ID" />
</MasterTableView>
<ClientSettings AllowExpandCollapse="true" />
            </radG:RadGrid>
            
This property can be set only once when the grid is initialized and can not be modified. Gets or sets a value indicating the level-depth limit of the nested tables. integer, representing the depth limit in levels of nesting. By default the limit is 10 levels. The event arguments passed when sorts happens. Gets the sort expression associated with the performed sorting. The sort expression associated with the performed sorting.. Gets the old sort order of the current sort expression. The old sort order of the current sort expression. Gets the new sort order of the current sort expression. The new sort order of the current sort expression. The evernt arguments passed when fires a ClearSort command which clears a certain sort expression. Gets the sort expression associated with the performed sorting. The sort expression associated with the performed sorting.. Gets the current sort order of the expression which will be cleared. The current sort order of the expression which will be cleared. Enumeration representing the order of sorting data in RadGrid do not sort the grid data sorts grid data in ascending order sorts grid data in descending order Class that is used to define sort field and sort order for RadGrid This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Returns a GridSortOrder enumeration based on the string input. Takes either "ASC" or "DESC" This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Sets the sort order. The SortOrder paremeter should be either "Ascending", "Descending" or "None". Parses a string representation of the sort order and returns GirdSortExpression. Gets or sets the name of the field to which sorting is applied. Sets or gets the current sorting order. A collection of objects. Depending on the value of it holds single or multiple sort expressions. Returns an enumerator that iterates through the GridSortExpressionCollection. Adds a to the collection. Clears the GridSortExpressionCollection of all items. Find a SortExpression in the collection if it contains any with sort field = expression sort field Tries to find a by providing an expression string. Otherwise returns false. The expression to search for. The sort expression. Returns false a sort expression have not been found. If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed String containing sort field and optionaly sort order (ASC or DESC) Adds a to the collection at the specified index. As a convenience feature, adding at an index greater than zero will set the to true. Removes the specified from the collection. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a parameter. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a string parameter. Adds the sort field (expression parameter) if the collection does not alreqady contain the field. Else the sort order of the field will be inverted. The default change order is Asc -> Desc -> No Sort. The No-Sort state can be controlled using property Get a comma separated list of sort fields and sort-order, in the same format used by DataView.Sort string expression. Returns null (Nothing) if there are no sort expressions in the collection Comma separated list of sort fields and optionaly sort-order, null if there are no sort expressions in the collection Searches for the specified GridSortExpression and returns the zero-based index of the first occurrence within the entire GridSortExpressionCollection. If false, the collection can contain only one sort expression at a time. Trying to add a new one in this case will delete the existing expression or will change the sort order if its FiledName is the same. Returns the number of items in the GridSortExpressionCollection. Gets a value indicating whether access to the GridSortExpressionCollection is synchronized (thread safe). This is the default indexer of the collection - takes an integer value.
Gets an object that can be used to synchronize access to the GirdSortExpressionCollection.
Allow the no-sort state when changing sort order. Holds miscellaneous properties related to sorting like the localization properties. Gets or sets the tooltip that will be displayed when you hover the sorting button and there is no sorting applied. Gets or sets the tooltip that will be displayed when you hover the sorting button and the column is sorted ascending. Gets or sets the tooltip that will be displayed when you hover the sorting button and the column is sorted descending. Gets or sets the background color of a sorted cell. The background color of a sorted cell. Defines whether a predefined CssClass will be applied to the sorted column's cells Default value is True State managemenet helper. This class is intended to be used only internally in RadGrid. This class holds settings related to the StatusBar item. <StatusBarSettingsReadyText="Stand by"/> Gets the ID of the Label that will display the status message. Gets or sets the text that will be displayed in GridStatusBarItem when Telerik RadGrid does not perform any operations. the default value is "Ready" Gets or sets the text that will be displayed in GridStatusBarItem when Telerik RadGrid is performing an AJAX request. the default value is "Loading..." A base class inherited from . A String Tokenizer that accepts Strings as source and delimiter. Only 1 delimiter is supported (either String or char[]). Constructor for GridStringTokenizer Class. The Source String. The Delimiter String. If a 0 length delimiter is given, " " (space) is used by default. whether to include delimiters in the list of returned tokens (default is false) Constructor for GridStringTokenizer Class. The Source String. The Delimiter String. If a 0 length delimiter is given, " " (space) is used by default. Constructor for GridStringTokenizer Class. The Source String. The Delimiter String as a char[]. Note that this is converted into a single String and expects Unicode encoded chars. Constructor for GridStringTokenizer Class. The default delimiter of " " (space) is used. The Source String. Empty Constructor. Will create an empty GridStringTokenizer with no source, no delimiter, and no tokens. If you want to use this GridStringTokenizer you will have to call the NewSource(string s) method. You may optionally call the NewDelim(string d) or NewDelim(char[] d) methods if you don't with to use the default delimiter of " " (space). Method to add or change this Instance's Source string. The delimiter will remain the same (either default of " " (space) or whatever you constructed this GridStringTokenizer with or added with NewDelim(string d) or NewDelim(char[] d) ). The new Source String. Method to add or change this Instance's Delimiter string. The source string will remain the same (either empty if you used Empty Constructor, or the previous value of source from the call to a parameterized constructor or NewSource(string s)). The new Delimiter String. Method to add or change this Instance's Delimiter string. The source string will remain the same (either empty if you used Empty Constructor, or the previous value of source from the call to a parameterized constructor or NewSource(string s)). The new Delimiter as a char[]. Note that this is converted into a single String and expects Unicode encoded chars. Method to get the number of tokens in this GridStringTokenizer. The number of Tokens in the internal ArrayList. Method to probe for more tokens. true if there are more tokens; false otherwise. Method to get the next (string)token of this GridStringTokenizer. A string representing the next token; null if no tokens or no more tokens. Gets the Source string of this GridStringTokenizer. A string representing the current Source. Gets the Delimiter string of this GridStringTokenizer. A string representing the current Delimiter. A class extending used for a base class for all cells in control. Gets or sets the which contains the cell. The which contains the cell. Gets or sets the of the item which contains the cell. The of the item which contains the cell. Gets or sets the cell owner column. The the cell owner column. Gets the a value uniquely identifying a cell in the . A value uniquely identifying a cell in the . Gets or set a value indicating whether the grid cell is selected The frame attribute for a table specifies which sides of the frame surrounding the table will be visible. No sides. The top side only. The bottom side only. The top and bottom sides only. The left-hand side only. The right-hand side only. The right and left sides only. All four sides. All four sides A class extending used for a base class for all header cells in control. Gets or sets the id attribute of the cell. The id attribute of the cell. Gets the parent header cell The property will return a value if multi-column headers are used. Enumeration determining table-layout html attribute. Specifies the two possible text directions. Related to Telerik RadGrid support for right-to-left languages. Left-To-Right direction Right-To-Left direction Defines the possible modes for loading the child items when RadGrid displays hierarchy. All child GridTableViews will be bound immediately when DataBind occurs for a parent GridTableView or RadGrid. DataBind of a child GridTableView would only take place when an item is Expanded . This is the default value of This mode is similar to ServerBind, but items are expanded client-side, using JavaScript manipulations, instead of postback to the server. In order to use client-side hierarchy expand, you will need to set also to true. Once expanded with postback the item can be expanded and collapsed on the client without additional postback, until the next rebinding of the control Specifies where the grouping will be handled. There are two options: Server-side - GridTableView.GroupLoadMode.Server Client-side - GridTableView.GroupLoadMode.Client This is the default behavior. Groups are expanded after postback to the server for example:
<MasterTableView GroupLoadMode="Server">
Groups will be expanded client-side and no postback will be performed.
<MasterTableView GroupLoadMode="Client">
and set the client setting AllowGroupExpandCollapse to true:
<ClientSettings AllowGroupExpandCollapse="True">
To display the grid column editors inline when switching grid item in edit mode (see the screenshot below), you simply need to change the EditMode property to InPlace.
            							
            <radg:RadGrid id="RadGrid1" runat="server">
<MasterTableView AutoGenerateColumns="True" EditMode="InPlace" />
</radg:RadGrid>
A row in edit mode To display the grid column editors in auto-generated form when switching grid item in edit mode (see the screenshot below), you simply need to change the MasterTableView EditMode property to EditForms.
            							
            <radg:RadGrid id="RadGrid1" runat="server">
<MasterTableView AutoGenerateColumns="True" EditMode="EditForms" />
</radg:RadGrid>
Edit in forms mode
Telerik RadGrid will display the column editors inline when switching grid item in edit mode Telerik RadGrid will display the grid column editors in auto-generated form when switching grid item in edit mode Indicate where RadGrid would store its data DataSource (or generated html tables) data will not be stored. RadGrid will fire NeedDataSource event and will bind after each postback Default - RadGrid stores data in the view-state bag. Discribe how RadGrid whould respond if the is invalid when data-binding. See CurrentPageIndex would be set to 0 CurrentPageIndex would be set to current page count - 1 RadGrid would repord an InvalidOperationException. Determines on which page the will go after a successful insert. InsertItem will be shown on first page InsertItem will be shown on the last page InsertItem will be shown on the current page Specifies the position of the in Telerik RadGrid. There will be no command item. The command item will be above the Telerik RadGrid The command item will be on the bottom of Telerik RadGrid The command item will be both on the top and bottom of Telerik RadGrid. Used to determine which is the last/current stage of the control lifecycle Specifies the position of the in Telerik RadGrid. The command item will be above the Telerik RadGrid The command item will be on the bottom of Telerik RadGrid Represents one table of data. In case of flat grid structure, i.e. no hierarchy levels, this object is the MasterTableView itself. In case of hierarchical structure, the topmost GridTableView is the MasterTableView. All inner (child) tables are refered as DetailTables. Each table that has children tables has a collection called where you can access these tables. The base class for encapsulating general functionalities. Gets or sets the tab index of the Web server control. The tab index of the Web server control. The default is 0, which indicates that this property is not set. The specified tab index is not between -32768 and 32767. Gets the owner RadGrid object. The owner RadGrid object. OwnerGrid Property Gets or sets the cell padding of the html table. The cell padding of the html table. Gets or sets the cell spacing of the html table. The cell spacing of the html table. Gets a collection of the child controls within the composite data-bound control. A that represents the child controls within the composite data-bound control. Gets or sets a value that specifies the gridline styles for controls that display items in a table structure. A value that specifies the gridline styles for controls that display items in a table structure. Gets or sets a value that specifies the horizontal alignment of items within a container. A value that specifies the horizontal alignment of items within a container. Gets the rendering style of a FilterItem. Gets the rendering style of a CommandItem. Gets the rendering style of a MultiHeaderItem. Constructs a new GridTableView and sets as its owner the RadGrid object. GridTableView Method GridTableView Method Constructs a new GridTableView and sets as its owner the RadGrid object. Sets the IsTrackingViewState property to the corresponding value of the boolean parameter. GridTableView Method GridTableView Method The owner RadGrid object Indicates whether RadGrid is saving changes to its view state. Default contructor for GridTableView - generally used by Page serializer only. GridTableView Method GridTableView Method Returns the filter expression for the current table view object using the Entity SQL syntax. This would work only when EnableLinqExpressions property is enabled. String value containing the ESQL filter expression Swaps columns appearance position using the unique names of the two columns. SwapColumns Method first column unique name second column unique name Swaps columns appearance position using the column instances. SwapColumns Method The first column. The second column. Swaps columns appearance position using order indexes of the two columns. You should have in mind that GridExpandColumn and RowIndicatorColumn are always in front of data columns so that's why you columns will start from index 2. SwapColumns Method first column order index second column order index Removes all selected items that belong to this GridTableView instance. GridSelecting Class ClearEditItems Method Removes all edit items that belong to the GridTableView instance. GridEditFormItem Class ClearSelectedItems Method Forces the Owner RadGrid to fire event then calls . GridNeedDataSourceEventHandler Delegate DataBind Method The Rebind method should be called every time a change to the RadGrid columns/items has been made. Binds the data source to the RadGrid instance. Call this member to bind partially RadGrid. Before calling this method the property should be assigned or you can use method instead. Use or member to bind all GridTableViews in RadGrid. DataSource Property Rebind Method Checks the value of the BindGridInvisibleColumns key in the configuration and caches it in the RadGrid object For internal usage. For internal usage. For internal usage. Clears any edited items with an index greater than the new page size. The new page size. Returns a based on its . The GridColumn object related to the columnUniqueName. GridColumn Class UniqueName Property (Telerik.Web.UI.GridColumn) The following code snippet demonstrates how you to access a column at PreRender RadGrid event and make set it as invisible: [ASPX/ASCX] <radg:radgrid id="RadGrid1" DataSourceID="AccessDataSource1" runat="server" OnPreRender="RadGrid1_PreRender">
</radg:radgrid>
<asp:AccessDataSource ID="AccessDataSource1" DataFile="~/Grid/Data/Access/Nwind.mdb"
SelectCommand="SELECT CustomerID, CompanyName, ContactName FROM Customers"
runat="server">
</asp:AccessDataSource>
protected void RadGrid1_PreRender(object sender, System.EventArgs e) { RadGrid1.MasterTableView.GetColumn( "CustomerID" ).Visible = false; }
GetItems Method The for the requested column.
Returns a based on its . The for the requested column. Returns a collection of objects based on their . A s collection of objects based on their . GetColumn Method The , which will be used as a criteria for the collection. Gets the currently selected items. Returns an Array of objects representing the currently selected items. Returns the column editor for the specified column for EditMode="Batch". Note that you should use GetBatchEditorContainer method for template columns which will return the panel container and then use a FindControl method to find your control. The column for which the column editor will be returned. Returns the column editor associated with the column. Returns the column editor from the specified column UniqueName for EditMode="Batch". Note that you should use GetBatchEditorContainer method for template columns which will return the panel container and then use a FindControl method to find your control. The column unique name for which the column editor will be returned. Returns the column editor associated with the column. Returns the that holds the controls initialized from a template or editor for EditMode="Batch". The column for which the container will be returned. Returns the container associated with the column. Returns the that holds the controls initialized from a template or editor for EditMode="Batch". The column unique name for which the column editor will be returned. Returns the container associated with the column. Applies all view changes to control hierarchy before rendering This method is used by RadGrid internally. Please do not use. For internal structure usage. Recreates all GridItems and chld controls, using the DataSource or the ViewState 'True' means that DataBind() is executing. 'False' means that Viewtate has been just loaded after postback. Obtains the in the header that corresponds to the column unique name passed as an argument. The targeted column unique name A representing the column header cell Validates whether the tree-like multiheader structure is defined correctly The grid's column collection The dictionary which contains all column groups thrown when the structure is not valid. recursively calculates a number of properties (col and row spans, visibility, order indexes etc.) for each cell in the multi header structure the colSpan of the top multiheader cell Exports the grid data in CSV format using the properties set in ExportSettings ExportToCSV Method Word/CSV Export online example Exports the grid data in PDF format using the properties set in the ExportSettings. Export to PDF online example Exports the grid data in Microsoft Excel format using the properties set in the ExportSettings. ExportToExcel Method Export to Excel online example Exports the grid data in Microsoft Word format based on the selected ExportSettings. GridExportSettings Class ExportToWord Method Export-specific method. Clears the table view controls of type IScriptControl and IExtenderControl Control parameter passed through the recursive method For internal usage. For internal usage. The passed IDictionary object (like Hashtable for example) will be filled with the names/values of the corresponding column data-fields and their values. Only instances of type support extracting values. Using grid server-side API for extraction the dictionary that will be filled the item to extract values from Perform asynchronous update operation, using the DataSource control API and the Rebind method. Please, make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, RadGrid will fire event. The following online example uses PerformUpdate method: Edit on double-click DataKeyNames Property PerformInsert Method PerformDelete Method Perform asynchronous update operation, using the DataSource control API. Please make sure you have specified the correct DataKeyNames for the GridTableView. When the asynchronous operation calls back, RadGrid will fire event. The boolean property defines if RadGrid will after the update. PerformInsert Method PerformDelete Method the item that is in edit mode and should be updated set to true to prevent grid from binding after the update operation completes Perform asynchronous insert of the new item, diplayed by RadGrid when in edit mode, using the DataSourceControl API, then . When the asynchronous operation calls back, RadGrid will fire event. PerformUpdate Method PerformDelete Method Get the item that appears when grid is in Insert Mode. PerformInsert Method A reference to the newly inserted item for the respective GridTableView. There is scenarios in which you need to make some changes with/depending on the inserted item. If you want to predifine some controls values on item insertion, you should use the ItemCommand server-side event to access it:
            [C#]
private void RadGrid1_ItemCommand(object source, Telerik.Web.UI.GridCommandEventArgs e)
{
if (e.CommandName == RadGrid.InitInsertCommandName)
{
e.Canceled = true;
e.Item.OwnerTableView.InsertItem();
GridEditableItem insertedItem = e.Item.OwnerTableView.GetInsertItem();
GridEditFormItem editFormItem = insertedItem as GridEditFormItem;

TextBox box = editFormItem.FindControl("txtEmployeeID") as TextBox;
box.Text = "11";
}
}
            		
[VB.NET]
            Private Sub RadGrid1_ItemCommand(ByVal source As Object, ByVal e As Telerik.Web.UI.GridCommandEventArgs) Handles RadGrid1.ItemCommand
If (e.CommandName = RadGrid.InitInsertCommandName) Then
e.Canceled = True
e.Item.OwnerTableView.InsertItem()
Dim insertedItem As GridEditableItem = e.Item.OwnerTableView.GetInsertItem()
Dim editFormItem As GridEditFormItem = CType(insertedItem, GridEditFormItem)

Dim box As TextBox = CType(MyUserControl.FindControl("insertedItem"), TextBox)
box.Text = "11"
End If
End Sub
If you want to get access to the newly added row and its values to update in a custom data source, you can use the InsertCommand event: [C#]
            		protected void RadGrid1_InsertCommand(object source, GridCommandEventArgs e)  
{
GridDataInsertItem gridDataInsertItem =
(GridDataInsertItem)(RadGrid1.MasterTableView.GetInsertItem());
Hashtable ht = new Hashtable();
gridDataInsertItem.ExtractValues(ht);
//Loop through each "DictionaryEntry" in hash table and insert using key value
foreach (DictionaryEntry ent in ht)
{
//get the key values and insert to custom datasource.
}

}
[Visual Basic]
            Protected Sub RadGrid1_InsertCommand(ByVal source As Object, ByVal e As GridCommandEventArgs)
Dim gridDataInsertItem As GridDataInsertItem = CType(RadGrid1.MasterTableView.GetInsertItem,GridDataInsertItem)
Dim ht As Hashtable = New Hashtable
gridDataInsertItem.ExtractValues(ht)
'Loop through each "DictionaryEntry" in hash table and insert using key value
For Each ent As DictionaryEntry In ht
'get the key values and insert to custom datasource.
Next
End Sub
Performs asynchronous insert operation, using the DataSourceControl API, then Rebinds. When the asynchronous operation calls back, RadGrid will fire event. PerformUpdate Method PerformDelete Method item to be inserted Perform asynchronous insert operation, using the DataSource control API. When the asynchronous operation calls back, RadGrid will fire event. PerformUpdate Method PerformDelete Method the item to be inserted True to prevent from binding after the insert operartion completes. Perform asynchronous delete operation, using the DataSourceControl API the Rebinds the grid. Please make sure you have specified the correct DataKeyNames for the GridTableView. When the asynchronous operation calls back, RadGrid will fire event. DataKeyNames Property PerformUpdate Method PerformInsert Method The item that should be deleted Perform delete operation, using the DataSourceControl API. Please make sure you have specified the correct DataKeyNames for the GridTableView. DataKeyNames Property PerformUpdate Method PerformInsert Method The item that should be deleted Set to true to stop error from binding Places the GridTableView in insert mode, allowing user to insert a new data-item values. The will be set to display the last page. You can use also the to place the GridTableView in insert mode. Places the GridTableView in insert mode, allowing the user to insert a new data-item values. The GridInsertItem created will be bound to values of the newDataItem object. The will be set to display the last page. You can use also the property to place the GridTableView in insert mode. Places the GridTableView in insert mode, allowing the user to insert a new data-item values. The GridInsertItem created will be bound to values found in newValues dictionary; The will be set to display the last page. You can use also the to place the GridTableView in insert mode. Get a list of the page sizes set declaratively either in the current table view or in the owner grid. Default value is {10,20,50} List of page sizes Finds the based on specified key name and key value. The key name. The key value. Finds a collection of objects based on a of key values. The dictionary containing key values.. Gets the server control identifier generated by ASP.NET. The server control identifier generated by ASP.NET. Gets or sets the width of the Web server control. A that represents the width of the control. The default is . The width of the Web server control was set to a negative value. Gets the ClientID of the RadGrid object that contains this instance. The string representation of the ClientID object that contains the instance. OwnerID Property Caches the maximum column span value of the current tableview Gets or sets a value indicating whether items' data type should be retrieved from supplied enumerable's first item. true if this function is enabled; otherwise, false. The default is false. You should enable this property in scenarios in which the item type should not be retrieved from the enumerable's generic argument but from its first item's type. Such cases will be the use of various O/R Mappers where the enumerable is a entity base class and does not contains the actual object's properties. Gets or sets a value indicating whether grouping will use LINQ queries. A value indicating whether grouping will use LINQ queries. Gets or sets a value indicating whether the groups expand/collapse all header buttons should be switched on. A value indicating whether the groups expand/collapse all header buttons should be switched on. Gets or sets a value indicating whether the hierarchy expand/collapse all header buttons should be switched on. A value indicating whether the hierarchy expand/collapse all header buttons should be switched on. DetailwItemTemplate is a template that will be instantiated as a part of each data item. Supports one-way databinding. Gets or sets the ItemTemplate, which is rendered in the control in normal (non-Edit) mode. A value of type System.Web.UI.CompiledBindableTemplateBuilder Gets or sets the EditItemTemplate, which is rendered in the control in edit mode. A value of type System.Web.UI.CompiledBindableTemplateBuilder Gets or sets the ItemTemplate, which is rendered in the control in normal (non-Edit) mode. A value of type System.Web.UI.CompiledBindableTemplateBuilder Gets or sets the group header ItemTemplate. Gets or sets the group footer ItemTemplate. Gets or sets the collection of detail table views for this GridTableView. A collection of detail table views for this GridTableView. DataKeyValues Property DataKeyNames Property Adding or removing objects to the DetailTables collection changes the hierarchical structure. Use after modifying the collection programmatically. This collection can also be altered unsing the environment designer. Gets or sets a value that describes how RadGrid would respond if the is invalid when data-binding. This property is not persisted in the ViewState. By deafult the value is . GridResetPageIndexAction Enumeration A member of the GridResetPageIndexAction enumeration which describes how RadGrid would respond if the CurrentPageIndex is invalid when data-binding. By default its value is Gets or sets on which page the will go after item insertion. Gets or sets a value indicating whether the border lines for grid cells will be displayed. One of the GridLines values. The default is . Use the GridLines property to specify the gridline style for a GridTableView control. The following table lists the available styles. Style Description GridLines.None No gridlines are displayed. GridLines.Horizontal Displays the horizontal gridlines only. GridLines.Vertical Displays the vertical gridlines only. GridLines.Both Displays both the horizontal and vertical gridlines. CellPadding Property (Telerik.Web.UI.GridTableViewBase) CellSpacing Property (Telerik.Web.UI.GridTableViewBase) The following code snippet demonstrates how to use the GridLines property to hide the gridlines in a GridTableView control. [ASPX/ASCX] <radG:RadGrid ID="RadGrid1" runat="server" GridLines="None">
</radGrid:RadGrid>
RadGrid1.GridLines = GridLines.None RadGrid1.GridLines = GridLines.None;
HorizontalAlign Property
Gets or sets a value indicating the horizontal alignment of the grid table. One of the HorizontalAlign values. The default is . Use the HorizontalAlign property to specify the horizontal alignment of a GridTableView control within the page. The following table lists the different horizontal alignment styles. Alignment value Description HorizontalAlign.NotSet The horizontal alignment of the GridTableView control has not been set. HorizontalAlign.Left The GridTableView control is left-aligned on the page. HorizontalAlign.Center The GridTableView control is centered on the page. HorizontalAlign.Right The GridTableView control is right-aligned on the page. HorizontalAlign.Justify The GridTableView control is aligned with both the left and right margins of the page. GridLines Property The following code snippet demonstrates how to use the HorizontalAlign property to align a GridTableView control on the right side of a page. [ASPX/ASCX] <radG:RadGrid ID="RadGrid1" runat="server" HorizontalAlign="Right">
</radG:RadGrid>
RadGrid1.HorizontalAlign = HorizontalAlign.Right RadGrid1.HorizontalAlign = HorizontalAlign.Right;
Gets a collection of DataKeyValue objects that represent the data key value of the corresponding item (specified with its ) and the DataKeyName (case-sensitive!). The DataKeyName should be one of the specified in the array. protected void RadGrid1_ItemUpdated(object source, Telerik.Web.UI.GridUpdatedEventArgs e) { if (e.Exception != null) { e.KeepInEditMode = true; e.ExceptionHandled = true; Response.Write("Employee " + e.Item.OwnerTableView.DataKeyValues[e.Item.ItemIndex]["EmployeeID"] + " cannot be updated. Reason: " + e.Exception.Message); } else { Response.Write("Employee " + e.Item.OwnerTableView.DataKeyValues[e.Item.ItemIndex]["EmployeeID"] + " updated"); } } int eID = (int)tableView.DataKeyValues[editedItem.ItemIndex]["EmployeeID"]; Dim eID as Integer = (CInt)tableView.DataKeyValues(editedItem.ItemIndex)("EmployeeID") Protected Sub RadGrid1_ItemUpdated(ByVal source As Object, ByVal e As Telerik.Web.UI.GridUpdatedEventArgs) Handles RadGrid1.ItemUpdated If Not e.Exception Is Nothing Then e.KeepInEditMode = True e.ExceptionHandled = True Response.Write("Employee " + e.Item.OwnerTableView.DataKeyValues(e.Item.ItemIndex)("EmployeeID").ToString() + " cannot be updated. Reason: " + e.Exception.Message) Else Response.Write("Employee " + e.Item.OwnerTableView.DataKeyValues(e.Item.ItemIndex)("EmployeeID").ToString() + " updated") End If End Sub data key name/value pair A GridDataKeyArray that contains the data key of each item in a GridTableView control. When the DataKeyNames property is set, the GridTableView control automatically creates a DataKeyValue object for each item in the control. The DataKeyValue object contains the values of the field or fields specified in the DataKeyNames property. The DataKeyValue objects are then added to the control's DataKeysValue collection. Use the DataKeysValue property to retrieve the DataKeyValue object for a specific data item in the GridTableView control. Gets or sets an array of data-field names that will be used to populate the collection, when the GridTableView control is databinding. Use the DataKeyNames property to specify the field or fields that represent the primary key of the data source. Note: Values set to this property are case-sensitive! The field names should be coma-separated. The data key names/values are stored in the ViewState so they are available at any moment after grid have been data-bound, after postbacks, etc. This collection is used when editing data, and for automatic relations when binding an hiararchical grid (see ). If the Visible property of a column field is set to false, the column is not displayed in the GridTableView control and the data for the column does not make a round trip to the client. If you want the data for a column that is not visible to make a round trip, add the field name to the DataKeyNames property. An array that contains the names of the primary key fields for the items displayed in a GridTableView control. This property is used to specify the field from the underlying datasource, which will populate the ClientDataKeyNames collection.
This collection can later be accessed on the client, to get the key value(s).
The following example demonstrates the extraction of the data key value for a given data table view object:
<ClientSettings>
<ClientEvents OnHierarchyExpanded="HierarchyExpanded" />
</ClientSettings>
<script type="text/javascript">
function HierarchyExpanded(sender, args)
{
var firstClientDataKeyName = args.get_tableView().get_clientDataKeyNames()[0];
alert("Item with " + firstClientDataKeyName + ":'" + args.getDataKeyValue(firstClientDataKeyName)
+ "' expanded.");
}
</script>
The logic is placed in the OnHierarchyExpanded client side event handler, which is triggered when the user expands a node
in a hierarchical grid, but can be used in any other event, given that a proper reference to the client table view object is obtained.
Gets or sets the current time zone GridTableView is operating in The time zone ID. Gets a reference to the TimeZoneInfoProvider which exposes methods for converting DateTime values according to certain time zone. Gets or sets values indicating DataFieldNames that should be sorted, grouped, etc and are not included as columns, in case the property is false. DataKeyValues Property DataKeyNames Property An array of DataFieldNames values that should be sorted, grouped, etc and are not included as columns. RetrieveAllDataFields Property Gets or sets a value indicating whether RadGrid will show instead of the corresponding if there is no items to display. true if usage is enabled; otherwise, false. The default value is true. NoRecordsTemplate Property NoMasterRecordsText Property NoDetailRecordsText Property Gets or sets the template that will be displayed if a GridTableView control is bound to a data source that does not contain any records. You can set the text that will appear in the NoRecordsTemplate through NoMasterRecordsText and NoDetailRecordsText properties. By default if Items.Count equals 0, GridTableView will render no records message. If NoRecordsTemplate and NoMasterRecordsText/NoDetailRecordsText are set, the NoRecordsTemplate property has priority. A System.Web.UI.ITemplate that contains the custom content for the empty data row. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. The following example demonstrates how NoRecordsTemplate can be implemented declaratively: [ASPX/ASCX] <radG:RadGrid ID="RadGrid1" runat="server">
<MasterTableView>
<NoRecordsTemplate>
<div style="text-align: center; height: 300px">
<asp:Label ForeColor="RoyalBlue" runat="server" ID="Label1">Currently there are no items in this folder.</asp:Label>
<br />
</div>
</NoRecordsTemplate>
</MasterTableView>
</radG:RadGrid>
The following code snippet demonstrates how the NoRecordsTemplate can be implemented dynamically: RadGrid1.MasterTableView.NoRecordsTemplate = New NoRecordsTemplate() Public Class NoRecordsTemplate Implements ITemplate Public Sub New() End Sub Public Sub InstantiateIn(ByVal container As System.Web.UI.Control) Implements System.Web.UI.ITemplate.InstantiateIn Dim lbl As Label = New Label() lbl.ID = "Label1" lbl.Text = "Currently there are no items in this folder." lbl.ForeColor = System.Drawing.Color.RoyalBlue container.Controls.Add(lbl) End Sub End Class RadGrid1.MasterTableView.NoRecordsTemplate = new NoRecordsTemplate(); class NoRecordsTemplate: ITemplate { public NoRecordsTemplate() { } public void InstantiateIn(Control container) { Label lbl = new Label(); lbl.ID = "Label1"; lbl.Text = "Currently there are no items in this folder."; lbl.ForeColor = System.Drawing.Color.RoyalBlue; container.Controls.Add(lbl); } }
The EnableNoRecordsTemplate Property should be set to true (its default value) in order to be displayed the NoRecordsTemplate. EnableNoRecordsTemplate Property NoMasterRecordsText Property NoDetailRecordsText Property
Gets or sets the text that will be displayed in there is no defined and no records in the MasterTableView. EnableNoRecordsTemplate Property NoRecordsTemplate Property NoDetailRecordsText Property The text to display in the empty data item. The default is an empty string ("") which indicates that this property is not set. The empty data row is displayed in a GridTableView control when the data source that is bound to the control does not contain any records. Use the NoMasterRecordsText and NoDetailRecordsText property to specify the text to display in the empty data item. Alternatively, you can define your own custom user interface (UI) for the empty data item by setting the NoRecordsTemplate property instead of this property. Gets or sets the Expanded value of the . The Expanded value of the . Gets or sets the text that will be displayed in there is no defined and no records in the Detail tables. The text to display in the empty data item. The default is an empty string (""), which indicates that this property is not set. The empty data row is displayed in a GridTableView control when the data source that is bound to the control does not contain any records. Use the NoMasterRecordsText and NoDetailRecordsText property to specify the text to display in the empty data item. Alternatively, you can define your own custom user interface (UI) for the empty data item by setting the NoRecordsTemplate property instead of this property. EnableNoRecordsTemplate Property NoRecordsTemplate Property NoMasterRecordsText Property Gets or sets a value indicating whether the GridTableView will extract all bindable properties from the DataSource when binding, to perform operations like sorting, grouping, etc on DataFields that are not included in the column declarations. You can also use the array to indicate RadGrid DataFieldNames that should be sorted, grouped, ect and are not included as columns. true, if the GridTableView will extract all bindable properties from the DataSource when binding; otherwise, false. The default value is true. AdditionalDataFieldNames Property Gets or sets a value indicating whether the GridTableView should use all retieved properties from the DataSource when binding, to perform operations like sorting, grouping, etc on DataFields that are not included in the column declarations. You can also use the array to indicate RadGrid DataFieldNames that should be sorted, grouped, ect and are not included as columns. false, if the GridTableView will not use all bindable properties from the DataSource when binding; otherwise, true. The default value is false. AdditionalDataFieldNames Property Gets or sets a value indicating whether null values in the database will be retrieved as dbnull values. true if the null values in the database will be retrieved as dbnull values; otherwise, false. The default is false. Gets or sets the collection of data-field pairs that describe the relations in a hierarchical grid. If you have specified the relations RadGrid will automatically filter the child data-source when when binding detail-tables. The specified in each in this collection should be a Key that is specified in the parent table's array. Each DetailKeyField specfied should also be included in this GridTableView's DataKeyNames array. MasterTableView does not need any ParentTableRelations. A GridTableViewRelation collection of data-field pairs that describe the relations in a hierarchical grid. GridTableViewRelation Class DataKeyValues Property DataKeyNames Property Hierarchy online example Gets a set the options for GridTableView's self-hierarchy behavior. GridSelfHierarchySettings Class Options for GridTableView's self-hierarchy behavior. Self-referencing hierarchy online example Gets a set of options for the GridTableView's data-bound nested view template. Gets a set the options for GridTableView's command item. The options for GridTableView's command item. GridCommandItemSettings Class CommandItemDisplay Property Gets or sets the object from which the data-bound control retrieves its list of data items. Generally the DataSource object references . Assign this property only if you need to change the default behavior or . RadGrid modifies this property when is assigned. On postback the DataSource property settings are not persisted due to performance reasons. Note, however, that you can save the grid DataSource in a Session/Application/Cache variable and then retrieve it from there after postback invocation. Respectively, you can get the changes made in the data source in a dataset object and then operate with them. This property cannot be set by themes or style sheet themes. An object that represents the data source from which the GridTableView control retrieves its data. The default is a null reference (Nothing in Visual Basic). DataSourceID Property Simple data-binding online example Various data sources online example GridNeedDataSourceEventHandler Delegate Gets or sets the ID of the DataSource control used for population of this GridTableView data items. [ASPX/ASCX]
<radG:RadGrid ID="RadGrid1" runat="server" DataSourceID="SessionDataSource1">
............
</radG:RadGrid>
The ID of a control that represents the data source from which the data-bound control retrieves its data. The default is String.Empty (""). This property cannot be set by themes or style sheet themes. DataSource Property GridNeedDataSourceEventHandler Delegate
Get or set Path for the WebService that to be used for populating filter checklist with values. Gets a reference to a GridItem that is a parent of this GridTableView, when this GridTableView represents a child table in a hierarchical structure. A reference to the server control's parent control. Whenever a page is requested, a hierarchy of server controls on that page is built. This property allows you to determine the parent control of the current server control in that hierarchy, and to program against it. Whenever a page is requested, a hierarchy of server controls on that page is built. This property allows you to determine the parent control of the current server control in that hierarchy, and to program against it. GridItem Class Gets or sets the filtering options for grid columns. In the most common case, Telerik RadGrid checks all filtering options for each column, then prepares a filter expression and sets this property internally. Note: You should be careful when setting this property as it may break the whole filtering functionality for your grid. More info on the way, the expressions are created you can find here (external link to MSDN library). If (Not Page.IsPostBack) Then RadGrid1.MasterTableView.FilterExpression = "([Country] LIKE '<see cref="Germany"/>') " Dim column As GridColumn = RadGrid1.MasterTableView.GetColumnSafe("Country") column.CurrentFilterFunction = GridKnownFunction.Contains column.CurrentFilterValue = "Germany" End If if (!Page.IsPostBack) { RadGrid1.MasterTableView.FilterExpression = "([Country] LIKE \'<see cref="Germany"/>\') "; GridColumn column = RadGrid1.MasterTableView.GetColumnSafe("Country"); column.CurrentFilterFunction = GridKnownFunction.Contains; column.CurrentFilterValue = "Germany"; } Applying default filter on initial load Gets or sets a value indicating whether the groups will be expanded on grid load (true by default). true, if the groups will be expanded on grid load; otherwise, false. The default value is true. GroupLoadMode Property GroupByExpressions Property Gets or sets a value indicating whether the hierarchy will be expanded by default. The default value of the property is false. Gets or sets a value indicating if the property of both hierarchy and group items will be retained after a call to or method. Gets a reference to the object, allowing you to customize its settings. The property setter does nothing and should not be used. It works around a bug in the VS.NET designer. Gets a reference to the object, allowing you to customize its settings. The property setter does nothing and should not be used. It works around a bug in the VS.NET designer. Gets or sets a value indicating when the DataBind of the child GridTableView will occur when working in hierarchy mode. Accepts values from enumeration. See the remars for details. Changing this propery value impacts the performance the following way: In ServerBind mode - Roundtrip to the database only when grid is bound. ViewState holds all detail tables data. Only detail table-views of the expanded items are rendered. Postback to the server to expand an item In ServerOnDemand mode - Roundtrip to the database when grid is bound and when item is expanded. ViewState holds data for only visible Items (smallest possible). Only detail table-views of the expanded items are rendered. Postback to the server to expand an item. In Client mode - Roundtrip to the database only when grid is bound. ViewState holds all detail tables data. All items are rendered - even is not visible (not expanded). NO postback to the server to expand an item - expand/collapse of hierarchy items is managed client-side.
Note: In order to use client-side hierarchy expand, you will need to set also to true.
The default value is ServerOnDemand.
Specifies where the grouping will be handled. There are two options: Server-side - GridTableView.GroupLoadMode.Server Client-side - GridTableView.GroupLoadMode.Client GridTableView.GroupLoadMode.Server This is the default behavior. Groups are expanded after postback to the server for example:
            							
            <MasterTableView GroupLoadMode="Server">
            							
            						
GridTableView.GroupLoadMode.Client
Groups will be expanded client-side and no postback will be performed.
            								
            <MasterTableView GroupLoadMode="Client">
            								
            							
and set the client setting AllowGroupExpandCollapse to true:
            								
            <ClientSettings AllowGroupExpandCollapse="True">
            								
            							
There are two possible values defined by the GridEditMode enumeration: InPlace EditForms To display the grid column editors inline when switching grid item in edit mode (see the screenshot below), you simply need to change the EditMode property to InPlace.
            							
            <radg:RadGrid id="RadGrid1" runat="server">
<MasterTableView AutoGenerateColumns="True" EditMode="InPlace" />
</radg:RadGrid>
A row in edit mode To display the grid column editors in auto-generated form when switching grid item in edit mode (see the screenshot below), you simply need to change the MasterTableView EditMode property to EditForms.
            							
            <radg:RadGrid id="RadGrid1" runat="server">
<MasterTableView AutoGenerateColumns="True" EditMode="EditForms" />
</radg:RadGrid>
Edit in forms mode
FormsGets or sets a value indicating how a GridItem will look in edit mode. A value indicating how a GridItem will look in edit mode. The default is EditForms. GridEditMode Enumeration
Gets or sets the value indicating wheather more than one column can be sorted in a single GridTableView. The order is the same as the sequence of expressions in . true, if more than one column can be sorted in a single GridTableView; otherwise, false. The default value is false. AllowSorting Property SortExpressions Property Gets or sets the value indicated whether the no-sort state when changing sort order will be allowed. true, if the no-sort state when changing sort order will be allowed; otherwise, false. The default value is true. SortExpressions Property AllowSorting Property Gets or sets a value indicating whether the sorting feature is enabled. true if the sorting feature is enabled; otherwise, false. The default is . SortExpressions Property AllowCustomSorting Property AllowMultiColumnSorting Property When a data source control that supports sorting is bound to the GridTableView control, the GridTableView control can take advantage of the data source control's capabilities and provide automatic sorting functionality. To enable sorting, set the AllowSorting property to true. When sorting is enabled, the heading text for each column field with its SortExpressions property set is displayed as a link button. Clicking the link button for a column causes the items in the GridTableView control to be sorted based on the sort expression. Typically, the sort expression is simply the name of the field displayed in the column, which causes the GridTableView control to sort with respect to that column. To sort by multiple fields, use a sort expression that contains a comma-separated list of field names. You can determine the sort expression that the GridTableView control is applying by using the SortExpressions property. Clicking a column's link button repeatedly toggles the sort direction between ascending and descending order. Note that if you want to sort the grid by a column different than a GridBoundColumn, you should set also its SortExpression property to the desired data field name you want the column to be sorted by. Different data sources have different requirements for enabling their sorting capabilities. To determine the requirements, see the documentation for the specific data source. The SortExpression property for an automatically generated columns field is automatically populated. If you define your own columns through the Columns collection, you must set the SortExpression property for each column; otherwise, the column will not display the link button in the header. AllowNaturalSort Property SortExpressions Property Gets or sets a value indicating whether the filtering by column feature is enabled. true if the filtering by column feature is enabled; otherwise, false. Default value is the value of . When the value is true, GridTableView will display the filtering item, under the table's header item. The filtering can be controlled based on a column through column properties: , , . The column method is used to determine if a column can be used with filtering. Generally, this function returns the value set to AllowFiltering for a specific column. GridFilteringItem Class Basic filtering online example Gets or sets a value indicating whether white-space characters inside the filter expression will be trimmed. When the value is true, it will not be trimmed and any white-space characters in it will be included in the filter expression. Gets or sets a value indicating whether the header context menu should be enabled. true if the header context menu feature is enabled; otherwise, false. Default value is the value of . Gets or sets a value indicating whether the option to set columns aggregates should appear in header context menu. true if the set columns aggregates option is enabled; otherwise, false. Default is false. Gets or sets a value indicating whether the header context filter menu should be enabled. true if the header context filter menu feature is enabled; otherwise, false. Default value is the value of . Gets or sets a value indicating whether Telerik RadGrid will automatically generate columns at runtime based on its DataSource. A value indicating whether Telerik RadGrid will automatically generate columns at runtime based on its DataSource. The default value is the value of RadGrid's property . AutoGeneratedColumns Property For internal usage. Gets all items among the hierarchy of GridTableView items that are selected. The selected items in a GridTableView are cleared when collapses and the ParentItem becomes selected. A GridItemCollection of items among the hierarchy of GridTableView items that are selected. GridItemCollection Class Gets all items among the hierarchy of GridTableView items that are in edit mode. The edit items in a GridTableView are cleared when collapses. A GridItemCollection of items that are in edit mode. GridItemCollection Class EditMode Property EditFormSettings Property Gets or sets a value indicating whether all columns settings will be persisted in the ViewState or not. true if columns are kept in the view state; otherwise false. The default value is true. Set this property to false if you need to change dynamically the structure of the RadGrid. Gets or sets if the custom sorting feature is enabled. With custom sorting turned on, RadGrid will display as Sorting Icons, will maintain the SortExpressions collection and so on, but it will not actually sort the Data. You should perform the custom sorting in the SortCommand event handler. You can also use the method, which will return the sort expressions string in the same format as it wold be used by a DataView component. true, if custom sorting feature is enabled; otherwise, false. The default value is false. AllowSorting Property SortExpressions Property GridSortCommandEventHandler Delegate Gets or sets if the custom paging feature is enabled. true, if the custom paging feature is enabled; otherwise, false. Default value is the value of . AllowPaging Property Custom paging online example There are cases in which you may want to fetch only a fixed number of records and perform operations over this specified set of data. Telerik RadGrid allows such data manipulation through the custom paging mechanism integrated in the control. The main steps you need to undertake are: Set AllowPaging = true and AllowCustomPaging = true for your grid instance Implement code logic which to extract merely a fixed number of records from the grid source and present them in the grid structure The total number of records in the grid source should be defined through the VirtualItemCount property of the MasterTableView/GridTableView instance. Thus the grid "understands" that the data source contains the specified number of records and it should fetch merely part of them at a time to execute requested operation. Another available option for custom paging support is through the ObjectDataSource control custom paging feature:
Custom paging with ObjectDataSource grid content generator
Gets or sets a value indicating whether the paging feature is enabled. true if the paging feature is enabled; otherwise, false. The default is . PageCount Property PageSize Property PagingManager Property PagerStyle Property RenderPagerStyle Property PagerTemplate Property CurrentPageIndex Property CurrentResetPageIndexAction Property Instead of displaying all the records in the data source at the same time, the GridTableView control can automatically break the records up into pages. If the data source supports the paging capability, the GridTableView control can take advantage of that and provide built-in paging functionality. The paging feature can be used with any data source object that supports the System.Collections.ICollection interface or a data source that supports paging capability. To enable the paging feature, set the AllowPaging property to true. By default, the GridTableView control displays 10 records on a page at a time. You can change the number of records displayed on a page by setting the PageSize property. To determine the total number of pages required to display the data source contents, use the PageCount property. You can determine the index of the currently displayed page by using the CurrentPageIndex property. When paging is enabled, an additional row called the pager item is automatically displayed in the GridTableView control. The pager row contains controls that allow the user to navigate to the other pages. You can control the settings of the pager row (such as the pager display mode, the number of page links to display at a time, and the pager control's text labels) by using the PagerStyle properties. The pager row can be displayed at the top, bottom, or both the top and bottom of the control by setting the Position property. You can also select from one of six built-in pager display modes by setting the Mode property. The GridTableView control also allows you to define a custom template for the pager row. For more information on creating a custom pager row template, see PagerTemplate. The GridTableView control provides an event that you can use to perform a custom action when paging occurs. Event Description Occurs when one of the pager buttons is clicked, but after the GridTableView control handles the paging operation. This event is commonly used when you need to perform a task after the user navigates to a different page in the control. Gets or sets a value indicating whether Telerik RadGrid should retrieve all data and ignore server paging in case of filtering or grouping. true (default) if the retrieve all data feature is enabled; otherwise, false. Specify the maximum number of items that would appear in a page, when paging is enabled by or property. Default value is the value of . The number of records to display on a single page. The default is 10. The PageSize property is set to a value less than 1. When the paging feature is enabled (by setting the AllowPaging property to true), use the PageSize property to specify the number of records to display on a single page. The number of records to display on a single page. The default is 10. Gets or sets a value indicating whether Telerik RadGrid will perform automatic updates, i.e. using the DataSource controls functionality. true, if Telerik RadGrid will perform automatic updates; otherwise, false. The default value is false. Automatic operations online example Gets or sets a value indicating whether Telerik RadGrid will perform automatic inserts, i.e. using the DataSource controls functionality. true, if the Telerik RadGrid will perform automatic inserts; otherwise, false. The default value is false. Automatic operations online example Gets or sets a value indicating whether Telerik RadGrid will perform automatic deletes, i.e. using the DataSource controls functionality. true, if Telerik RadGrid will perform automatic deletes; otherwise, false. The default value is false. Automatic operations online example Gets a collection of GridColumn objects that represent the column fields in a GridTableView control. A GridColumnCollection that contains all the column fields in the GridTableView control. A column field represents a column in a GridTableView control. The Columns property (collection) is used to store all the explicitly declared column fields that get rendered in the GridTableView control. You can also use the Columns collection to programmatically manage the collection of column fields. The column fields are displayed in the GridTableView control in the order that the column fields appear in the Columns collection. To get a list of all columns rendered in the current instance use Although you can programmatically add column fields to the Columns collection, it is easier to list the column fields declaratively in the GridTableView control and then use the Visible property of each column field to show or hide each column field. If the Visible property of a column field is set to false, the column is not displayed in the GridTableView control and the data for the column does not make a round trip to the client. If you want the data for a column that is not visible to make a round trip, add the field name to the DataKeyNames property. This property can be managed programmatically or by Property Builder (IDE designer). Explicitly declared column fields can be used in combination with automatically generated column fields. When both are used, explicitly declared column fields are rendered first, followed by the automatically generated column fields. Automatically generated column fields are not added to the Columns collection. GridColumnCollection Class GridColumn Class Column types online example Gets the column groups. Returns the column groups in a collection of type . Gets the number of pages required to display the records of the data source in a GridTableView control. The number of pages in a GridTableView control. When the paging feature is enabled (by setting the AllowPaging Property to true), use the PageCount property to determine the total number of pages required to display the records in the data source. This value is calculated by dividing the total number of records in the data source by the number of records displayed in a page (as specified by the PageSize property) and rounding up. AllowPaging Property AllowCustomPaging Property PageSize Property PagingManager Property PagerStyle Property PagerTemplate Property Gets the number of pages if paging is enabled. The number of pages if paging is enabled. AllowPaging Property AllowCustomPaging Property Gets a DataView object that represents the data sent to the to be displayed. A result DataView object of all grid operations. ResolvedDataSourceView is available only in event handler i.e. when the grid is bound. Gets a Paging object that is the result of paging settings and runtime paging state of the grid. A GridPagingManager object that corresponds to the Paging object. Note that changes made to this object would not have effect on the structure of the grid. AllowPaging Property PageSize Property PageCount Property Gets a collection of sort expressions for this table view instance, associated with the column or columns being sorted. Modifying the SortExpressions collection will result in change of the order of appearance of items in the table view. If is set to false this collection can only contain one item. Adding other in the collection in this case will cause existing expression to be deleted or if GridSortExpression with the same same exist its will be changed. This property's value is preserved in the ViewState. GridSortExpressionCollection Class AllowSorting Property AllowCustomSorting Property AllowMultiColumnSorting Property The collection of sort expressions associated with the column or columns being sorted. Advanced sorting online example Adding to this collection will cause the current table-view to display items sorted and devided in groups separated by s, that display common group and aggregate field values. See on details of expressions syntax. Note that the correctness of the expressions in the collection is checked when DataBind occures. Then if an expression in not correct or a combination of expressions is erroneous a would be thrown on . This property's value is preserved in the ViewState. A GroupByExpressionCollection of values that will cause the current table-view to display items sorted and devided in groups separated by GridGroupHeaderItems, that display common group and aggregate field values. Group-By expressions online example Get an array of automatically generated columns. This array is available when is set to true. Autogenerated columns appear always after when rendering. An array of automatically generated columns. Gets a value defining the setting that will be applied when an Item is in edit mode and the property is set to EditForms. [ASPX/ASCX] <MasterTableView>
<EditFormSettings CaptionFormatString='<img src="img/editRowBg.gif" alt="" />
'>
<FormMainTableStyle GridLines="None" CellSpacing="0" CellPadding="3" Width="100%" CssClass="none"/>
<FormTableStyle CssClass="EditRow" CellSpacing="0" BorderColor="#c4c0b5" CellPadding="2" Width="100%"/>
<FormStyle Width="100%" BackColor="#ffffe1"
></FormStyle>
</EditFormSettings>
GridEditFormSettings Class
Gets or sets a string that specifies a brief description of a GridTableView. Related to Telerik RadGrid accessibility compliance. A string that represents the text to render in an HTML caption element in a GridTableView control. The default value is an empty string (""). Use the Caption property to specify the text to render in an HTML caption element in a GridTableView control. The text that you specify provides assistive technology devices with a description of the table that can be used to make the control more accessible. Summary Property
            The following example demonstrates how to style the Caption of a MasterTableView and detail GridTableView.
            
            <head runat="server">
<title>Untitled Page</title>
<style type="text/css">
.MasterTable_Default caption
{
color: red;
}
            		.DetailTable_Default caption
{
color: blue;
}

</style>
</head>
<body>
<form id="form1" runat="server">
<div>
<radG:RadGrid runat="server" ID="RadGrid1" DataSourceID="SqlDataSource1" AllowPaging="true"
AllowMultiRowEdit="true" OnItemCommand="RadGrid1_ItemCommand" >
<MasterTableView EditMode="EditForms" DataKeyNames="CustomerID" Caption="Master Caption" CommandItemDisplay="Top">
<Columns>
<radG:GridEditCommandColumn>
</radG:GridEditCommandColumn>
</Columns>
<DetailTables>
<radG:GridTableView DataKeyNames="OrderID" DataSourceID="SqlDataSource2" Caption="Detail Caption" CssClass="DetailTable_Default">
<ParentTableRelation>
<radG:GridRelationFields DetailKeyField="CustomerID" MasterKeyField="CustomerID" />
</ParentTableRelation>
</radG:GridTableView>
</DetailTables>
</MasterTableView>
</radG:RadGrid>
<asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="</%$ ConnectionStrings:NorthwindConnectionString2/%>"
SelectCommand="SELECT [CustomerID], [CompanyName], [ContactName], [ContactTitle] FROM [Customers]">
</asp:SqlDataSource>
<asp:SqlDataSource ID="SqlDataSource2" runat="server" ConnectionString="</%$ ConnectionStrings:NorthwindConnectionString2/%>"
SelectCommand="SELECT [OrderID], [CustomerID], [ShipCountry] FROM [Orders] WHERE ([CustomerID] = @CustomerID)">
<SelectParameters>
<asp:Parameter Name="CustomerID" Type="String" />
</SelectParameters>
</asp:SqlDataSource>
</div>
</form>
</body>
Gets or sets the 'summary' attribute for the respective table. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadGrid accessibility features. A string representation of the 'summary' attribute for the respective table. Caption Property Gets or sets the text direction. This property is related to Telerik RadGrid support for Right-To-Left lanugages. It has two possible vales defined by enumeration: LTR - left-to-right text RTL - right-to-left text The frame attribute for a table specifies which sides of the frame surrounding the table will be visible. Possible values: void: No sides. This is the default value. above: The top side only. below: The bottom side only. hsides: The top and bottom sides only. vsides: The right and left sides only. lhs: The left-hand side only. rhs: The right-hand side only. box: All four sides. border: All four sides Gets or sets a value specifying the frame table attribute. A GridTableFrame value, specifying the frame table attribute. GridTableFrame Enumeration GridTableLayout Enumeration A GridTableLayout value, indicating the table layout type. The default value is . Gets or sets a string that indicates whether the table layout is fixed. The value of the TableLayout property is a string that specifies or receives one of the following GridTableLayout enumeration values: Auto Default (except in some scenarios, e.g. when using static headers with grouping or hierarchy). Column width is set by the widest unbreakable content in the column cells. Fixed Table and column widths are set either by the sum of the widths on the objects or, if these are not specified, by the width of the first row of cells. If no width is specified for the table, it renders by default with width=100%. Gets a reference to the GridTableItemStyle object that allows you to set the appearance of items in a GridTableView control. A reference to the GridTableItemStyle that represents the style of data items in a GridTableView control. If style is not altered (is default) is used. AlternatingItemStyle Property CommandItemStyle Property FooterStyle Property HeaderStyle Property SelectedItemStyle Property Gets the rendering style of an Item. A reference to the GridTableItemStyle that represents the rendering style of the item. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Manage visual style of the group header items. A reference to the GridTableItemStyle that represents the style of the group header items. If style is not altered (is default) is used. GridTableItemStyle Class Gets the rendering style of the group header items. A reference to the GridTableItemStyle that represents the rendering style of the group header items. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a reference to the GridTableItemStyle object that allows you to set the appearance of alternating items in a GridTableView control. A reference to the GridTableItemStyle that represents the style of alternating data items in a GridTableView control. If style is not altered (is default) is used. Use the AlternatingItemStyle property to control the appearance of alternating items in a GridTableView control. When this property is set, the items are displayed alternating between the ItemStyle settings and the AlternatingItemStyle settings. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the GridTableView control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, AlternatingItemStyle-ForeColor). Nest an <AlternatingItemStyle> element between the opening and closing tags of the GridTableView control. The properties can also be set programmatically in the form Property.Subproperty (for example, AlternatingItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. GridTableItemStyle Class Gets the rendering style of the AlternatingItem. GridTableItemStyle Class A reference to the GridTableItemStyle that represents the rendering style of the AlternatingItem. If is not specified the return value is OwnerGrid.. Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the item selected for editing in a GridTableView control. A reference to the GridTableItemStyle that represents the style of the row being edited in a GridTableView control. If style is not altered (is default) is used. Use the EditItemStyle property to control the appearance of the item in edit mode. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the GridTableView control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, EditItemStyle-ForeColor). Nest an <EditItemStyle> element between the opening and closing tags of the GridTableView control. The properties can also be set programmatically in the form Property.Subproperty (for example, EditItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. ItemStyle Property GroupHeaderItemStyle Property AlternatingItemStyle Property PagerStyle Property HeaderStyle Property FilterItemStyle Property CommandItemStyle Property FooterStyle Property SelectedItemStyle Property GridTableItemStyle Class Gets the rendering style of an edit Item. A reference to the GridTableItemStyle that represents the rendering style of an edit item. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a reference to the GridPagerStyle object that allows you to set the appearance of the pager item in a GridTableView control. A reference to the GridPagerStyle that represents the style of the pager item in a GridTableView control. If style is not altered (is default) is used. Use the PagerStyle property to control the appearance of the pager item in a GridTableView control. The pager item is displayed when the paging feature is enabled (by setting the AllowPaging property to true) and contains the controls that allow the user to navigate to the different pages in the control. This property is read-only; however, you can set the properties of the GridPagerStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the GridTableView control in the form Property-Subproperty, where Subproperty is a property of the GridPagerStyle object (for example, PagerStyle-ForeColor). Nest a <PagerStyle> element between the opening and closing tags of the GridTableView control. The properties can also be set programmatically in the form Property.Subproperty (for example, PagerStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. ItemStyle Property AlternatingItemStyle Property HeaderStyle Property FooterStyle Property SelectedItemStyle Property GridTableItemStyle Class Styling Header, Footer and Pager items online example Gets the rendering style of the Pager item. A reference to the GridTableItemStyle that represents the rendering style of the pager item. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the header item in a GridTableView control. A reference to the GridTableItemStyle that represents the style of the header row in a GridTableView control. If style is not altered (is default) is used. Use the HeaderStyle property to control the appearance of the header item in a GridTableView control. This property is read-only; however, you can set the properties of the GridTableItemStyle object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the GridTableView control in the form Property-Subproperty, where Subproperty is a property of the GridTableItemStyle object (for example, HeaderStyle-ForeColor). Nest a <HeaderStyle> element between the opening and closing tags of the GridTableView control. The properties can also be set programmatically in the form Property.Subproperty (for example, HeaderStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. ItemStyle Property AlternatingItemStyle Property EditItemStyle Property FooterStyle Property SelectedItemStyle Property GridTableItemStyle Class Styling Header, Footer and Pager items online example Gets the rendering style of a GridHeaderItem. A reference to the GridTableItemStyle that represents the rendering style of the GridHeaderItem. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a reference to the GridTableItemStyle object that allows you to set the appearance of the filter item in a GridTableView control. A reference to the GridTableItemStyle that represents the style of the filter item. GridTableItemStyle Class Gets the rendering style of a FilterItem. A reference to the GridTableItemStyle that represents the rendering style of a FilterItem. If is not specified the return value is OwnerGrid. GridTableItemStyle Class Gets a referenct to the GridTableItemStyle object that allows you to set the appearance of the command item in a GridTableView control. A reference to the GridTableItemStyle that represents the style of the command item. GridTableItemStyle Class Gets the rendering style of a CommandItem. A reference to the GridTableItemStyle that represents the rendering style of a CommandItem. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a referenct to the GridTableItemStyle object that allows you to set the appearance of the multi header item in a GridTableView control. A reference to the GridTableItemStyle that represents the style of the multi header item. GridTableItemStyle Class Gets the rendering style of a MultiHeaderItem. A reference to the GridTableItemStyle that represents the rendering style of a MultiHeaderItem. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets the rendering style of an ActiveItem. A reference to the GridTableItemStyle that represents the rendering style of an ActiveItem. GridTableItemStyle Class Manage visual style of the footer item. A reference to the GridTableItemStyle that represents the style of the footer item. If style is not altered (is default) is used. GridTableItemStyle Class Styling Header, Footer and Pager items online example Gets the rendering style of an FooterItem. A reference to the GridTableItemStyle that represents the rendering style of an FooterItem. If is not specified the return value is OwnerGrid.. GridTableItemStyle Class Gets a reference to the Style object that allows you to set the appearance of the selected item in a GridTableView control. A reference to the Style object that represents the style of the selected item in a GridTableView control. If style is not altered (is default) is used. Use the SelectedItemStyle property to control the appearance of the selected item in a GridTableView control. This property is read-only; however, you can set the properties of the Style object it returns. The properties can be set declaratively using one of the following methods: Place an attribute in the opening tag of the GridTableView control in the form Property-Subproperty, where Subproperty is a property of the Style object (for example, SelectedItemStyle-ForeColor). Nest a <SelectedRowStyle> element between the opening and closing tags of the GridTableView control. The properties can also be set programmatically in the form Property.Subproperty (for example, SelectedItemStyle.ForeColor). Common settings usually include a custom background color, foreground color, and font properties. The following code example demonstrates how to use the SelectedItemStyle property to define a custom style for the selected item in a GridTableView control. [ASPX/ASCX] <radG:RadGrid ID="RadGrid1" runat="server">
..........
<SelectedItemStyle BackColor="#FFE0C0" />
</radG:RadGrid>
RadGrid1.SelectedItemStyle.BackColor = System.Drawing.Color.Azure RadGrid1.SelectedItemStyle.BackColor = System.Drawing.Color.Azure;
ItemStyle Property AlternatingItemStyle Property
Gets or sets the name of the GridTableView. The string representation of the Name of the GridTableView it is assigned to. The default is String.Empty (""). The Name property can be used distinguish different GridTableView instances. Often used to set different settings for different views conditionally. The following example demonstrates different action on [ASPX/ASCX]<script type="text/javascript" >
function OnRowDblClick(index)
{
if(this.Name == "MasterTableView")
{
alert("Cliecked row with index " + index + " of the MasterTableView");
}
if(this.Name == "DetailTableView1")
{
alert("Clicked row with index " + index + " of the first detail table");
}
if(this.Name == "DetailTableView2")
{
alert("Clicked row with index " + index + " of the second detail table");
}
}
</script>

<radG:RadGrid ID="RadGrid1" runat="server" >
<MasterTableView Name="MasterTableView">
<DetailTables>
<radG:GridTableView Name="DetailTableView1" >
</radG:GridTableView>
<radG:GridTableView Name="DetailTableView2">
</radG:GridTableView>
</DetailTables>
</MasterTableView>
<ClientSettings>
<ClientEvents OnRowDblClick="OnRowDblClick"></ClientEvents>
</ClientSettings>
</radG:RadGrid>
Gets or sets a value indicating if the will be shown in the current GridTableView. true, if the GridHeaderItem will be shown in the current GridTableView; otherwise, false. The default value is true. ShowFooter Property Gets or sets a value indicating if the will be shown in the current GridTableView. true, if the GridGroupFooterItem will be shown in the current GridTableView; otherwise, false. The default value is true. ShowFooter Property Gets or sets a value indicating if the will be shown in the current GridTableView. true, if the GridFooterItem will be shown in the current GridTableView; otherwise, false. The default value is false. ShowHeader Property Gets an array of all columns that are used when rendering the grid instance. An array of all columns that are used when rendering the grid instance. Modifying the array would not affect rendering as it is regenerated before each data-bind. To modify the list of columns available use property. Columns Property Gets a collection of all data items of a grid table view and items that belong to child tables of the GridTableView if the hierarchy is expanded. The items are collected depth-first. The property actually referres to ItemsHierarchy of
. This property can be used to traverse all
DataItems items in the hiearchy of a GridTableView.
A GridDataItemCollection of all data items of a grid table view and items that belong to child tables of the GridTableView if the hierarchy is expanded. GridDataItem Class
Gets a collection of GridDataItem objects that represent the data items in a GridDataItem control. The Items property (collection) is used to store the data items in a GridTableView control. The GridTableView control automatically populates the Items collection by creating a GridDataItem object for each record in the data source and then adding each object to the collection. This property is commonly used to access a specific item in the control or to iterate though the entire collection of items. A GridDataItemCollection that contains all the data items in a GridTableView control GridDataItem Class AllowCustomPaging Property Gets or sets a value indicating the index of the currently active page in case paging is enabled ( is true). The index of the currently active page in case paging is enabled. AllowCustomPaging Property AllowPaging Property Returns a Dictionary of group header index and the corresponsding group footer item Gets value indicating whether the GridTableView will render multiple headers. Read only. True if the table view has multiple headers, otherwise false. If set to true (the default) GridNoRecordsItem is used to display no records template. This item is the only one displayed in the GridTableView in this case. NoRecordsTemplate Property Gets a value indicating if the GridTableView instance has children (Detail) tables. true, if the GridTableView instance has children (Detail) tables; otherwise, false. DetailTables Property Gets or sets the programmatic identifier assigned to the current GridTableView. This property is set automatically by RadGrid object that owns this instance. The programmatic identifier assigned to the control. Only combinations of alphanumeric characters and the underscore character ( _ ) are valid values for this property. Including spaces or other invalid characters will cause an ASP.NET page parser error. OwnerID Property Gets or sets a value indicating whether RadGrid will be built on PreRender unless it was built before that. This property is supposed for Telerik RadGrid internal usage, yet you can set it with care. true, if the RadGrid will be built on PreRender; otherwise, false. The unique hierarchy index of the current table view, generated when it is binding. The hierarchy index of the current table view. Indicates whether the items have been created, generally by data-binding. true, if the items have beed created; otherwise, false. This property is used internally by RadGrid and it is not intended to be used directly from your code. Gets or sets the custom content for the pager item in a GridTableView control. A System.Web.UI.ITemplate that contains the custom content for the pager item. The default value is null, which indicates that this property is not set. If this template is set, RadGrid will not create the default pager controls. AllowPaging Property PagingManager Property Gets or sets the template that will be instantiated in the CommandItem. If this template is set, RadGrid will not create the default CommandItem controls. A System.Web.UI.ITemplate object that contains the custom content for the pager item. The default value is null, which indicates that this property is not set. GridCommandItem Class CommandItemSettings Property Gets or sets a value indicating if the GridTableView is currently in insert mode. true, if the GridTableView is currently in insert mode; otherwise, false. The ItemInserted property indicates if the GridTableView is currently in insert mode. After setting it you should call the method. You can also use the method, that will also reposition the grid to show the last page, where the newly inserted item is generally displayed. Gets or sets a value indicating if the GridTableView should override the default DataSourceControl sorting with grid native sorting. You can set this to true in case of ObjectDataSource with IEnumerable data without implemented sorting. Gets or sets a value indicating if the text in the header of the GridTableView should be split on capital letter. True if header text should be split; otherwise, false. The default is true. This property is meaningful only when the GridTableView has AutoGenerateColumns = "true" Gets or sets the default position of the GridCommandItem as defined by the . The possible values are: None - this is the default value - the command item will not be rendered Top - the command item will be rendered on the top of the grid Bottom - the command item will be rendered on the bottom of the grid TopAndBottom - the command item will be rendered both on top and bottom of the grid. A GridCommandItemDisplay proprty which define the default position of the GridCommandItem. GridCommandItemDisplay Enumeration Gets or sets a value determining the position of the . A value determining the position of the . Stores a custom PageSize value if such is set when page mode is NextPrevAndNumeric corresponding fields from a master-detail relation Gets or sets the key field which will be used for a relation between the and the parent table. The key field should refer to parent DataField which you want to use as relation. The MasterKeyField in the GridRelationFields should match the primary key of the parent table in the corresponding relation. The key field which will be used for a relation between the and the parent table. The key field should refer to parent DataField which you want to use as relation. The MasterKeyField in the GridRelationFields should match the primary key of the parent table in the corresponding relation. Gets or sets the key field which will be used for a relation between the and the parent table. The key field should refer to current DataField which you want to use as relation. The DetailKeyField in the GridRelationFields should match the foreign key of the child table in the corresponding relation. The key field which will be used for a relation between the and the parent table. The key field should refer to current DataField which you want to use as relation. The DetailKeyField in the GridRelationFields should match the foreign key of the child table in the corresponding relation. A collection that stores objects. Initializes a new instance of . Initializes a new instance of based on another . A from which the contents are copied Initializes a new instance of containing any array of objects. A array of objects with which to intialize the collection Adds a with the specified value to the . The to add. The index at which the new element was inserted. Copies the elements of an array to the end of the . An array of type containing the objects to add to the collection. None. Adds the contents of another to the end of the collection. A containing the objects to add to the collection. None. Gets a value indicating whether the contains the specified . The to locate. if the is contained in the collection; otherwise, . Copies the values to a one-dimensional instance at the specified index. The one-dimensional that is the destination of the values copied from . The index in where copying begins. None. is multidimensional. -or- The number of elements in the is greater than the available space between and the end of . is . is less than 's lowbound. Returns the index of a in the . The to locate. The index of the of in the , if found; otherwise, -1. Inserts a into the at the specified index. The zero-based index where should be inserted. The to insert. None. Returns an enumerator that can iterate through the . None. Removes a specific from the . The to remove from the . None. is not found in the Collection. Clones the instance and returns a copy. The cloned instance. Represents the entry at the specified index of the . The zero-based index of the entry to locate in the collection. The entry at the specified index of the collection. is outside the valid range of indexes for the collection. A class extending used when is set to . Container of misc. grouping settings of RadGrid control Gets or sets a value indicating of the validation is enabled. A value indicating of the validation is enabled.The enable validation. Gets or sets the validation group. The validation group. Gets or sets a commands list of commands names which will be validated. The commands list of command names to be validate. Expression similar to SQL's "Select Group By" clause that is used by GridTableView to group items (. Expressions can be defined by assigning Expression property and/or managing the items in or collections. If you use property to assign group by expression as string then the expression is parsed and and are created. If the expression syntax is incorrect a would be thrown. You can use 's properties to set expression's fields appearance format strings, etc. See property for details about the expression syntax. Constructs a new GroupByExpression from a grid GridColumn. If the column does not have a valid string assigned this constructor will throw . Column should be The following properties will be copied from the corresponding column's properties: Column's data-format-string depending on the type of the column. For example will be copied to . Column's will be copied to the column (and its DataField respectively) that will be used for grouping Telerik RadGrid Calls GridGroupByExpression(expression) The same as the property the string representation of the expression. Compares the current expression against the expression set as parameter and check if both expressions contain field with the same name. true if both expressions contain field with the same name, otherwise false. expression to check against this expression Checks if the given expression contains same Group-By field as this one. true if the expression already contains this GroupByField, otherwise false. Use this function to determine if two expressions seem to produce the same set of results Expression to check Copies the current from another . The to be coppied from. Gets a collection of SelectField objects (field names, aggregates etc.) that form the "Select" clause. Standing on the left side of the "Group By" clause. Gets a collection of objects that form the grouping clause. Standing on the right side of the "Group By" clause String representation of the GroupBy expression. Expression syntax: fieldname[ alias]|aggregate(fieldname)[ alias][, ...] Group By fieldname[ sort][, ...] fieldname: the name of any field from the alias: alas string. This cannot contain blanks or other reserved symbols like ',', '.' etc. aggregate: any of - min, max, sum, count, last, first etc (the same as in enumeration ) sort: asc or desc - the sort order of the grouped items Country, City, count(Country) Items, ContactName Group By Country, City desc Country, City, count(Country) Items, ContactName Group By Country, City desc Gets the index of the expression if added in a integer, representing the index of the collection ni . Collection that stores group by expressions Initializes a new instance of . Initializes a new instance of based on another . A from which the contents are copied Initializes a new instance of containing any array of objects. An array of objects with which to intialize the collection Adds a with the specified value to the . The to add. The index at which the new element was inserted. Parses value and adds a to the . The string representation to add. The index at which the new element was inserted. Copies the elements of an array to the end of the . An array of type containing the objects to add to the collection. None. Adds the contents of another to the end of the collection. A containing the objects to add to the collection. None. Gets a value indicating whether the contains the specified . The to locate. if the is contained in the collection; otherwise, . Copies the values to a one-dimensional instance at the specified index. The one-dimensional that is the destination of the values copied from . The index in where copying begins. None. is multidimensional. -or- The number of elements in the is greater than the available space between and the end of . is . is less than "s lowbound. Returns the index of a in the . The to locate. The index of the of in the , if found; otherwise, -1. Inserts a into the at the specified index. The zero-based index where should be inserted. The to insert. None. Returns an enumerator that can iterate through the . None. Removes a specific from the . The to remove from the . None. is not found in the Collection. Removes a specific from the . by provided expression string The string expression to remove from the . None. is not found in the Collection. Represents the entry at the specified index of the . The zero-based index of the entry to locate in the collection. The entry at the specified index of the collection. is outside the valid range of indexes for the collection. Represents a single item in the . The item is rendered as header cell and inherited from . Gets or sets the HierarchicalIndex. The HierarchicalIndex. Gets or sets the DataField related with the group cell. Gets or sets the DataField related with the group cell. GridGroupPanel appears on the top of Telerik RadGrid when ShowGroupPanel of RadGrid is set to true and if is set to true, you can drag column to the panel to group data by that column. Basic Grouping Traversing items in group panel protected void RadGrid1_PreRender(object sender, System.EventArgs e) { TableCell cell; foreach (cell in RadGrid1.GroupPanel.GroupPanelItems) { Control ctrl; foreach (ctrl in cell.Controls) { if (ctrl is ImageButton) { ImageButton button = ctrl as ImageButton; button.ImageUrl = "<my_img_url>"; button.CausesValidation = false; } } } } Protected Sub RadGrid1_PreRender(ByVal sender As Object, ByVal e As System.EventArgs) Handles RadGrid1.PreRender Dim cell As TableCell For Each cell In RadGrid1.GroupPanel.GroupPanelItems Dim ctrl As Control For Each ctrl In cell.Controls If (Typeof ctrl Is ImageButton) Then Dim button As ImageButton = CType(ctrl, ImageButton) button.ImageUrl = "<my_img_url>" button.CausesValidation = False End If Next ctrl Next cell End Sub Group by fields (displayed in the GroupPanel) are defined through the GridGroupByExpressions. For internal usage only. Gets a collection of items displayed in the group panel. These items represent the GroupByFields used for Telerik RadGrid grouping. protected void RadGrid1_PreRender(object sender, System.EventArgs e) { TableCell cell; foreach (cell in RadGrid1.GroupPanel.GroupPanelItems) { Control ctrl; foreach (ctrl in cell.Controls) { if (ctrl is ImageButton) { ImageButton button = ctrl as ImageButton; button.ImageUrl = "<my_img_url>"; button.CausesValidation = false; } } } } Protected Sub RadGrid1_PreRender(ByVal sender As Object, ByVal e As System.EventArgs) Handles RadGrid1.PreRender Dim cell As TableCell For Each cell In RadGrid1.GroupPanel.GroupPanelItems Dim ctrl As Control For Each ctrl In cell.Controls If (Typeof ctrl Is ImageButton) Then Dim button As ImageButton = CType(ctrl, ImageButton) button.ImageUrl = "<my_img_url>" button.CausesValidation = False End If Next ctrl Next cell End Sub Traversing items in group panel Gets or sets the text displayed in the group panel to urge the user dragging a column to group by.
            <GroupPanel Text="Drag here the column you need to group by."></GroupPanel>
            
Note that the GroupPanel Text has a default value, so you don't need to set it generally.
Gets the style that will be used for the group panel.
                <GroupPanel Text="Drag a column here.">
<PanelStyle BackColor="Aqua" BorderStyle="Dotted" />
</GroupPanel>
Gets the style that will be used for the group panel items.
                <GroupPanel Text="Drag a column here.">
<PanelStyle BackColor="Aqua" BorderStyle="Dotted" />
<PanelItemsStyle BackColor="Black" Font-Italic="true"/>
</GroupPanel>
Gets or sets a value indicating whether the group panel will be displayed. true, if group panel is visible, otherwise false (the default value). Summary description for GridGroupPanelStyle. Gets or sets the distance between table cells. The distance (in pixels) between table cells. The default is -1, which indicates that this property is not set. The specified distance is set to a value less than -1. Gets a value determining if the style is empty. Represents the style for the items panel control and some Web Parts. Gets or sets the amount of space between the contents of the cell and the cell's border. The distance (in pixels) between the contents of a cell and the cell's border. The default is -1, which indicates that this property is not set. The specified distance is set to a value less than -1. Gets a value determining if the style is empty. GridContextMenu Gets the items. The items. Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets the ClickToOpen. The ClickToOpen. Gets or sets the programmatic identifier assigned to the server control. The programmatic identifier assigned to the control. Gets or sets a value indicating whether item images should have sprite support. True if the child items should have sprite support; otherwise False. The default value is False. Header context menu class. See Header Context Menu for more information. Header context menu constructor. See Header Context Menu for more information. Header context menu constructor. See Header Context Menu for more information. Owner RadGrid control Gets the column name for header context filtering menu. Gets or sets a value indicating whether item images should have sprite support. True if the child items should have sprite support; otherwise False. The default value is True. Gets the collapse animation. The collapse animation. Gets the filter numeric box first condition. The filter numeric box first condition. Gets or sets a value indicating if an automatic scroll is applied if the groups are larger then the screen height. This Class defines GridContextFilterTemplate that inherits ITemplate. When implemented by a class, defines the object that child controls and templates belong to. These child controls are in turn defined within an inline template. The object to contain the instances of controls from the inline template. Gets the control ID. The filter control. The id suffix. This enum specifies the FilterControl value. FilterControl is set to CheckBox. CheckBox FilterControl is set to TableCell. TableCell FilterControl is set to RadTextBox. RadTextBox FilterControl is set to RadComboBox. RadComboBox FilterControl is set to RadDateInput. RadDateInput FilterControl is set to RadDatePicker. RadDatePicker FilterControl is set to RadDateTimePicker. RadDateTimePicker FilterControl is set to RadTimePicker. RadTimePicker FilterControl is set to RadNumericBox. RadNumericBox FilterControl is set to RadMaskedBox. RadMaskedBox FilterControl is set to FilterButton. FilterButton FilterControl is set to ClearFilterButton. ClearFilterButton This enum specifies if the IdSuffix value. IdSuffix is set to FirstCond. FirstCond IdSuffix is set to SecondCond. SecondCond Represents the filtering menu for Telerik RadGrid. Constructor for the filtering menu in RadGrid See Using header context menu for filtering topic for more information. Constructor for the filtering menu in RadGrid See Using header context menu for filtering topic for more information. Owner RadGrid control Enumeration specifing the reason a event was fired. Event arguments passed when calls its event. Gets a value indicating if the The is from detail table. Gets a value specifying why the event was fired. The rebind reason. Gets a value specifying the index of the first row in the data source that should be extracted when virtualization and custom paging are enabled. The first row index. Gets a value specifying the number of rows that should be extracted from the data source when virtualization and custom paging are enabled. The total rows count. PDF export exception PDF export exception constructor Exception message GridTableView exporter. For internal use only. TableViewExporter constructor GridTableView object File name Export only data? Ignore paging? TableViewExporter constructor GridTableView object RadGrid export settings Exports the control to Excel Exports the control to Word Exports the control to PDF Returns a temporary directory Temporary directory path Traverses the controls within a cell and returns their values concatenated as a single string (CSV specific) TableCell object String value CSV-specific method. Extracts the text from the given header item cell Template column object Resolved text The class representing the settings associated with increment settings determining the behavior when using the mouse wheel and keyboard arrow keys. Gets or sets the value to increment or decrement the spin box when the up or down buttons are clicked. Gets or sets a value indicating whether the user can use the UP ARROW and DOWN ARROW keys to increment/decrement values. Gets or sets a value indicating whether the user can use the MOUSEWHEEL to increment/decrement values. This enumeration determines the direction in which child items will open. When set to Auto the direction is determined by the following rules If the item is top level and the parent item flow is Horizontal the direction will be Down. If the item is top level and the parent item flow is Vertical the direction will be Right. If the item is subitem (a child of another menu item rather than the RadMenu itself) the direction is Right. Note: If there is not enough room for the child items to open the expand direction is inverted. For example Right becomes Left, Down becomes Up and vice versa. The direction is determined by parent's ItemFlow and level. Child items open above their parent. Child items open below their parent. Child items open from the left side of their parent. Child items open from the right side of their parent. Represents the different ways menu items can flow. The ItemFlow enumeration is used to specify the flow of submenu items. Items will flow one below the other Items will flow one after another Provides data for the events of the control. Initializes a new instance of the RadMenuEventArgs class. A RadMenuItem which represents an item in the RadMenu control. Gets the referenced RadMenuItem in the RadMenu control when the event is raised. The referenced item in the RadMenu control when the event is raised. Use this property to programmatically access the item referenced in the RadMenu when the event is raised. Represents the method that handles the events provided by the control. Represents an item in the control. The control is made up of items. Items which are immediate children of the menu are root items. Items which are children of root items are child items. An item usually stores data in two properties, the property and the property. The value of the property is displayed in the control, and the property is used to store additional data. To create items, use one of the following methods: Use declarative syntax to define items inline in your page or user control. Use one of the constructors to dynamically create new instances of the class. These items can then be added to the Items collection of another item or menu. Data bind the control to a data source. When the user clicks an item, the control can navigate to a linked Web page, post back to the server or select that item. If the property of an item is set, the RadMenu control navigates to the linked page. By default, a linked page is displayed in the same window or frame. To display the linked content in a different window or frame, use the property. Represents a single item in the RadMenu class. The RadMenu control is made up of a hierarchy of menu items represented by RadMenuItem objects. Menu items at the top level (level 0) that do not have a parent menu item are called root or top-level menu items. A menu item that has a parent menu item is called a submenu item. All root menu items are stored in the Items collection of the menu. Submenu items are stored in a parent menu item's Items collection. You can access a menu item's parent menu item by using the Owner property. To create the menu items for a RadMenu control, use one of the following methods: Use declarative syntax to create static menu items. Use a constructor to dynamically create new instances of the RadMenuItem class. These RadMenuItem objects can then be added to the Items collection of their owner. Bind the Menu control to a data source. When the user clicks a menu item, the Menu control can either navigate to a linked Web page or simply post back to the server. If the NavigateUrl property of a menu item is set, the RadMenu control navigates to the linked page. By default, a linked page is displayed in the same window or frame as the RadMenu control. To display the linked content in a different window or frame, use the Target property. Each menu item has a Text and a Value property. The value of the Text property is displayed in the RadMenu control, while the Value property is used to store any additional data about the menu item. This Class RadMenuItem object. Instantiates the ContentTemplate inside the Content. Clears all existing controls in the Content before that. Highlights the path from the item to the top of the menu. The HighlightPath method applies the "rmFocused" CSS class to the item and his ancestor items. As a results the "path" from the top level to that specific item is highlighted. Removes the item from its container Creates a copy of the current RadMenuItem object. A RadMenuItem which is a copy of the current one. Use the Clone method to create a copy of the current item. All properties of the clone are set to the same values as the current ones. Child items are not cloned. Initializes a new instance of the RadMenuItem class. Use this constructor to create and initialize a new instance of the RadMenuItem class using default values. The following example demonstrates how to add items to RadMenu controls. RadMenuItem item = new RadMenuItem(); item.Text = "News"; item.NavigateUrl = "~/News.aspx"; RadMenu1.Items.Add(item); Dim item As New RadMenuItem() item.Text = "News" item.NavigateUrl = "~/News.aspx" RadMenu1.Items.Add(item) Initializes a new instance of the RadMenuItem class with the specified text data. Use this constructor to create and initialize a new instance of the RadMenuItem class using the specified text. The following example demonstrates how to add items to RadMenu controls. RadMenuItem item = new RadMenuItem("News"); RadMenu1.Items.Add(item); Dim item As New RadMenuItem("News") RadMenu1.Items.Add(item) The text of the item. The Text property is set to the value of this parameter. Initializes a new instance of the RadMenuItem class with the specified text and URL to navigate to. Use this constructor to create and initialize a new instance of the RadMenuItem class using the specified text and URL. This example demonstrates how to add items to RadMenu controls. RadMenuItem item = new RadMenuItem("News", "~/News.aspx"); RadMenu1.Items.Add(item); Dim item As New RadMenuItem("News", "~/News.aspx") RadMenu1.Items.Add(item) The text of the item. The Text property is set to the value of this parameter. The url which the item will navigate to. The NavigateUrl property is set to the value of this parameter. Gets a object that contains the child items of the current RadMenuItem. A that contains the child items of the current RadMenuItem. By default the collection is empty (the item has no children). Use the Items property to access the child items of the RadMenuItem. You can also use the Items property to manage the child items - you can add, remove or modify items. The following example demonstrates how to programmatically modify the properties of a child item. RadMenuItem item = RadMenu1.FindItemByText("Test"); item.Items[0].Text = "Example"; item.Items[0].NavigateUrl = "http://www.example.com"; Dim item As RadMenuItem = RadMenu1.FindItemByText("Test") item.Items(0).Text = "Example" item.Items(0).NavigateUrl = "http://www.example.com" Gets the object which contains the current menu item. The object which contains the menu item. It might be an instance of the class or the class depending on the hierarchy level. The value is of the type which is implemented by the and the classes. Use the Owner property when recursively traversing items in the RadMenu control. Gets or sets the data item represented by the item. An object representing the data item to which the Item is bound to. The DataItem property will always return null when accessed outside of MenuItemDataBound event handler. This property is applicable only during data binding. Use it along with the MenuItemDataBound event to perform additional mapping of fields from the data item to RadMenuItem properties. The following example demonstrates how to map fields from the data item to RadMenuItem properties. It assumes the user has subscribed to the MenuItemDataBound:RadMenu.MenuItemDataBound event. private void RadMenu1_MenuItemDataBound(object sender, Telerik.WebControls.ItemStripEventArgs e) { RadMenuItem item = e.Item; DataRowView dataRow = (DataRowView) e.Item.DataItem; item.ImageUrl = "image" + dataRow["ID"].ToString() + ".gif"; item.NavigateUrl = dataRow["URL"].ToString(); } Sub RadMenu1_MenuItemDataBound(ByVal sender As Object, ByVal e As ItemStripEventArgs) Handles RadMenu1.MenuItemDataBound Dim item As RadMenuItem = e.Item Dim dataRow As DataRowView = CType(e.Item.DataItem, DataRowView) item.ImageUrl = "image" + dataRow("ID").ToString() + ".gif" item.NavigateUrl = dataRow("URL").ToString() End Sub Gets or sets the text caption for the menu item. The text of the item. The default value is empty string. This example demonstrates how to set the text of the item using the Text property. <telerik:RadMenu ID="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem Text="News" />
<telerik:RadMenuItem Text="News" />
</Items>
</telerik:RadMenu>
Use the Text property to specify the text to display for the item.
Gets or sets the value associated with the menu item. The value associated with the item. The default value is empty string. Use the Value property to specify or determine the value associated with the item. Gets or sets the template for displaying the item. A ITemplate implemented object that contains the template for displaying the item. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all menu items use the ItemTemplate property of the RadMenu class. The following template demonstrates how to add a Calendar control in certain menu item. ASPX: <telerik:RadMenu runat="server" ID="RadMenu1">
<Items>
<telerik:RadMenuItem Text="Date">
<Items>
<telerik:RadMenuItem Text="SelectDate">
<ItemTemplate>
<asp:Calendar runat="server" ID="Calendar1" />
</ItemTemplate>
</telerik:RadMenuItem>
</Items>
</telerik:RadMenuItem>
</Items>
</telerik:RadMenu>
Gets or sets the content template. The content template. Get the Content Template container of the RadMenuItem. Specifies the settings for child item behavior. An instance of the MenuItemGroupSettings class. You can customize the following settings item flow expand direction horizontal offset from the parent item vertical offset from the parent item width height For more information check MenuItemGroupSettings. Gets or sets the expand behavior of the menu item. When set to ExpandMode.WebService the RadMenuItem will populate its children from the web service specified by the RadMenu.WebService and RadMenu.WebServiceMethod properties. On of the MenuItemExpandMode values. The default value is ClientSide. Gets or sets a value indicating whether the item image should have sprite support. True if the item should have sprite support; otherwise False. The default value is False. Gets or sets the URL to link to when the item is clicked. The URL to link to when the item is clicked. The default value is empty string. The following example demonstrates how to use the NavigateUrl property <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem Text="News" NavigateUrl="~/News.aspx" />
<telerik:RadMenuItem Text="External URL" NavigateUrl="http://www.example.com" />
</Items>
</telerik:RadMenu>
Use the NavigateUrl property to specify the URL to link to when the item is clicked. Use "~" (tilde) in front of an URL within the same ASP.NET application. When specifying external URL do not forget the protocol (e.g. "http://").
Gets or sets a value indicating whether clicking on the item will postback. True if the menu item should postback; otherwise false. By default all the items will postback provided the user has subscribed to the ItemClick event. If you subscribe to the ItemClick all menu items will postback. To turn off that behavior you should set the PostBack property to false. This property cannot be set in design time. Gets the RadMenu instance which contains the item. Use this property to obtain an instance to the RadMenu object containing the item. Sets or gets whether the item is separator. It also represents a logical state of the item. Might be used in some applications for keyboard navigation to omit processing items that are marked as separators. Gets or sets a value indicating whether the item is selected. True if the item is selected; otherwise false. The default value is false. Only one item can be selected. Gets or sets the Cascading Style Sheet (CSS) class applied when the menu item is disabled. The CSS class applied when the menu item is disabled. The default value is "disabled". By default the visual appearance of disabled menu items is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for the menu item when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied when the menu item is opened (its child items are visible). The CSS class applied when the menu item is opened. The default value is "expanded". By default the visual appearance of opened menu items is defined in the skin CSS file. You can use the ExpandedCssClass property to specify unique appearance for the menu item when it is opened. Gets or sets the Cascading Style Sheet (CSS) class applied when the menu item is focused. The CSS class applied when the menu item is focused. The default value is "focused". By default the visual appearance of focused menu items is defined in the skin CSS file. You can use the FocusedCssClass property to specify unique appearance for the menu item when it is focused. Gets or sets the Cascading Style Sheet (CSS) class applied when the item is selected. By default the visual appearance of selected items is defined in the skin CSS file. You can use the SelectedCssClass property to specify unique appearance for a item when it is selected. Gets or sets the Cascading Style Sheet (CSS) class applied when the menu item is clicked. The CSS class applied when the menu item is clicked. The default value is "clicked". By default the visual appearance of clicked menu items is defined in the skin CSS file. You can use the ClickedCssClass property to specify unique appearance for the menu item when it is clicked. Gets or sets the Cascading Style Sheet (CSS) class applied on the outmost item element (<LI>). The CSS class applied on the wrapping element (<LI>). The default value is empty string. You can use the OuterCssClass property to specify unique appearance for the item. Gets or sets the Cascading Style Sheet (CSS) class that contains the sprite image for this Item and the positioning for it. The CSS that is used in sprite image scenarios. String.Empty. By default, the image in an Item is defined by the ImageUrl property. You can use SpriteCssClass to specify a class that will position a sprite instead of using image. The CssClasss is applied when EnableImageSprite property is set to true. Gets or sets the target window or frame to display the Web page content linked to when the menu item is clicked. The target window or frame to load the Web page linked to when the Item is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string. Use the Target property to specify the frame or window that displays the Web page linked to when the menu item is clicked. The Web page is specified by setting the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The following example demonstrates how to use the Target property ASPX: <telerik:RadMenu runat="server" ID="RadMenu1"> <Items> <telerik:RadMenuItem Target="_blank" NavigateUrl="http://www.google.com" /> </Items> </telerik:RadMenu> Manages the item level of a particular Item instance. This property allows easy implementation/separation of the menu items in levels. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. The following example demonstrates how to specify the image to display for the item using the ImageUrl property. <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem ImageUrl="~/Img/inbox.gif" Text="Index" />
<telerik:RadMenuItem ImageUrl="~/Img/outbox.gif" Text="Outbox" />
</Items>
</telerik:RadMenu>
Gets or sets the path to an image to display for the item when the user moves the mouse over the item. The path to the image to display when the user moves the mouse over the item. The default value is empty string. <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem ImageUrl="~/Img/inbox.gif" HoveredImageUrl="~/Img/inboxOver.gif" Text="Index" />
<telerik:RadMenuItem ImageUrl="~/Img/outbox.gif" HoveredImageUrl="~/Img/outboxOver.gif" Text="Outbox" />
</Items>
</telerik:RadMenu>
Use the HoveredImageUrl property to specify the image that will be used when the user moves the mouse over the item. If the HoveredImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the path to an image to display for the item when the user clicks the item. The path to the image to display when the user clicks the item. The default value is empty string. <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem ImageUrl="~/Img/inbox.gif" ClickedImageUrl="~/Img/inboxClicked.gif" Text="Index" />
<telerik:RadMenuItem ImageUrl="~/Img/outbox.gif" ClickedImageUrl="~/Img/outboxClicked.gif" Text="Outbox" />
</Items>
</telerik:RadMenu>
Use the ClickedImageUrl property to specify the image that will be used when the user clicks the item. If the ClickedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets the path to an image to display when the items is disabled. The path to the image to display when the item is disabled. The default value is empty string. Use the DisabledImageUrl property to specify the image that will be used when the item is disabled. If the DisabledImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application. <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem ImageUrl="~/Img/inbox.gif" DisabledImageUrl="~/Img/inboxDisabled.gif" Text="Index" />
<telerik:RadMenuItem ImageUrl="~/Img/outbox.gif" DisabledImageUrl="~/Img/outboxDisabled.gif" Text="Outbox" />
</Items>
</telerik:RadMenu>
Gets or sets the path to an image to display when the items is expanded. The path to the image to display when the item is expanded. The default value is empty string. <telerik:RadMenu id="RadMenu1" runat="server">
<Items>
<telerik:RadMenuItem ImageUrl="~/Img/inbox.gif" ExpandedImageUrl="~/Img/inboxExpanded.gif" Text="Index" />
<telerik:RadMenuItem ImageUrl="~/Img/outbox.gif" ExpandedImageUrl="~/Img/outboxExpanded.gif" Text="Outbox" />
</Items>
</telerik:RadMenu>
Use the ExpandedImageUrl property to specify the image that will be used when the item is expanded. If the ExpandedImageUrl property is set to empty string the image specified by the ImageUrl property will be used. Use "~" (tilde) when referring to images within the current ASP.NET application.
Gets or sets a value specifying the URL of the image rendered when the item is selected. If the SelectedImageUrl property is not set the ImageUrl property will be used when the node is selected. A collection of RadMenuItem objects in a RadMenu control. The RadMenuItemCollection class represents a collection of RadMenuItem objects. The RadMenuItem objects in turn represent menu items within a RadMenu control. Use the indexer to programmatically retrieve a single RadMenuItem from the collection, using array notation. Use the Count property to determine the total number of menu items in the collection. Use the Add method to add menu items in the collection. Use the Remove method to remove menu items from the collection. Initializes a new instance of the class. The owner of the collection. Appends the specified object to the end of the current . The to append to the end of the current . The following example demonstrates how to programmatically add items in a RadMenu control. RadMenuItem newsItem = new RadMenuItem("News"); RadMenu1.Items.Add(newsItem); Dim newsItem As RadMenuItem = New RadMenuItem("News") RadMenu1.Items.Add(newsItem) Searches the RadMenuItemCollection control for the first RadMenuItem with a Text property equal to the specified value. A RadMenuItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadMenu control for the first RadMenuItem with a Text property equal to the specified value. A RadMenuItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadMenuItemCollection control for the first RadMenuItem with a Value property equal to the specified value. A RadMenuItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadMenu control for the first RadMenuItem with a Value property equal to the specified value. A RadMenuItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the items in the collection for a RadMenuItem which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadMenuItem that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Returns the first RadMenuItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadMenu1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadMenuItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadMenu1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadMenuItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Determines whether the specified object is in the current . The object to find. true if the current collection contains the specified object; otherwise, false. Copies the contents of the current into the specified array of objects. The target array. The index to start copying from. Appends the specified array of objects to the end of the current . The following example demonstrates how to use the AddRange method to add multiple items in a single step. RadMenuItem[] items = new RadMenuItem[] { new RadMenuItem("First"), new RadMenuItem("Second"), new RadMenuItem("Third") }; RadMenu1.Items.AddRange(items); Dim items() As RadMenuItem = {New RadMenuItem("First"), New RadMenuItem("Second"), New RadMenuItem("Third")} RadMenu1.Items.AddRange(items) The array of to append to the end of the current . Determines the index of the specified object in the collection. The to locate. The zero-based index of item within the current , if found; otherwise, -1. Inserts the specified object in the current at the specified index location. The zero-based index location at which to insert the . The to insert. Removes the specified object from the current . The RadMenuItem object to remove. Removes the object at the specified index from the current . The zero-based index of the index to remove. Gets the object at the specified index in the current . The zero-based index of the to retrieve. The at the specified index in the current . Represents settings controlling child item behavior. Returns a that represents the current . A that represents the current . Gets or sets the flow of child items. One of the ItemFlow enumeration values. The default value is Vertical. Use the Flow property to customize the flow of child menu items. By default RadMenu mimics the behavior of Windows and child items (apart from top level ones) flow vertically. Gets or sets the direction in which child items will open. One of the ExpandDirection enumeration values. The default value is Auto. Use the ExpandDirection property to specify different expand direction than the automatically determined one. See the ExpandDirection description for more information. Gets or sets a value indicating the horizontal offset of child menu items considering their parent. An integer specifying the horizontal offset of child menu items (measured in pixels). The default value is 0 (no offset). Use the OffsetX property to change the position where child items will appear. To customize the vertical offset use the OffsetY property. Gets or sets a value indicating the vertical offset of child menu items considering their parent. An integer specifying the vertical offset of child menu items (measured in pixels). The default value is 0 (no offset). Use the OffsetY property to change the position where child items will appear. To customize the horizontal offset use the OffsetX property. Gets or sets a value indicating the width of child menu items (the whole item group). A Unit that represents the width of the child item group. The default value is Unit.Empty. If the total width of menu items exceeds the Width property scrolling will be applied. Gets or sets a value indicating the height of child menu items (the whole item group). A Unit that represents the height of the child item group. The default value is Unit.Empty. If the total height of menu items exceeds the Height property scrolling will be applied. Gets or sets the number of columns to display in this item group. Specifies the number of columns which are displayed for a given item group. For example, if it set to 3, the child items are displayed in three columns. The default value is 1. Displaying more than 1 column automatically disables scrolling for this group. Gets or sets whether the columns are repeated vertically or horizontally When this property is set to Vertical, items are displayed vertically in columns from top to bottom, and then left to right, until all items are rendered. When this property is set to Horizontal, items are displayed horizontally in rows from left to right, then top to bottom, until all items are rendered. This enum specifies the SchedulerFormMode. SchedulerFormMode is set to Hidden. Hidden SchedulerFormMode is set to Insert. Insert SchedulerFormMode is set to Edit. Edit SchedulerFormMode is set to AdvancedInsert. AdvancedInsert SchedulerFormMode is set to AdvancedEdit. AdvancedEdit Provides data for the event of the control. Gets or sets the modified appointment. The modified appointment. Gets or sets the ISchedulerInfo object that will be passed to the providers' Update method. The ISchedulerInfo object that will be passed to the providers' Update method. You can replace this object with your own implementation of ISchedulerInfo in order to pass additional information to the provider. This enum specifies if the OverflowBehavior is set to Scroll, Expand or Auto. OverflowBehavior is set to Scroll. Scroll = 1 OverflowBehavior is set to Expand. Expand = 2 OverflowBehavior is set to Auto. Auto = 3 The localization strings to be used in RadScheduler. Gets or sets the header today. The header today. Gets or sets the header prev day. The header prev day. Gets or sets the header next day. The header next day. Gets or sets the header day. The header day. Gets or sets the header week. The header week. Gets or sets the header month. The header month. Gets or sets the header timeline. The header timeline. Gets or sets the header multi day. The header multi day. Gets or sets the header agenda. The header agenda. Gets or sets the header year. The header year. Gets or sets the agenda header date. The agenda header date. Gets or sets the agenda header time. The agenda header time. Gets or sets the agenda header appointment. The agenda header appointment. Gets or sets the agenda header resource. The agenda header resource. Gets or sets the header Add Appointment. The header Add appointment. Gets or sets all day. All day. Gets or sets the Show24Hours. The Show24Hours. Gets or sets the show business hours. The show business hours. Gets or sets the save. The save. Gets or sets the cancel. The cancel. Gets or sets the delete. The delete. Gets or sets the show advanced form. The show advanced form. Gets or sets the show more. The show more. Gets or sets the advanced subject. The advanced subject. Gets or sets the advanced description. The advanced description. Gets or sets the advanced from. The advanced from. Gets or sets the advanced to. The advanced to. Gets or sets the advanced all day event. The advanced all day event. Gets or sets the advanced time zone. The advanced time zone. Gets or sets the advanced recurrence. The advanced recurrence. Gets or sets the advanced repeat. The advanced repeat. Gets or sets the advanced hourly. The advanced hourly. Gets or sets the advanced daily. The advanced daily. Gets or sets the advanced weekly. The advanced weekly. Gets or sets the advanced monthly. The advanced monthly. Gets or sets the advanced yearly. The advanced yearly. Gets or sets the advanced every. The advanced every. Gets or sets the advanced hours. The advanced hours. Gets or sets the advanced days. The advanced days. Gets or sets the advanced weeks. The advanced weeks. Gets or sets the advanced months. The advanced months. Gets or sets the advanced years. The advanced years. Gets or sets the advanced every weekday. The advanced every weekday. Gets or sets the advanced recur every. The advanced recur every. Gets or sets the advanced day. The advanced day. Gets or sets the advanced of every. The advanced of every. Gets or sets the advanced first. The advanced first. Gets or sets the advanced second. The advanced second. Gets or sets the advanced third. The advanced third. Gets or sets the advanced fourth. The advanced fourth. Gets or sets the advanced last. The advanced last. Gets or sets the advanced mask day. The advanced mask day. Gets or sets the advanced mask weekday. The advanced mask weekday. Gets or sets the advanced mask weekend day. The advanced mask weekend day. Gets or sets the advanced the. The advanced the. Gets or sets the advanced of. The advanced of. Gets or sets the advanced reset. The advanced reset. Gets or sets the advanced no end date. The advanced no end date. Gets or sets the advanced end after. The advanced end after. Gets or sets the advanced end by this date. The advanced end by this date. Gets or sets the advanced occurrences. The advanced occurrences. Gets or sets the advanced calendar OK. The advanced calendar OK. Gets or sets the advanced calendar cancel. The advanced calendar cancel. Gets or sets the advanced calendar today. The advanced calendar today. Gets or sets the advanced subject required. The advanced subject required. Gets or sets the advanced start time before end time. The advanced start time before end time. Gets or sets the advanced start time required. The advanced start time required. Gets or sets the advanced start date required. The advanced start date required. Gets or sets the advanced end time required. The advanced end time required. Gets or sets the advanced end date required. The advanced end date required. Gets or sets the advanced invalid number. The advanced invalid number. Gets or sets the advanced working. The advanced working. Gets or sets the advanced done. The advanced done. Gets or sets the advanced new appointment. The advanced new appointment. Gets or sets the advanced edit appointment. The advanced edit appointment. Gets or sets the advanced close. The advanced close. Gets or sets the reminder. The reminder. Gets or sets the reminders. The reminders. Gets or sets the reminder minute. The reminder minute. Gets or sets the reminder minutes. The reminder minutes. Gets or sets the reminder hour. The reminder hour. Gets or sets the reminder hours. The reminder hours. Gets or sets the reminder day. The reminder day. Gets or sets the reminder days. The reminder days. Gets or sets the reminder week. The reminder week. Gets or sets the reminder weeks. The reminder weeks. Gets or sets the reminder none. The reminder none. Gets or sets the reminder before start. The reminder before start. Gets or sets the reminder snooze. The reminder snooze. Gets or sets the reminder dismiss. The reminder dismiss. Gets or sets the reminder dismiss all. The reminder dismiss all. Gets or sets the reminder open item. The reminder open item. Gets or sets the reminder snooze hint. The reminder snooze hint. Gets or sets the reminder due in. The reminder due in. Gets or sets the reminder overdue. The reminder overdue. Gets or sets the confirm recurrence edit title. The confirm recurrence edit title. Gets or sets the confirm recurrence edit occurrence. The confirm recurrence edit occurrence. Gets or sets the confirm recurrence edit series. The confirm recurrence edit series. Gets or sets the confirm recurrence resize title. The confirm recurrence resize title. Gets or sets the confirm recurrence resize occurrence. The confirm recurrence resize occurrence. Gets or sets the confirm recurrence resize series. The confirm recurrence resize series. Gets or sets the confirm recurrence delete title. The confirm recurrence delete title. Gets or sets the confirm recurrence delete occurrence. The confirm recurrence delete occurrence. Gets or sets the confirm recurrence delete series. The confirm recurrence delete series. Gets or sets the confirm delete title. The confirm delete title. Gets or sets the confirm delete text. The confirm delete text. Gets or sets the confirm recurrence move title. The confirm recurrence move title. Gets or sets the confirm recurrence move occurrence. The confirm recurrence move occurrence. Gets or sets the confirm recurrence move series. The confirm recurrence move series. Gets or sets the confirm OK. The confirm OK. Gets or sets the confirm cancel. The confirm cancel. Gets or sets the confirm reset exceptions title. The confirm reset exceptions title. Gets or sets the confirm reset exceptions text. The confirm reset exceptions text. Gets or sets the context menu edit. The context menu edit. Gets or sets the context menu delete. The context menu delete. Gets or sets the context menu add appointment. The context menu add appointment. Gets or sets the context menu add recurring appointment. The context menu add recurring appointment. Gets or sets the context menu go to today. The context menu go to today. Specifies the view mode of a RadScheduler control. A view that spans a single day. All day-events are displayed in a separate row on top. A view that spans seven days. Each day is displayed as in DayView mode and the current date is highlighted. A view that spans a whole month. The current date is highlighted. The Timeline view spans an arbitrary time period. It is divided in slots with user selectable duration. Similar to WeekView, but shows a fixed number of days and does not observe week boundaries. A view that shows all the appointments for a particular time period as a list. A view that spans a whole year. This class should be used in the HTTP Handler declaration for Telerik.Web.UI.WebResource if you need access to the Session object This Class defines the WabResource object that inherits Page. Determines whether [is II s7 request] [the specified context]. The context. Sets the intrinsics of the , such as the , , , and properties. An object that provides references to the intrinsic server objects (for example, , , and ) used to service HTTP requests. Populates the Handlers collection Gets the query string's key name which value determines the handler to be called Gets the key/value collection of handlers which are currently available Summary description for DictionarySorter. Saves the dictionary to a file. The output file name. Load a word list from a file. The import file name. Load a word list from a StreamReader. The import reader. "Vowels" to test for Prefixes when present which are not pronounced Maximum length of an encoding, default is 4 Encode a value with Double Metaphone @param value string to encode @return an encoded string Encode a value with Double Metaphone, optionally using the alternate encoding. @param value string to encode @param alternate use alternate encode @return an encoded string Check if the Double Metaphone values of two string values are equal. @param value1 The left-hand side of the encoded {@link string#equals(Object)}. @param value2 The right-hand side of the encoded {@link string#equals(Object)}. @return true if the encoded strings are equal; false otherwise. @see #isDoubleMetaphoneEqual(string,string,bool) Check if the Double Metaphone values of two string values are equal, optionally using the alternate value. @param value1 The left-hand side of the encoded {@link string#equals(Object)}. @param value2 The right-hand side of the encoded {@link string#equals(Object)}. @param alternate use the alternate value if true. @return true if the encoded strings are equal; false otherwise. Returns the maxCodeLen. @return int Sets the maxCodeLen. @param maxCodeLen The maxCodeLen to set Handles 'A', 'E', 'I', 'O', 'U', and 'Y' cases Handles 'C' cases Handles 'CC' cases Handles 'CH' cases Handles 'D' cases Handles 'G' cases Handles 'GH' cases Handles 'H' cases Handles 'J' cases Handles 'L' cases Handles 'P' cases Handles 'R' cases Handles 'S' cases Handles 'SC' cases Handles 'T' cases Handles 'W' cases Handles 'X' cases Handles 'Z' cases Complex condition 0 for 'C' Complex condition 0 for 'CH' Complex condition 1 for 'CH' Complex condition 0 for 'L' Complex condition 0 for 'M' Determines whether or not a value is of slavo-germanic orgin. A value is of slavo-germanic origin if it contians any of 'W', 'K', 'CZ', or 'WITZ'. Determines whether or not a character is a vowel or not Determines whether or not the value starts with a silent letter. It will return true if the value starts with any of 'GN', 'KN', 'PN', 'WR' or 'PS'. Cleans the input Gets the character at index index if available, otherwise it returns Character.MIN_VALUE so that there is some sort of a default Shortcut method with 1 criteria Shortcut method with 2 criteria Shortcut method with 3 criteria Shortcut method with 4 criteria Shortcut method with 5 criteria Shortcut method with 6 criteria * Determines whether value contains any of the criteria starting * at index start and matching up to length length Inner class for storing results, since there is the optional alternate encoding. Initializes the length and offset arrays as well as the distance matrix. Finds possible suggestions for a misspelled word. the misspelled word string array of suggestion replacement strings Calculates Levenshtein distance for two given strings. String 1. String 2. Edit Distance. A custom interface that defines the access to the custom dictionary. It can be used to replace the custom dictionary storage mechanism and store the words in a database or on a remote computer. Reads a word from the storage. It should return null if no more words are present. Adds a new custom word. the new word The directory that contains the custom dictionary file. Necessary only for file based storage -- it is set to the physical directory corresponding to RadSpell's DictPath property setting. The language for the custom dictionary. It is usually a culture name like en-US or de-DE. A custom appendix string that can be used to distinguish different custom dictionaries. It is passed the CustomAppendix of the RadSpell object. This way one can create different dictionaries for John and Mary. This is the .NET 1.x implementation. The .NET 2.0 one gets into an infinite loop when using the WordComparer. Summary description for WordComparer. ISpellCheckProvider interface -- defines the behavior that we need from a component to do spell checking. Summary description for TelerikSpellCheckProvider. This class can be used to initiate a spell check request using the RadSpell dictionaries. Create a new RadSpellChecker object. You need to pass a correct path to the folder that contains the dictionary files (*.TDF) The method expects local paths. E.g. "C:\SomeFolder\RadControls\Spell\TDF". Transform URL's to local paths with the method. C# SpellChecker checker = new SpellChecker(Server.MapPath("~/RadControls/Spell/TDF")); VB.NET Dim checker As SpellChecker checker = New SpellChecker(Server.MapPath("~/RadControls/Spell/TDF")) Cleans up any resources held by the SpellChecker object. It is an alias of the Dispose method. Performs the actual spellchecking. It will be automatically called by the Errors property accessor. -- a collection with all the errors found. Gets a list of suggestions from the dictionary for the specified word A string containing the word to be used. A string array containing the spellcheck suggestions for the input word. Adds a new word to the custom dictionary. It first checks if the word is already present in the current base or custom dictionaries. The new custom word. Clean up used resources. Sets the text to be spellchecked. It can be plain text or HTML. This property can be used to pass the text to the spellchecker engine programmatically. The engine can deal with plaintext or any HTML-like format. It ignores text inside angle brackets (<>) and transforms HTML entities to their character values. E.g. &amp; becomes & C#: using (SpellChecker checker = new SpellChecker(Server.MapPath("~/RadControls/Spell/TDF"))) { checker.Text = text; return checker.Errors; } VB.NET Dim checker As SpellChecker Try checker = New SpellChecker(Server.MapPath("~/RadControls/Spell/TDF")) checker.Text = text Return checker.Errors Finally checker.Dispose() End Try The language of the dictionary to be used for spellchecking. It usually is the same as the corresponding TDF file (without the extension). To spellcheck in German you have to have de-DE.tdf inside your dictionary folder, and set DictionaryLanguage to "de-DE" C#: spellChecker.DictionaryLanguage = "de-DE"; VB.NET spellChecker.DictionaryLanguage = "de-DE" The default is en-US The folder path that contains the TDF files. The method expects local paths. E.g. "C:\SomeFolder\RadControls\Spell\TDF". Transform URL's to local paths with the method. C# SpellChecker checker = new SpellChecker(Server.MapPath("~/RadControls/Spell/TDF")); VB.NET Dim checker As SpellChecker checker = New SpellChecker(Server.MapPath("~/RadControls/Spell/TDF")) The suffix that gets appended to the custom dictionary file name. It is usually a user specific string that allows to distinguish dictionaries for different users. Default filenames are Language + CustomAppendix + ".txt". The default is -Custom Specifies the edit distance. If you increase the value, the checking speed decreases but more suggestions are presented. It does not do anything for the phonetic spellchecking. The default is 1 Specifies whether or not to check words in CAPITALS (e.g. "UNESCO") The default is false Specifies whether or not to count repeating words as errors (e.g. "very very") The default is false Specifies whether or not to check words in Capitals (e.g. "Washington") The default is true Specifies whether or not to check words containing numbers (e.g. "l8r") The default is false A set of rules that specify words that should be ignored during the spellcheck. Note that this property should be set before the property. Specifies the type name for the custom spell check provider Specifies whether RadSpell should use the internal spellchecking algorithm or try to use Microsoft Word. The possible values are defined in the enum. The default is PhoneticProvider Configures the spellchecker engine, so that it knows whether to skip URL's, email addresses, and filenames and not flag them as erros. Manipulate the custom dictionary source. The new value must implement ICustomDictionarySource. The fully qualified name of the type that will be used for the custom dictionary storage. The type name must include the assembly, culture and public key token. A new instance will be created internally unless you set CustomDictionarySource directly. The errors after the last spellcheck. The getter method will call automatically if the text has not been checked yet. This property returns the list of words that was generated when the property is set. Contains the information about a spellcheck error. The most important properties are the mistaken word and its offset in the source text. The index of the misspelled word The offset in the source text. It is useful for locating the original word and replacing it with one of the suggestions. The original word that the spellchecker has determined to be wrong. Suggestions for replacing the mistaken word. A collection that stores objects. Initializes a new instance of . Initializes a new instance of . Adds a with the specified value to the . The to add. The index at which the new element was inserted. Copies the elements of an array to the end of the . An array of type containing the objects to add to the collection. None. Adds the contents of another to the end of the collection. A containing the objects to add to the collection. None. Gets a value indicating whether the contains the specified . The to locate. if the is contained in the collection; otherwise, . Copies the values to a one-dimensional instance at the specified index. The one-dimensional that is the destination of the values copied from . The index in where copying begins. None. is multidimensional. -or- The number of elements in the is greater than the available space between and the end of . is . is less than 's lowbound. Returns the index of a in the . The to locate. The index of the of in the , if found; otherwise, -1. Inserts a into the at the specified index. The zero-based index where should be inserted. The to insert. None. Returns an enumerator that can iterate through the . None. Removes a specific from the . The to remove from the . None. is not found in the Collection. Represents the entry at the specified index of the . The zero-based index of the entry to locate in the collection. The entry at the specified index of the collection. is outside the valid range of indexes for the collection. The spellcheck provider enumeration. The default provider. The same as PhoneticProvider This provider uses the edit distance algorithm. It will work for non-western languages. This provider uses phonetic codes to provide "sounds like" word suggestions. Really effective for English, and less so for other languages. This provider automates Microsoft Word via its COM Interop interface. Specifies whether or not to check words in CAPITALS (e.g. 'UNESCO') Specifies whether or not to check words in Capitals (e.g. 'Washington') Specifies whether or not to count repeating words as errors (e.g. 'very very') Specifies whether or not to check words containing numbers (e.g. 'l8r') Specifies the possible values for the Distribution property of the RadTagCloud control. The font-size is linearly distributed among the different words based on their occurance. The font-size is logarithmically distributed among the different words based on their occurance. Specifies the possible values for the Sorting property of the RadTagCloud control. The TagCloud items are left as they appear in the Items collection (DataSource). The TagCloud items are sorted alphabetically in ascending order. The TagCloud items are sorted alphabetically in descending order. The TagCloud items are sorted based on their Weight in ascending order. The TagCloud items are sorted based on their Weight in descending order. Represents an editor for DateTime values, used as the default editor for the TreeListDateTimeColumn. Initializes the editor control. The TreeListEditableItem where the editor will be added. The container Control to which Controls collection the editor control will be added. Sets the edit values to the edit control. An enumerable collection containing the edit values. Returns a collection of the edit values contained in the editor. An enumerable object holding the values. Gets a reference to the RadDateInput control used for editing the column. Gets a reference to the RadDatePicker control used for editing the column. Represents the default column editor for the . Initializes the TreeListNumericColumnEditor object. The TreeListEditableItem which will hold the current editor. The Control where the editor controls will be added. Sets the edit values to the edit control. An enumerable collection containing the edit values. Returns a collection of the edit values contained in the editor. An enumerable object holding the values. Gets a reference to the RadNumericTextBox created by the editor. Represents the default editor for the Initializes the TreeListCheckBoxColumn editor. The which will hold the edit control. The container control to which the editor will be added. Sets the Checked state of the CheckBox editor. An object containing the value to be assigned to the CheckBox editor. Gets the value of the CheckBox column editor. A boolean value indicating the checked state of the CheckBox editor. Gets a reference to the CheckBox created for the editor. Represents the default column editor for the Initializes the editor control. The TreeListEditableItem where the editor will be added. The container Control to which Controls collection the editor control will be added. Returns a collection of the edit values contained in the editor. An enumerable object holding the values. Gets a reference to the ITemplate object used for the editor. Gets a reference to the Control object which will hold the editor template. Represents a column editor that provides a TextBox control for data editing. Initializes the editor control. The TreeListEditableItem where the editor will be added. The container Control to which Controls collection the editor control will be added. Sets the edit values to the edit control. An enumerable collection containing the edit values. Returns a collection of the edit values contained in the editor. An enumerable object holding the values. Gets a reference to the TextBox control used for editing the column. Represents a TreeListColumn extended to perform calculations upon fields from the data source. Gets or sets the field name from the specified data source to bind to the TreeListBoundColumn. A string, specifying the data field from the data source, from which to bind the column. Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the expression. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the expression. Gets or sets a string representing the expression used when calculating the column values. Gets or sets the string used for formatting the calculated column value. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets (see the Remarks) the type of the data from the DataField as it was set in the DataSource. The DataType property supports the following base .NET Framework data types: Boolean Byte Char DateTime Decimal Double Int16 Int32 Int64 SByte Single String TimeSpan UInt16 UInt32 UInt64 Gets or sets a string used for formatting the footer aggregate text. Represents a extended to display an Image in each of its data cells. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Gets or sets (see the Remarks) the type of the data from the DataField as it was set in the DataSource. The DataType property supports the following base .NET Framework data types: Boolean Byte Char DateTime Decimal Double Int16 Int32 Int64 SByte Single String TimeSpan UInt16 UInt32 UInt64 Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the image which will be shown. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the image which will be shown. Gets or sets a string, specifying the FormatString of the DataNavigateURL. Essentially, the DataNavigateUrlFormatString property sets the formatting for the url string of the image. A string, specifying the FormatString of the DataNavigateURL. Gets or sets a string, specifying the url, from which the image should be retrieved. This property will be honored only if the DataImageUrlFields are not set. If either DataImageUrlFields are set, they will override the ImageUrl property. A string, specifying the url, from which the image, should be loaded. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets a string, specifying the text which will be shown as alternate text to the image Gets or sets a value from the ImageAlign enumeration representing the alignment of the rendered image in relation to the text. Gets or sets the width of the image Gets or sets the height of the image Gets or sets a string, representing the DataField name from the data source, which will be used to supply the alternateText for the image in the column. This text can further be customized, by using the DataTextFormatString property. A string, representing the DataField name from the data source, which will be used to supply the alternate text for the image in the column. Gets or sets a string, specifying the format string, which will be used to format the alternate text of the image, rendered in the cells of the column. A string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. Enumeration representing the aggregate functions which can be applied to a TreeListGroupByField The base abstract class representing the bindable columns in Gets or sets the field name from the specified data source to bind to the TreeListDataColumn. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets (see the Remarks) the type of the data from the DataField as it was set in the DataSource. The DataType property supports the following base .NET Framework data types: Boolean Byte Char DateTime Decimal Double Int16 Int32 Int64 SByte Single String TimeSpan UInt16 UInt32 UInt64 A column type for the RadTreeList control that is bound to a field in the control data source. Implements the base functionality of a RadTreeList editable column. Create and return a default column editor for the current RadTreeList editable column. Gets the editor of this column from the specified instance. Gets or sets a value specifying whether RadTreeList should extract values from the specified instance based on the item's editable state, the current column's ReadOnly state and the value of ForceExtractValue property. Extracts the values from the specified instance and fills the names/values pairs for each data-field edited by the column in the specified IDictionary instance. Dictionary to fill. This param should not be null (Nothing in VB.NET) The GridEditableItem to extract values from Checks if the DataField of the current column is in the DataKeyNames or ParentDataKeyNames collection of and tries to extract the data key value from the specified instance. Retrieves the data value of this column from the specified TableCell of a . Extracts the editor values from the specified instance. Gets or sets a value indicating whether the column is read-only. A read-only column will be shown in items in view mode, but will not appear in the edit form of edited items. Gets a value indicating whether this column is currently editable. Use the column's ReadOnly property if you want to change its editing capabilities. Specifies how values for this column will be extracted when the column is read-only. Gets or sets the default value for this column's editor when a new item is inserted in RadTreeList. Gets or sets the format of the that is set to the edit cell inside an auto-generated edit form. Specifies the vertical column number where this column will appear when using EditForms editing mode and the form is auto-generated. Gets or sets whether the column editor will be native when treelist's RenderMode is set to Mobile Create and return a default column editor for the current RadTreeList editable column. Gets or sets the string that specifies the display format for items in the column. A string that specifies the display format for items in the column Gets or sets the string used to format the footer text. Gets or sets the field name from the specified data source to bind to the TreeListBoundColumn. A string, specifying the data field from the data source, from which to bind the column. Sets or gets default text when column is empty. Default value is "&nbsp;" Sets or gets whether cell content must be encoded. Default value is false. Convert the emty string to null when extracting values during data editing operations. Defines what button will be rendered in a TreeListButtonColumn Renders a standard hyperlink button. Renders a standard button. Renders an image that acts like a button. Renders a font icon button for lightweight and mobile render modes Defines what type of dialogue will be displayed for confirmation Standard browser confirm dialog. RadWindow confirm dialog. A column type for the RadTreeList control that displays a button in each corresponding cell inside all rendered instances. Gets or sets a value indicating the type of the button that will be rendered. The type should be one of the specified by the enumeration. Gets or sets a value defining the name of the command that will be fired when a button in this column is clicked. Gets or sets an optional parameter passed to the Command event along with the associated Gets or sets a string, specifying the FormatString of the ConfirmText. A string, specifying the FormatString of the ConfirmText. Gets or sets the title that will be shown on the RadWindow confirmation dialog when a button in this column is clicked. Gets or sets the text that will be shown on the confirmation dialog when a button in this column is clicked. The prompt is automatically enabled when this property is set. Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will be applied to the formatting specified in the ConfirmTextFormatString property. A string, representing a comma-separated enumeration of DataFields from the data source, which will be applied to the formatting specified in the ConfirmTextFormatString property. Gets or sets what kind of confirm dialog will be used in a . The type of the confirm dialog. Gets or sets the width of the Confirm Dialog (if it is a RadWindow) Gets or sets the height of the Confirm Dialog (if it is a RadWindow) Gets or sets a value indicating the text that will be shown for a button. Gets or sets a value indicating the URL for the image that will be used in a Image button. should be set to ImageButton. Gets or sets the CssClass of the button Gets or sets a value representing a field from the specified data source. The Text property of the rendered button will then be bound to this field. Gets or sets the string that specifies the formatting applied to the value bound to the Text property. Gets or sets the tooltip for each of buttons. A column type for the RadTreeList control that displays a CheckBox in each corresponding cell inside all rendered instances. Creates the default editor for the TreeListCheckBox column. Gets or sets the tooltip of each select checkbox A class representing a collection of RadTreeListColumn objects. Gets the index of the passed column in the column collection. The TreeListColumn object to find in the collection. An integer that indicates the index of the column in the collection. Inserts the provided column at the given index in the collection. An integer that indicates at which position the column should be inserted. The TreeListColumn object that should be added. Removes the column at the provided index. An integer specifying the position from which a column should be removed. Adds the passed column to the column collection. A TreeListColumn object that should be added to the collection. Clears all column from the collection. Checks whether a given column belongs to the collection. The TreeListColumn object to check for in the collection. A boolean value indicating whether the column was found. Copies the column collection to a given array. A reference to TreeListColumn[] object where the columns need to be copied to. An integer indicating from which index on the columns should be added to the new collection. Removes the passed column from the collection. The TreeListColumn to remove from the collection. A boolean value indicating whether the column was removed successfully Returns an enumerator that iterates through the collection. An IEnumerator<TreeListColumn> used for iterating the collection. Gets a reference to the owner object. Gets the count of columns in the collection. Gets a value indicating whether the collection is read only. An enumeration representing the possible types of date pickers in the TreeListDateTimeColumn. Represents a extended to display a RadCalendar picker control when in edit mode. Creates and returns a reference to the TreeListDateTimeColumnEditor of the column. A TreeListDateTimeColumnEditor object representing the editor of the current column. Gets or sets the data format that will be applied to the edit field when a TreeListDataItem is edited in RadTreeList Gets or sets a value from the TreeListDateTimeColumnPickerType enumeration representing the type of picker which will be shown in edit mode. Gets or sets a DateTime value representing the MinValue setting of the picker control in edit mode. Gets or sets a DateTime value representing the MaxValue setting of the picker control in edit mode. Force RadTreeList to extract values from editable columns that are ReadOnly. See also the RadTreeList.ExtractValuesFromItem method. No values would be extracted from a ReadOnly column Values will be extracted only when an item is NOT in edit mode Values will be extracted only when an item is in edit mode Values will be extracted in all cases. Represents a column of buttons firing data-editing commands (Edit, InitInsert, PeformInsert, Update, Cancel). Initializes the cells of the edit command column. A TableCell which will hold the content. An integer value representing the position of the column. A TreeListItem which will hold the current column cell. Initializes the cells of the edit command column when in edit mode. A TableCell which will hold the content. The TreeListEditableItem which will hold the current cell. Gets or sets a value indicating whether the Add Record button will be shown. Gets or sets a value indicating whether the Edit button will be shown. Gets or sets a value indicating the type of the button that will be rendered. The type should be one of the specified by the enumeration. Gets or sets a unique name for this column. The unique name can be used to reference particular columns, or cells within grid rows. A string, representing the Unique name of the column. Gets or sets the text of the Cancel button in the edited items. Gets or sets the text value of the Edit button in the column cells. Gets or sets the text of the Update button in the edited items. Gets or sets the text of the Add New Record button in data items. Gets or sets the text of the Insert button in the insert items. Gets or sets the URL of the image for the Add Record button when is set to ImageButton. Gets or sets the URL of the image for the Insert button when is set to ImageButton. Gets or sets the URL of the image for the Update button when is set to ImageButton. Gets or sets the URL of the image for the Edit button when is set to ImageButton. Gets or sets the URL of the image for the Cancel button when is set to ImageButton. Gets or sets the title attribute that will be applied to the buttons. Represents a extended to display a HyperLink in each of its data cells. Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the windwow/frame that the hyperlink will target. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the windwow/frame that the hyperlink will target. Gets or sets a string, specifying the FormatString of the DataNavigateURL. Essentially, the DataNavigateUrlFormatString property sets the formatting for the url string of the target window or frame. A string, specifying the FormatString of the DataNavigateURL. Gets or sets a string, representing the DataField name from the data source, which will be used to supply the text for the hyperlink in the column. This text can further be customized, by using the DataTextFormatString property. A string, representing the DataField name from the data source, which will be used to supply the text for the hyperlink in the column. Gets or sets a string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. A string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. Gets or sets a string, specifying the url, to which to navigate, when a hyperlink within a column is pressed. This property will be honored only if the DataNavigateUrlFields are not set. If either DataNavigateUrlFields are set, they will override the NavigateUrl property. A a string, specifying the url, to which to navigate, when a hyperlink within a column is pressed. Sets or gets a string, specifying the window or frame at which to target content. The possible values are: _blank - the target URL will open in a new window
_self - the target URL will open in the same frame as it was clicked
_parent - the target URL will open in the parent frameset
_top - the target URL will open in the full body of the window
A string, specifying the window or frame at which to target content.
Gets or sets a string, specifying the text to be displayed by the hyperlinks in the column, when there is no DataTextField specified. A string, specifying the text to be displayed by the hyperlinks in the column, when there is no DataTextField specified. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Represents a extended to display a RadNumericTextBox control when in edit mode. Created the default column editor for the TreeListNumericColumn. A TreeListNumericColumnEditor object representing the default column editor. Gets or sets a value from the NumericType enumeration indicating the numeric type of the RadNumericTextBox rendered in edit mode. Gets or sets a boolean value indicating whether the RadNumericTextBox rendered in edit mode will automatically round values when they are longer than allowed. Gets or sets a boolean value indicating whether the RadNumericTextBox rendered in edit mode will keep its not rounded value and show it when it is focused. An integer value that specifies the number of digits that are displayed after the decimal separator in the RadNumericTextBox rendered in edit mode. Represents a which allows templating its content. Creates the default column editor for the column. A TreeListTemplateColumnEditor representing the default editor for this column. Populates the passed values into the provided TreeListEditableItem. An IDictionary collection of values. The TreeListEditableItem which should be populated with the provided values. Gets or sets an ITemplate implementation representing the footer template of the column. Gets or sets an ITemplate implementation representing the regular item template of the column. Gets or sets an ITemplate implementation representing the header template of the column. Gets or sets an ITemplate implementation representing the edit template of the column. Gets or sets an ITemplate implementation representing the insert template of the column. If not set, the EditItemTemplate is used for the insert form as well. Gets or sets a string that is used to format the footer cell of the column. Gets or sets the field name from the specified data source to bind to the TreeListBoundColumn. A string, specifying the data field from the data source, from which to bind the column. Convert the emty string to null when extracting values during data editing operations. Displays a Checkbox control for each item in the column. This allows you to select TreeList items automatically when you change the status of the checkbox to checked. If you choose AllowMultiItemSelection = true for the TreeList, a checkbox will be displayed in the column header to toggle the checked/selected stated of the items simultaneously (according to the state of that checkbox in the header).

To enable this feature you need to turn on the client selection of the grid (ClientSettings -> Selecting -> AllowItemSelection = true).
            <telerik:TreeListSelectColumn UniqueName="SelectColumn" HeaderStyle-Width="40px" />
                
Gets or sets the tooltip of each select checkbox An interface representing all command events in . Override to fire the corresponding command. Gets or sets a value, defining whether the command should be canceled. The arguments passed when fires a command event. Forces the execution of the command that triggered the event. The owner RadTreeList object The item in which the command was triggered. Gets the control which was responsible for firing the event. Gets or sets a value indicating whether the current command is cancelled. For internal usage only. For internal usage only. Provides event data for the event. Gets the column for which an editor is initialized. Gets the default column-supplied editor instance. The delegate that initializes a new column editor instance. Set this to a function that returns a column editor every time it is called. A base class representing the event args passed when fires the ItemCommand event with a DeselectAll command. Forces the execution of the DeselectAll command. The RadTreeList object. A base class representing the event args passed when fires the ItemCommand event with a Deselect command. Forces the execution of the Deselect command. The RadTreeList object. A base class representing the event args passed when fires the ItemCommand event with an ExpandCollapse command. Forces the control to execute the ExpandCollapse command. The RadTreeList object. The event arguments passed before exports. This property returns the generated export content just before it sent to the browser Gets or sets the format that will be used fir the export. The type of the export. Gets the ExportBytes string encoded with 1252 codepage. The export output. A base class representing the event args passed when fires the ItemCreated event. Gets a reference to the TreeListItem that has just been created. A base class representing the event args passed when fires the ItemDataBound event. Gets a reference to the TreeListItem that has just been databound. A base class representing the event args passed when fires the NeedDataSource event. Gets a value from the TreeListRebindReason enumeration indicating what action caused the control to fire the NeedDataSource event. The arguments passed when fires the PageIndexChanged event. Forces the execution of the Page command. The RadTreeList object. Gets an integer value indicating the new page index that will be set to the RadTreeList object. The arguments passed when fires the PageSizeChanged event. Forces the execution of the command that triggered the event. The owner RadTreeList object Gets an integer value representing the new page size set for the control. The event arguments passed before exports to PDF. Gets or sets the rendered HTML code before it is converted to binary (PDF) A base class representing the event args passed when fires the ItemCommand event with a SelectAll command. Forces the execution of the SelectAll command. The RadTreeList object. A base class representing the event args passed when fires the ItemCommand event with a Select command. Forces the execution of the Select command. The RadTreeList object. A base class representing the event args passed when fires the SortCommand event. Forces the execution of the sort command that riggered the event. Triggers the RadTreeList to handle the sorting operation. The owner RadTreeList object. The object that was used to trigger the command. A string representing the command argument. A string representing the current sort expression. Gets a value from the TreeListSortOrder enumeration representing the sort order of the column before the SortCommand event was fired. Gets a value from the TreeListSortOrder enumeration representing the sort order of the column after the SortCommand event was fired. RadTreeList Excel export exception RadTreeList Export exception Default constructor for the RadTreeList export exception TreeListExcelExportException constructor Exception message Generates the EI content by traversing the TreeList structure Applies the ExpandCollapseCellStyle to the TableCell element Copies the Excel styles from the first cell onto the second. Gets the styles from TableCell element and applies them on the Excel cell Parses the content of the TableCell element Object value Returns the TreeListColumn object that corresponds to a given TableCell TableCell object TreeListColumn object Returns the DataType of the column that corresponds to a given cell TableCell element Type value Default Font name. Used by ExcelConverter for unit calculations. RadTreeList Excel style. Used for appearance and styling. See Appearance and Styling topic for more information. Copies a given style Style object Returns true if none of the properties have been set RadTreeList Excel export settings Returns the paper dimensions in SizeF object PaperKind value to be converted to SizeF object PaperFormat.xml resource is based on the PaperKind enumeration. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Determines the Excel format used Used to set the page footer of the exported worksheet Used to set the page header of the exported worksheet Set the name of the worksheet Determines whether the gridlines will be enabled in the worksheet Determines the margin between the top of the page and the beginning of the page content Determines the margin between the bottom of the page and the beginning of the page content Determines the margin between the left side of the page and the beginning of the page content Determines the margin between the right side of the page and the beginning of the page content This will swap the values of the PageWidth and PageHeight properties. Excel paper size Excel export item style Excel export alternating item style Excel export header style Excel export footer item style Excel export expand/collapse cell style RadTreeList Excel export Expand/Collapse cell style Represents the text that replaces the expand image Represents the text that replaces the collapse image Determines whether the expand/collapse image will be resized to fit in the cell boundaries. Represents the path to the expand image Width of the expand image. Height of the expand image. Represents the path to the collapse image Width of the collapse image. Height of the collapse image. RadTreeList PDF export exception RadTreeList PDF exception constructor Exception message RadTreeList PDF expand/collapse cell style RadTreeList PDF style Copies from a given style Style object Returns true if none of the properties have been set Forced word wrap is not supported for PDF export. Automatic word wrap is available (always on) if there are whitespace characters in the content. Vertical align is not supported Determines the line height Represents the text that replaces the expand image Represents the text that replaces the collapse image Represents the path to the expand image Width of the expand image. Height of the expand image. Represents the path to the collapse image Width of the collapse image. Height of the collapse image. LineHeight is not used for ExpandCollapseCellStyle Determines the export format PDF format Excel BIFF format Determines the way RadTreeList will handle the controls when exporting The rendered contents will be exported directly. All controls except the images will be removed. All controls that cannot be replaced by simple text will be removed. The rest of them will be converted to plain text. All controls including images will be removed. RadTreeList Export settings Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. RadTreeList Excel export settings RadTreeList Word export settings RadTreeList PDF export settings Determines the way RadTreeList will treat the controls in the exported file. Default value is RemoveControls. If enabled, exports all items regardless of the current page size Determines the way the exported file will be sent to the browser. Sets or gets the name of the exported file Contains settings for TreeList resizing. Gets or sets a string that will be displayed as a tooltip when you start dragging a column header trying to reorder columns. string, the tooltip that will be displayed when you try to reorder columns. By default it states "Drop here to reorder". Gets or sets a string that will be displayed as a tooltip when you hover a column that can be dragged. string, the tooltip that will be displayed hover a draggable column. By default it states "Drag to reorder". string, the tooltip that will be displayed when you hover the resizing handle of a column. By default it states "Drag to resize". Gets or sets a string that will be displayed as a tooltip when you hover the resizing handle of a column. The format string used for the tooltip when resizing a column The title attribute that will be to the expand image. The title attribute that will be to the collapse image. Represents the settings used when keyboard navigation is enabled in . This property set whether active row should be set to first/last item when current item is last/first and down/up key is pressed (default is false) This property set whether the edit form will be submited when the ENTER key is pressed (default is false) This property sets the key that is used to focus RadTreeList. It is always used with CTRL key combination. This property sets the key that is used to open insert edit form of RadTreeList. It is always used with CTRL key combination. This property set the key that is used for expanding the active row's child items (default key is Right arrow) This property set the key that is used for collapsing the active row's child item (default key is Left arrow) Gets an integer value indicating the code of the key used to exit insert and edit mode. Gets an integer value indicating the code of the key used to perform insert or update. Gets an integer value indicating the code of the key used to delete the currently active row. An enumeration listing the focus keys for keyboard navigation. Builds default value for given property type. source item of the property property name Returns value representing default value of given value type. If property type is not value returns null. Builds default value for given property type. PropertyDescriptor of already extracted property Returns value representing default value of given value type. If property type is not value returns null. Adjust CSS classes, column span and visibility of column cells Represents the footer item in . Initializes the footer item. A collection containing the columns to which the footer cells should be added. Gets a value of type TreeListHierarchyIndex representing the nested level of the footer item. The arguments passed when fires the CellDataBound event. Returns a reference to the TableCell object that is bound when the event fires. Returns a reference to the to which the cell belongs. Represents the items bound to entries from the data source in . Represents the base call for all editable items in . Extracts values for each column, using This dictionary to fill, this parameter should not be null Extracts values for each column, using and updates values in provided object; The object that should be updated Returns a reference to the column editor for the column using its UniqueName. A string value representing the UniqueName of the column. The ITreeListColumnEditor object containing the editor control. Returns a reference to the column editor for the passed TreeListEditableColumn. The TreeListEditableColumn which editor should be returned. Te ITreeListColumnEditor object containing the editor control. Initializes the editor for a column at given position. A TableCell in which the editor should be added. An integer value representing the column index. The TreeListEditableColumn for which the editor is initialized. Gets or sets the original data source object that the current treelist item is bound to. Gets a value indicating whether the current item is in edit mode. Gets or sets a value indicating whether the current item should be edited. Gets the old values of the current edited item. Gets a value indicating whether the current item can extract data values. Inserts a new item as a child item of the current instance. Inserts a new item as a child item of the current instance. The insert item will be databound to the specified object. Returns the column editor for the passed column. A TreeListEditableColumn object. The TreeListColumnEditor corresponding to the passed column. Gets the key value of the item, corresponding to a predefined key name. The key should be listed in the DataKeyNames collection of the control. The name of the field. The object from the data item which corresponds to the given key. Gets the key value of the item's parent item, corresponding to a predefined key name. The key should be listed in the ParentDataKeyNames collection of the control. The name of the field. The object from the data item which corresponds to the given key. Returns the parent item (if resolved) for the item with the given parent hierarchy index the parent hierarchical index of the child item Gets the resolved child items of the item List of Returns a flat list of all existing child items (recursively) of the current item. Items are listed as a result of depth-dirst search. Gets or sets a value indicating whether the current item contains the specified keys. Used to identify a TreeListDataItem by its keys Gets a boolean value indicating whether the current item can be expanded. Gets a boolean value indicating whether the item is expanded. Gets a boolean value indicating whether the item is expanded in ExpandedCollapseMode = "Combined". Gets a boolean value indicating whether the item is expanded or collapsed through the TreeList expand collapse button Gets an object of type representing the nested level and level index of the item. Returns a boolean value indicating whether the item is in edit mode. Gets or sets a value indicating whether the current item should be edited. Gets or sets a value indicating whether a child item should be inserted into the current item. Gets the instance that is used to edit values from the current when the current item is in edit mode and is set to . Gets the instance that is used to insert a new data item as a child of the current . Gets an integer value indicating the index of the current item's corresponding record inside the treelist datasource. Gets an integer value indicating the index of the current item in the treelist, regardless of the items hierarchy. Gets or sets a boolean value indicating whether the item is selected. Gets a reference to the TreeListDetailTemplate item corresponding to the current item. Returns the parent item (if resolved) of the current item. This property is readonly. Returns a collection of the visible child items of the current item. This property is readonly. Represents the insert items in . Represents an insert item when is set to . Gets the parent instance for which this edit form item is created. Gets a value indicating whether the current item is inserted at the root level. An indexator used to get the TableCell corresponding to a column using its UniqueName. A string representing the column UniqueName. The TableCell corresponding to the column which unique name was passed. Gets a boolean value indicating whether the item is in edit mode. Gets or sets a boolean value indicating whether the item should be put in edit mode. Represents the edit form in . Gets the ID that is given to the UserControl edit form when the EditFormType property is set to WebUserControl. Extracts the edit values from the edit form item and populates them into a passed IDictionary object An IDictionary object that will be populated with the extracted values. Sets up the style of the cell containing the edit controls. Gets a boolean value indicating whether the current item is in edit mode. Gets or sets a value indicating whether the parent should be in edit mode. Gets the cell in which the edit form will be instantiated during databinding. Gets the parent instance for which this edit form item is created. Gets a value indicating whether values can automatically be extracted from the edit form item. Represents the edit form in . Gets a value indicating whether the current item is inserted at the root level. Gets or sets a value indicating whether the parent RadTreeList should be in insert mode. Represents the header item of the . Gets the location for the TreeListHeaderItem object in the Table control created by . An enumeration listing all possible types of items in . Represents the item shown in when its assigned datasource has no records. Initializes the TreeListNoRecordsItem. Gets a reference to the TableCell that holds the no records item content. Formats the text depending on PagerButtonType. Text for LinkButton is wrapped with span tag. Value from PagerButtonType enum. Text to be formatted. Returns string representing content of button. Ensures button Enabled property. If button command argumetn is same as current page, button will be disabled. Button instance to be validated. Command argument for the button. Returns same button with Enabled property set. Creates button control from one of the following type: LinkButton, PushButton, ImageButton or HyperLink if AllowSEOPaging is set to "true". Button Enabled state will be validated depending on current page index. PagerButtonType enumerator Text shown as content the button control Tooltip of the button Command that button triggers Command argument which will be passed along with CommandName CssClass that will be applied on the button Text of the hidden span Returns button control of type: LinkButton, PushButton, ImageButton or HyperLink if SEO paging. Create button control for one of the following types: LinkButton, PushButton, ImageButton Method for creating "Previous" button. Method for creating "Next" button. Method for creating "First" button. Method for creating "Last" button. Method for creating all numeric pager buttons. Represents the pager item in . Initializes the TreeListPagerItem. Creates copy of button used for the pager in RadTreeList control. must be on of the following: FirstPageCommandArgument, NextPageCommandArgument, PrevPageCommandArgument, LastPageCommandArgument GetButtonForArgument(RadTreeList.FirstPageCommandArgument) Returns a value of type TableRowSection indicating where the pager item row is placed in the Table control rendered by RadTreeList. Gets a reference to the TableCell that holds the pager item content. Gets a reference to the TreeListPagingManager object for the current RadTreeList object. Gets a boolean value indicating whether the pager item is placed on top or bottom of the rendered treelist control. Gets a reference to the numeric pager Control object. The mode of the pager defines what buttons will be displayed and how the pager will navigate through the pages. The treelist Pager will display only the Previous and Next link buttons. The treelist Pager will display only the page numbers as link buttons. The treelist Pager will display the Previous button, page numbers, the Next button, the PageSize dropdown and information about the items and pages count. The treelist Pager will display the Previous button, then the page numbers and then the Next button. On the next Pager row, the Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The treelist Pager will display text boxes for navigating to a specific page and setting the Page size (number of items per page). The grid Pager will display a slider for very fast and AJAX-based navigation through grid pages. This enumeration defines the possible positions of the pager item The Pager item will be displayed on the bottom of the treelist. (Default value) The Pager item will be displayed on the top of the treelist. The Pager item will be displayed both on the bottom and on the top of the treelist. RadTreeList use instance of this class to set style of thir PagerItem-s when rendering Copies the style settings from a passed Style object. Before it is used for type specific settings a cast to TreeListPagerStyle is attempted. A Style object containing the style settings which should be applied to the pager. Merges the current style settings with those of a passed Style object. Before it is used for type specific settings a cast to TreeListPagerStyle is attempted. A Style object containing the style settings which should be merged with those of the pager. Resets all style settings in the pager item. Gets a reference to the owner RadTreeList object. Returns true if none of the properties have been set. Gets a value indicating whether the default pager will be used, i.e. no customizations have been made. Gets a value indicating whether the pager is displayed on the bottom of the treelist. Returns true if the pager will be displayed on the bottom of the treelist. Otherwise false. Gets a value indicating whether the pager is displayed on the top of the treelist. Returns true if the pager will be displayed on the top of the treelist. Otherwise false. Gets or sets the mode of Telerik RadTreeList Pager. The mode defines what the pager will contain. This property accepts as values only members of the RadTreeListPagerMode Enumeration. Returns the pager mode as one of the values of the RadTreeListPagerMode Enumeration. ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'next' page button ToolTip that would appear if Mode is PrevNext for 'last' page button ToolTip that would appear if Mode is PrevNext for 'prev' page button The ToolTip that will be applied to the GoToPage control. The ToolTip that will be applied to the GoToPage input element. The ToolTip that will be applied to the ChangePageSize control. The ToolTip that will be applied to the ChangePageSize control. The summary attribute that will be applied to the table which holds the ChangePageSize control. The ToolTip that will be applied to the input element in the ChangePageSize control. Gets or sets the number of buttons that would be rendered if pager Mode is returns the number of button that will be displayed. The default value is 10 buttons. By default 10 buttons will be displayed. If the number of treelist pages is greater than 10, ellipsis will be displayed. Gets or sets the Position of pager item(s).Accepts only values, members of the RadTreeListPagerPosition Enumeration. Returns the Pager position as a value, member of the RadTreeListPagerPosition Enumeration. In order to display the TreeList pager regardless of the number of records returned and the page size, you should set this property to true. Its default value is false. Gets or set a value indicating whether the Pager will be visible regardless of the number of items. (See the remarks) true, if pager will be displayed, regardless of the number of TreeList items, othewise false. By fefault it is false. ToolTip that would appear if Mode is Slider for 'Increase' button. ToolTip that would appear if Mode is Slider for 'Decrease' button. ToolTip that would appear if Mode is Slider for 'Drag' button. Text that will appear if Mode is Slider for current page. Text that will appear before the dropdown for changing the page size. Text for the 'Change' button when Mode is Advanced. Text for the 'Go' button when Mode is Advanced. Text that will appear before current page number when Mode is Advanced. Text that will appear after the current page number and before count of all pages when Mode is Advanced. Gets or sets the type of the page size drop down control. Represents the template item rendered under each when a DetailTemplate is declared for Gets or sets the original data source object that the current treelist item is bound to. Gets a reference to the TreeListDataItem for which the detail item is rendered. Gets a reference to the TableCell which holds the template item content. The arguments passed when fires the CreateCustomColumn event. Gets a reference to the custom column that is being created. Returns a string indicating the type of the custom column. is a data visualization control used for hierarchical representation of self-referencing data. RadTreeList is a data visualization control used for hierarchical representation of self-referencing data. Creates a default object used by the data-bound control if no arguments are specified. A initialized to . There was a problem extracting DataKeyValues from the DataSource. Please ensure that DataKeyNames are specified correctly and all fields specified exist in the DataSource. container is null. -or- propName is null or an empty string (""). The object in container does not have the property specified by propName. Saves any control state changes that have occurred since the time the page was posted back to the server. Returns the 's current state. If there is no state associated with the control, this method returns null. Restores control-state information from a previous page request that was saved by the method. An that represents the control state to be restored. Handles the event. An object that contains the event data. Handles the event. An object that contains event data. Raises event Raises event You should not call DataBind in event handler. DataBind would take place automatically right after handler finishes execution. Forces RadTreeList to rebind to its assigned datasource. Perform asynchronous update operation, using the control API and the Rebind method. Please, make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. Perform asynchronous update operation, using the control API. Please make sure you have specified the correct DataKeyNames for the . When the asynchronous operation calls back, will fire event. The boolean property defines if will after the update. editedItem is null. Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. Insert item is available only when RadTreeList is in insert mode. Performs asynchronous insert operation, using the API, then Rebinds. When the asynchronous operation calls back, will fire event. insertItem is null. Perform asynchronous delete operation, using the API the Rebinds the grid. Please make sure you have specified the correct for the . When the asynchronous operation calls back, will fire event. Perform delete operation, using the API. Please make sure you have specified the correct for the . The passed object (like for example) will be filled with the names/values of the corresponding 's bound values and data-key values if included. dataItem is null. newValues is null. Raises the event. Raises the event. Raises the event. Raises the TreeList event Raises the TreeList event Raises the TreeList event Raises the event Returns the Maximum Nested Level. Finds and returns an item with given key and value. This method supports both key and parent key parameters. If there are more than one items with the same value, this routine will return the first one. DataKeyName or ParentDataKeyName parameter Value of the DataKeyName/ParentDataKeyName parameter Returns an item matching the supplied key/value parameters Inserts a new root level item. Inserts a new root level item. The insert form will be databound to the specified data item object. Inserts a new item as a child item of the specified instance. The instance for which a child item is to be inserted. Inserts a new item as a child item of the specified instance. The insert item will be databound to the specified object. The instance for which a child item is to be inserted. The object that will be passed as data context to the insert item. Recursively selects or deselects all child items of a RadTreeList item specified by its hierarchical index. Updates the selected state of all the parent items of the specified item to reflect the recursive selection. The RadTreeListDataItem instance The selected state of the item Recursively selects or deselects all child items of a RadTreeList item specified by its hierarchical index. Updates the selected state of all the parent items of the specified item to reflect the recursive selection. The hierarchical index of a RadTreeListDataItem The selected state of the item Select or deselect all child items in all levels Select or deselect parent items in all levels Sets the Selected property of a tree list item if the item exists. If not, only adds to or removes the item index from the SelectedIndexes collection Selects all RadTreeList items Deselects all RadTreeList items Gets a value indicating whether all items are selected in RadTreeList. When recursive selection is enabled, returns true if all items in all levels are selected. If recursive selection is disabled, returns true if items in the current visible page are selected. Otherwise returns false. Expands all items. Collapses all items. Exports RadTreeList content to PDF format Exports RadTreeList content to Excel format Exports RadTreeList content to Word format Expands all RadTreeList items to the specified level. The nested level to expand to Expands the specified TreeListDataItem to the specified level. The TreeListDataItem to expand The nested level to expand to Swaps columns appearance position using the unique names of the two columns. first column unique name second column unique name Swaps the position of the two columns. SwapColumns Method first column second column Swaps columns appearance position using order indexes of the two columns. SwapColumns Method first column order index second column order index Reorder columns appearance position using the unique names of the two columns. first column unique name second column unique name Reorders the position of the two columns. ReorderColumns Method first column second column Reorders columns appearance position using order indexes of the two columns. ReorderColumns Method first column order index second column order index Returns a based on its . Throws ArgumentException if the specified column is not found. Returns a based on its . Return null if the specified column is not found. Returns a collection of objects based on their . A s collection of objects based on their . The , which will be used as a criteria for the collection. Removes all selected items that belong to instance. Raises event Raises event Raises event Gets or sets a string value representing the name of the skin applied to the control Stores a custom PageSize value if such is set when page mode is NextPrevAndNumeric Returns a collection of all TreeListColumns which will be rendered in the control, including auto-generated ones Get an array of automatically generated columns. This array is available when is set to true. An array of automatically generated columns. Gets or sets the ItemTemplate, which is rendered with each tree list item. Determines whether the control is currently exporting a file Raised when the is about to be bound and the data source must be assigned. Raised when the TreeList item is about to be bound. Enables recursive delete. Occurs when a new item has been selected in the control or the currently selected item has changed. Occurs when a delete operation is requested, after the control deletes the item. Occurs when an insert operation is requested, after the control has inserted the item in the data source. Occurs when the Update command is fired from any Provides access to the Export Infrastructure before sending the file to the browser. Triggered when the export output is about to be sent to the file. Raised before the HTML code is parsed to PDF binary Occurs when a RadTreeList item is dragged and dropped on another item or an HTML element Occurs when column's order in the columns collection is changed Determines the position where the command item will be displayed in the control. Supported in Lightweight and Mobile modes only. Default value is None in Lightweight. In Mobile, the default value will be Top if either AllowColumnHide or AllowColumnReorder are enabled. Otherwise none. Gets or sets an array of data-field names that will be used to populate the collection, when the control is databinding. This collection can later be accessed on the client, to get the key value(s). Gets a collection of ClientDataKeyName objects that represent the parent data key value of the corresponding item specified with its item index and the client data key name (case-sensitive!). The key name should be one of the specified in the ClientDataKeyNames array. Gets or sets an array of data-field names that will be used to populate the collection, when the control is databinding. Gets a collection of DataKeyValue objects that represent the data key value of the corresponding item specified with its item index and the data key name (case-sensitive!). The data key name should be one of the specified in the DataKeyNames array. Gets or sets an array of data-field names that will be used to populate the collection, when the control is databinding. Gets a collection of ParentDataKeyValue objects that represent the parent data key value of the corresponding item specified with its item index and the parent data key name (case-sensitive!). The key name should be one of the specified in the ParentDataKeyNames array. Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik control. Provides access to the configuration of the command item. Available in Lightweight render mode only. Returns a reference to the object that contains export-specific settings. Gets or sets a value indicating the index of the currently active page in case paging is enabled ( is true). The index of the currently active page in case paging is enabled. AllowPaging Property value is out of range. Specify the maximum number of items that would appear in a page, when paging is enabled by property. Default value is 10. value is out of range. Gets or sets a value indicating the width of the RadTreeList's ExpandCollapse column. Enables TreeListItem's child items to be loaded on demand. Enables TreeListItem's child items to be loaded on demand. Gets or sets a value indicating whether the automatic paging feature is enabled. Gets the number of pages required to display the records of the data source in a control. Gets a collection containing the indexes of all rendered items which will be expanded on the client. Gets a collection containing the indexes of all rendered items which are currently expanded. Gets a collection containing the indexes of all the selected items in the RadTreeList. Gets a collection of the currently selected RadTreeListDataItem Returns a of all selected data items. Gets a collection containing the indexes of all items which are currently in edit mode. Gets a collection of currently edited instances. Gets a collection containing the indexes of all items which are currently being inserted. Gets a collection of currently inserted instances. Gets or sets a value indicating whether a root item is inserted in . Setting this property to true will show the root insert item if not already shown. Gets or sets a value indicating whether you will be able to select multiple items in Telerik RadTreeList. By default this property is set to false. Gets or sets a value indicating whether multiple items can be simultaneously edited in . Default value is false. Gets a collection of sort expressions for Gets a reference to the object that allows you to set the properties of the sorting operation in a Telerik RadTreeList control. Gets or sets the value indicating wheather more than one column can be sorted in a single RadTreeList. The order is the same as the sequence of expressions in . Gets or sets the value indicated whether the no-sort state when changing sort order will be allowed. true, if the no-sort state when changing sort order will be allowed; otherwise, false. The default value is true. Allow RadTreeList equal items not to be reordered when sorting. Enables sorting result consistancy between 3.5, 4.0, 4.5 Framework Gets or sets a value indicating whether the sorting feature is enabled. Gets or sets a value indicating whether child items will be selected recursively when a RadTreeList item is selected. Setting this property to true automatically enables MultiItemSelection in RadTreeList. Default value is false. Gets or sets the editing mode for RadTreeList. Gets or sets the expand / collapse mode for the RadTreeList items. Contains various data editing related properties. Contains validation settings for . Enable/Disable auto genrated columns Enable/Disable persisting of the columns settings for the automatically generated columns during rebind(paging, sorting, expand/collapse). When set to TRUE, the settings like Colums width and HeaderStyle for each column will be persisted. When set to FALSE, the settings applied prior the DataBind, will be loosed. If the TreeList is bound to different set of data that contains different columns, the property should be set to FALSE(the default value). Set the property to TRUE, when you need to persist the column width during operations like Paging and Sorting. The AutoGeneratedColumnCreated event will be fired in both cases, so you can override the settings if needed. Gets a TreeListColumnCollection of all columns in RadTreeList. Gets a collection of all TreeListDataItem objects in the RadTreeList. These are only the items currently visible in the control. Gets a reference to the TreeListPagerStyle object that allows you to set the appearance of the pager item in a Telerik RadTreeList control. Gets a reference to the TreeListCommandItemStyle object that allows you to set the appearance of the command item in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of the header item in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of a normal item in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of the alternating items in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of the footer item in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of the selected item in a Telerik RadTreeList control. Gets a reference to the object that allows you to set the appearance of the edit item in a Telerik RadTreeList control. Gets or sets a string that specifies a brief description of a RadTreeList. Related to Telerik RadTreeList accessibility compliance. Gets or sets the 'summary' attribute for the RadTreeList. This attribute provides a summary of the table's purpose and structure for user agents rendering to non-visual media such as speech and Braille. This property is a part of Telerik RadTreeList accessibility features. Caption Property Gets or sets a value indicating where RadTreeList will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadTreeListResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. Gets or sets a value of type CultureInfo representing the current culture of the control. Gets or sets the text direction. This property is related to Telerik RadTreeList support for Right-To-Left lanugages. It has two possible vales defined by enumeration: LTR - left-to-right text RTL - right-to-left text Gets or sets value indicating whether the control will show outer borders. The default value is true. Gets or sets value indicating whether the control will show outer tree lines. The default value is true. Gets or sets value indicating whether borders will be displayed when the RadTreeList is rendered. Gets or set a value indicating whether the footer item of the TreeList will be shown. Setting this property will affect all TreeList tables, unless they specify otherwise explicitly. The default value of this property is false. Gets or sets the custom content for the pager item in a RadTreeList control. Template that will be displayed if there are no records in the DataSource assigned Gets or sets a value indicating whether RadTreeList will show NoRecordsTemplate if there is no items to display. true if NoRecordsTemplate usage is enabled; otherwise, false. The default value is true. Gets or sets the text that will be displayed in there is no NoRecordsTemplate defined and no records in the RadTreeList. When set to true enables support for WAI-ARIA Raised when a button in a control is clicked. Fires when a paging action has been performed. Fires when has been changed. Raised when a auto generated column is created. Raised when a custom column is recreated on postback. Supported positions of the command item The command item will not be displayed Command item will be displayed on the above of the control Command item will be displayed on the below of the control Command item will be displayed both above and below An enumeration representing the three expand / collapse modes for RadTreeList's items: Server, Client and Combined. RadTreeList will expand items only on the server. RadTreeList will expand and collapse items only on the client. RadTreeList will initially expand items on the server but subsequent expand collapse will happen on the client. An enumeration representing the three edit modes in RadTreeList: InPlace, EditForms and PopUp. RadTreeList will display the column editors inline. RadTreeList will display the grid column editors in auto-generated edit form below the edited item. RadTreeList will display a floating, movable popup window for editing. The arguments passed when fires the AutoGeneratedColumnCreated event. Gets the which has been created when the event fired. Represents the client events of . Allows setting the names of client-side functions which will be called when the given events are raised on the client. Gets or sets the name of a client-side function that will be fired when the RadTreeList client component is initializing Gets or sets the name of a client-side function that will be fired when the RadTreeList client component is fully initialized Gets or sets the name of a client-side function that will be fired when the RadTreeList client component is about to be disposed. Gets or sets the name of a client-side function that will be fired when each of the RadTreeListDataItem client components is created. Gets or sets the name of a client-side function that will be fired when a RadTreeListDataItem is about to be selected on the client. This event can be canceled. Gets or sets the name of a client-side function that will be fired when a RadTreeListDataItem is selected on the client. Gets or sets the name of a client-side function that will be fired when a RadTreeListDataItem is about to be deselected on the client. This event can be canceled. Gets or sets the name of a client-side function that will be fired when a RadTreeListDataItem is deselected on the client. Gets or sets the name of a client-side function that will be fired when a data row is clicked in RadTreeList. Gets or sets the name of a client-side function that will be fired when a RadTreeList is scrolled. Gets or sets the name of a client-side function that will be fired when a data row is double-clicked in RadTreeList. This client-side event is fired when a item is about to be dragged. This client-side event is fired when a item is dragged. [DefaultValue("")] This client-side event is fired when a item is about to be dropped after dragging. This event can be canceled. This client-side event is fired when a item is dropped after dragging. This event cannot be canceled. This client-side event is fired when a item is right clicked to show its context menu. This client-side event is fired (only when keyboard navigation is enabled) when any key is pressed inside the and the control is about to process this key. This client-side event is fired before a column is resized. This client-side event is fired after a column is resized. This client-side event is fired before a column is shown. This client-side event is fired after a column is shown. This client-side event is fired before a column is hidden. This client-side event is fired after a column is hidden. This client-side event is fired before a column is swapped. This client-side event is fired after a column is swapped. This client-side event is fired before a column is reordered. This client-side event is fired after a column is reordered. Represents a collection of DateKey objects. Gets the enumerator that iterates the collection. The enumerator object used to iterate the collection. Copies the DataKey collection to a given array. A reference to DataKey[] object where the entries need to be copied to. An integer indicating from which index on the entries should be added to the new collection. Gets an integer value representing the count of entries in the collection. Contains event data in an event. Gets the collection of dragged items Gets the destination instance. Can be null. Gets the destination instance. Can be null. Gets the client-side ID attribute of the HTML element that is the drop target. Gets the collection of parent data key values that will be assigned to the dragged items when automatic item reordering is enabled. To change the parent-child relations between the dragged items and the destination item, each item in the DraggedItems collection will have its parent data key values updated with values in this collection. Gets or sets a value indicating whether the event should be canceled. Canceling an event will prevent automatic item reordering when binding to data source controls through DataSourceID. Gets or sets a value indicating whether the target should be expanded after an automatic reorder operation. Meaningful when automatic reordering is enabled in . A class representing the settings of the . Set properties of the update-cancel buttons column that appears in an edit form Number of vertical columns to split all edit fields on the form when it is autogenerated. Each TreeListEditableColumn has a to choose the column where the editor would appear. Gets or sets the DataField from 's data source that will be used with the Gets or sets the format of the caption text that will be shown on top of edit form items in . If this property is empty, no caption will be shown. Gets or sets the caption text that will be shown on top of insert forms in . If this property is empty, no caption will be shown. Specifies the type of the edit form. Specifies the path to the that will be instantiated as the edit form in , if RadTreeList.EditFormType is set to TreeListEditFormType.WebUserControl. The path should be in the same format as provided to the Page.LoadControl method. The summary attribute for the table that wraps the whole . The caption for the table that wraps the whole . The summary attribute for the table which holds all cells created from the grid column editors . The caption for the table which holds all cells created from the grid column editors . Specifies the template that will be instantiated as the edit form in , if RadTreeList.EditFormType is set to TreeListEditFormType.Template. Style of the edit form container in . Style of the edit form's main table. Style of the edit form's table element in Style of the edit form table row that shows the caption. Style of the edit form table rows. Style of the alternating rows in the edit form table. Style of the edit form table's footer row, where the Update/Insert/Cancel buttons appear. Gets a reference to class providing properties related to PopUp EditForm. Enumerates the supported edit form types in . Form is auto-generated based on the editable columns. The edit form is a WebUserControl specified by The edit form is instantiated from a template specified by . Represents the settings of the PopUp edit form in RadTreeList. Gets or sets the visibility and position of scroll bars in the PopUp edit form of RadTreeList. Gets or sets a boolean value indicating whether the PopUp edit form will be modal. Gets or sets an integer value indicating the z-index assigned to the PopUp edit form. Gets or sets a value specifying the grid height in pixels (px). the default value is 300px Gets or sets a value specifying the grid height in pixels (px). the default value is 400px Gets or sets the tooltip that will be displayed when you hover the close button of the popup edit form. Gets or sets a value indicating whether the caption text is shown in the edit form. An enumeration listing the options for showing grid lines in . Represents the position of an item in the RadTreeList hierarchy. Checks whether two objects of type TreeListHierarchyIndex are equal. A TreeListHierarchyIndex object to check for equality. A boolean value indicating whether the two indexes are equal. Checks whether a passed object is equal to the current one. An object to compare the current one to. A boolean value indicating whether the two objects are equal. Serves as a hash function for the TreeListHierarchyIndex type. An integer value representing the hash for the current object. Gets an integer value indicating on which level of the treelist hierarchy is the current item. Gets an integer value indicating the position of the item in the nested level. Represents a helper type exposing information about paging in . Gets an integer value which indicates the total number of items in the resolved datasource of the control. Gets an integer value which indicates the number of items in the current page. Gets an integer value which indicates the current page index of the RadTreeList control. Gets an integer value which indicates the page size of the RadTreeList control. Gets a boolean value which indicates whether paging is allowed in the RadTreeList control. Gets an integer value indicating the index of the current page's first item in the resolved datasource. Gets a boolean value indicating whether the RadTreeList control is currently displaying its first page of items. Gets a boolean value indicating whether the RadTreeList control is currently displaying its last page. Gets an integer value indicating the index of the current page's last item in the resolved datasource. Gets an integer value indicating the number of pages in the current RadTreeList instance. Gets a boolean value indicating whether paging is enabled in the current RadTreeList instance. PDF export settings Returns the paper dimensions by given PaperKind value PaperKind value PaperFormat.xml resource is based on the PaperKind enumeration. Returns Unit object representing the page width PdfPagerSize value Page width. Returns Unit object representing the page height PdfPagerSize value Page height. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. PDF export item style PDF export alternating item style PDF export header style PDF export expand/collapse cell style This will swap the values of the PageWidth and PageHeight properties. PDF paper size. Can be overriden by setting PageWidth and PageHeight explicitly. Determines the default font Top page margin size Bottom page margin size Left page margin size Right page margin size Page header margin size Page footer margin size Page title contents will be displayed in the page header Setting a value for this property will enable password protection Determines whether to embed, link or subset the fonts, used in the PDF document Determines the page width of the exported PDF file. Will override the PaperSize property, if used Determines the page height of the exported PDF file. Will override the PaperSize property, if used Allow adding new content to the PDF file Allow copying PDF content to the clipboard Allow printing the contents of the PDF document Allow modifying the PDF contents Document creator Document producer Document author Document title Document subject PDF document keywords An enumeration listing the possible reasons for rebinding . Used in the event arguments of the NeedDataSource event. Contains settings for TreeList resizing. Gets or sets a value indicating whether column reodering is allowed. ReorderColumnsOnClient Property true if reorder via drag&drop is enabled, otherwise false (the default value). Gets or sets a value indicating whether columns will be reordered on the client. This property is meaningful when used in conjunction with set to true. False by default, which means that each time you try to reorder columns a postback will be performed. Note that in case this property is true the order changes will be persisted on the server only after postback. true if columns are reordered on the client, otherwise false (the default value). Gets or sets a value indicating the method that will be used when reordering columns: Swap or Reorder The default is Swap. An enumeration listing the possible methods for reordering columns. Contains settings for TreeList resizing. This property is set to allow column resizing in TreeList This property is set to enable realtime resizing. This property sets the different resize modes of RadTreeList. Set one of the values of the enumeration TreeListResizeMode The default is NoScroll. An enumeration representing the possible resize modes in . Contains properties related to customizing the settings for scrolling operation in Telerik RadTreeList. Gets or sets a value indicating whether scrolling will be enabled in Telerik RadTreeList. true, if scrolling is enabled, otherwise false (the default value). Gets or sets a value specifying the RadTreeList height in pixels (px) beyond which the scrolling will be enabled. the default value is 300px Gets or sets a value indicating whether Telerik RadTreeList will keep the scroll position during postbacks. This property is meaningful only when used in conjunction with set to true. true (the default value), if Telerik RadTreeList keeps the scroll position on postback, otherwise false . Gets or sets a value indicating whether RadTreeList column headers will scroll as the rest of the RadTreeList items or will remain static (MS Excel ® style). true if headers remain static on scroll, otherwise false (the default value). This property is meaningful only when used in conjunction with set to true. Gets or sets a string value representing the vertical position of the scroll bar. Gets or sets a string value representing the horizontal position of the scroll bar. Provides properties related to setting the client-side selection in Telerik RadTreeList. You can get a reference to this class using property. Gets or sets a value indicating whether you will be able to select a treelist row on the client by clicking on it with the mouse. true, if you will be able to select a row on the client, otherwise false (the default value). Gets or sets a boolean value indicating whether selection will be performed only using the . Gets or sets a value indicating whether clicking an item in RadTreeList will toggle the item's selected state. true, if you will be able to select a row on the client, otherwise false (the default value). Enumeration representing the order of sorting data in RadTreeList do not sort the treeList data sorts treeList data in ascending order sorts treeList data in descending order Class that is used to define sort field and sort order for RadTreeList Sets the sort order. The SortOrder paremeter should be either "Ascending", "Descending" or "None". ArgumentException. This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Returns a enumeration based on the string input. Takes either "ASC" or "DESC" Parses a string representation of the sort order and returns RadTreeListSortExpression. Gets or sets the name of the field to which sorting is applied. Sets or gets the current sorting order. A collection of objects. Depending on the value of it holds single or multiple sort expressions. Returns an enumerator that iterates through the RadTreeListSortExpressionCollection. Adds a to the collection. Clears the RadTreeListSortExpressionCollection of all items. Find a SortExpression in the collection if it contains any with sort field = expression sort field If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed String containing sort field and optionaly sort order (ASC or DESC) Adds a to the collection at the specified index. As a convenience feature, adding at an index greater than zero will set the to true. Removes the specified from the collection. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a parameter. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a string parameter. Adds the sort field (expression parameter) if the collection does not alreqady contain the field. Else the sort order of the field will be inverted. The default change order is Asc -> Desc -> No Sort. The No-Sort state can be controlled using property Get a comma separated list of sort fields and sort-order, in the same format used by DataView.Sort string expression. Returns null (Nothing) if there are no sort expressions in the collection Comma separated list of sort fields and optionaly sort-order, null if there are no sort expressions in the collection Searches for the specified and returns the zero-based index of the first occurrence within the entire . If false, the collection can contain only one sort expression at a time. Trying to add a new one in this case will delete the existing expression or will change the sort order if its FiledName is the same. This is the default indexer of the collection - takes an integer value. Allow the no-sort state when changing sort order. Returns the number of items in the RadTreeListSortExpressionCollection. Gets a value indicating whether access to the RadTreeListSortExpressionCollection is synchronized (thread safe).
Gets an object that can be used to synchronize access to the RadTreeListSortExpressionCollection.
Enumeration holding the possible values for the Dir property, namely LTR (left-to-right) and RTL (right-to-left). Used to distingish when the TreeListTable should be rendered as a separate top-most table if static headers and scrolling are enabled. Represents the table cells in . Represents the cells in the header. Represents the settings for client features in . Gets a reference to class providing properties related to client-side selection features. Gets a reference to class. Gets or sets the property determining if the columns could be hidden. The allow column hide value. Gets or sets a value indicating whether should postback on row click. Gets a reference to , which holds various properties for setting the Telerik RadTreeList scrolling features. Gets or sets a value indicating whether the items can be dragged and dropped Gets or sets a value indicating whether the keyboard navigation will be enabled in Telerik RadTreeList. true, if keyboard navigation is enabled, otherwise false (the default value).
  • Arrowkey Navigation - allows end-users to navigate around the menu structure using the arrow keys.
  • select TreeList items pressing the [SPACE] key
  • edit rows hitting the [ENTER] key
Gets a reference to class, holding properties related to TreeList keyboard navigation. Gets a reference to class providing properties related to client-side resizing features. Gets a reference to class providing properties related to client-side reordering features. Gets a reference to class, holding properties that can be used for localizing Telerik RadTreeList. Gets or sets the index of the active when keyboard navigation is enabled InvalidOperationException. Returns last created LevelIndex for given NestedLevel Generates unqiue LevelIndex for current NestedLevel. Represents the settings for sorting . Gets or sets the tooltip that will be displayed when you hover the sorting button and there is no sorting applied. Gets or sets the tooltip that will be displayed when you hover the sorting button and the column is sorted ascending. Gets or sets the tooltip that will be displayed when you hover the sorting button and the column is sorted descending. Contains validation settings for Gets or sets a value indicating whether validation is enabled for . Gets or sets the ValidationGroup of the buttons in . Gets or sets the set of command names that will be validated. By default, the "PerformInsert" and "Update" commands are validated. Defines properties that node containers (RadTreeView, RadTreeNode) should implement. Gets the parent IRadTreeNodeContainer. Gets the collection of child items. A RadTreeNodeCollection that represents the child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. Telerik RadTreeView for ASP.NET AJAX is the supercharged treeview component for ASP.NET, combining highly-efficient rendering and AJAX Load on Demand support for superior performance. Added to this are SEO compliance, full drag-and-drop capabilities, and nearly codeless development experience. This Class describes the client Properties and Events in control. A hierarchical control used to display a tree of nodes in a web page. The RadTreeView control is used to display a list of nodes in a Web Forms page. The RadTreeView control supports the following features: Danodeinding that allows the control to be populated from various datasources. Programmatic access to the RadTreeView object model which allows dynamic creation of treeviews, populating with nodes and customizing the behavior by various properties. Customizable appearance through built-in or user-defined skins.

nodes

The RadTreeView control is made up of tree of nodes represented by objects. Nodes at the top level (level 0) are called root nodes. An node that has a parent node is called a child node. All root nodes are stored in the property of the RadTreeView control. Child nodes are stored in the property of their parent . Each node has a and a property. The value of the property is displayed in the RadTreeView control, while the property is used to store any additional data about the node, such as data passed to the postback event associated with the node. When clicked, a node can navigate to another Web page indicated by the property.
Initializes a new instance of the RadTreeView class. Use this constructor to create and initialize a new instance of the RadTreeView control. The following example demonstrates how to programmatically create a RadTreeView control. void Page_Load(object sender, EventArgs e) { RadTreeView RadTreeView1 = new RadTreeView(); RadTreeView1.ID = "RadTreeView1"; if (!Page.IsPostBack) { //RadTreeView persist its nodes in ViewState (if EnableViewState is true). //Hence nodes should be created only on initial load. RadTreeNode sportNode = new RadTreeNode("Sport"); RadTreeView1.Nodes.Add(sportNode); RadTreeNode newsNode = new RadTreeNode("News"); RadTreeView1.Nodes.Add(newsNode); } PlaceHolder1.Controls.Add(RadTreeView1); } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load Dim RadTreeView1 As RadTreeView = New RadTreeView() RadTreeView1.ID = "RadTreeView1" If Not Page.IsPostBack Then 'RadTreeView persist its nodes in ViewState (if EnableViewState is true). 'Hence nodes should be created only on initial load. Dim sportNode As RadTreeNode = New RadTreeNode("Sport") RadTreeView1.Nodes.Add(sportNode) Dim newsNode As RadTreeNode = New RadTreeNode("News") RadTreeView1.Nodes.Add(newsNode) End If PlaceHolder1.Controls.Add(RadTreeView1) End Sub Gets or sets the template displayed when child nodes are being loaded. The following example demonstrates how to use the LoadingStatusTemplate to display an image. <telerik:RadTreeView runat="server" ID="RadTreeView1"> <LoadingStatusTemplate> <asp:Image runat="server" ID="Image1" ImageUrl="~/Img/loading.gif" /> </LoadingStatusTemplate> </telerik:RadTreeView> Gets a linear list of all nodes in the RadTreeView control. An IList<RadTreeNode> containing all nodes (from all hierarchy levels). Searches all nodes for a RadTreeNode with a Text property equal to the specified text. The text to search for A RadTreeNode whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. Searches all nodes for a RadTreeNode with a Text property equal to the specified text. The text to search for A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). A RadTreeNode whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. Searches all nodes for a RadTreeNode with a Value property equal to the specified value. The value to search for A RadTreeNode whose Value property equals to the specified argument. Null (Nothing) is returned when no matching node is found. Searches all nodes for a RadTreeNode with a Value property equal to the specified value. The value to search for A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). A RadTreeNode whose Value property equals to the specified argument. Null (Nothing) is returned when no matching node is found. Searches all nodes for a RadTreeNode with a NavigateUrl property equal to the specified URL. The URL to search for A RadTreeNode whose NavigateUrl property equals to the specified argument. Null (Nothing) is returned when no matching node is found. The ResolveUrl method is used to resolve NavigateUrl property before comparing it to the specified URL. Returns the first RadTreeNode that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindNode method. void Page_Load(object sender, EventArgs e) { RadTreeView1.FindNode(NodeWithEqualsTextAndValue); } private static bool NodeWithEqualsTextAndValue(RadTreeNode node) { if (node.Text == node.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadTreeView1.FindNode(NodeWithEqualsTextAndValue) End Sub Private Shared Function NodeWithEqualsTextAndValue(ByVal node As RadTreeNode) As Boolean If node.Text = node.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Loads the control from an XML string. Identical to LoadXml. The XML string to populate from. Populates the control from the specified XML file. The name of the XML file. Searches all nodes for a RadTreeNode which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadTreeNode that matches the specified arguments. Null (Nothing) is returned if no node is found. This method unselects all nodes of the current RadTreeView instance. Useful when you need to clear node selection after postback. This method unchecks all nodes of the current RadTreeView instance. Useful when you need to uncheck all nodes after postback. Checks all nodes of the current RadTreeView object. Expands all nodes in the tree. Collapses all nodes in the tree. Gets a list of all client-side changes (adding a node, removing a node, changing a node's property) which have occurred. A list of objects which represent all client-side changes the user has performed. By default the ClientChanges property returns empty list. Client-changes are recorded if and only if the client-side methods trackChanges()/commitChanges() have been invoked. You can use the ClientChanges property to respond to client-side modifications such as adding a new item removing existing item clearing the children of an item or the control itself changing a property of the item The ClientChanges property is available in the first postback (ajax) request after the client-side modifications have taken place. After this moment the property will return empty list. The following example demonstrates how to use the ClientChanges property foreach (ClientOperation<RadTreeNode> operation in RadTreeView1.ClientChanges) { RadTreeNode node = operation.Item; switch (operation.Type) { case ClientOperationType.Insert: //A node has been inserted - operation.Item contains the inserted node break; case ClientOperationType.Remove: //A node has been inserted - operation.Item contains the removed node. //Keep in mind the node has been removed from the treeview. break; case ClientOperationType.Update: UpdateClientOperation<RadTreeNode> update = operation as UpdateClientOperation<RadTreeNode> //The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. break; case ClientOperationType.Clear: //All children of have been removed - operation.Item contains the parent node whose children have been removed. If operation.Item is null then the root nodes have been removed. break; } } For Each operation As ClientOperation(Of RadTreeNode) In RadTreeView1.ClientChanges Dim node As RadTreeNode = operation.Item Select Case operation.Type Case ClientOperationType.Insert 'A node has been inserted - operation.Item contains the inserted node Exit Select Case ClientOperationType.Remove 'A node has been inserted - operation.Item contains the removed node. 'Keep in mind the node has been removed from the treeview. Exit Select Case ClientOperationType.Update Dim update As UpdateClientOperation(Of RadTreeNode) = TryCast(operation, UpdateClientOperation(Of RadTreeNode)) 'The "UpdateOperation" provides an additional property "PropertyName". This is the property whose value was changed from the client side. Exit Select Case ClientOperationType.Clear 'All children of have been removed - operation.Item contains the parent node whose children have been removed. If operation.Item is Nothing then the root nodes have been removed. Exist Select End Select Next Gets a collection of RadTreeNode objects that represent the nodes in the control that display a selected check box. An IList<RadTreeNode> containing the checked nodes. When check boxes are displayed in the RadTreeView control (by setting the CheckBoxes property to true), use the CheckedNodes property to determine which nodes display a selected check box. This collection is commonly used to iterate through all the nodes that have a selected check box in the tree. The CheckedNodes collection is populated using a depth-first traversal of the tree structure: each parent node is processed down to its child nodes before the next parent node is populated. Protected Sub ShowCheckedNodes(ByVal sender As Object, ByVal e As System.EventArgs) Dim message As String = String.Empty Dim node As RadTreeNode For Each node In RadTree1.CheckedNodes message += node.FullPath Next node nodes.Text = message End Sub protected void ShowCheckedNodes(object sender, System.EventArgs e) { string message = string.Empty; foreach (RadTreeNode node in RadTree1.CheckedNodes) { message += node.FullPath + "<br/>"; } nodes.Text = message; } Gets the Value of the selected node. The Value of the selected node. If there is no selected node returns empty string. Gets a collection of RadTreeNode objects that represent the nodes in the control that are currently selected. An IList<RadTreeNode> containing the selected nodes. This collection is commonly used to iterate through all the nodes that have been selected in the tree. The SelectedNodes collection is populated using a depth-first traversal of the tree structure: each parent node is processed down to its child nodes before the next parent node is populated. Gets a RadTreeNode object that represents the selected node in the RadTreeView control. When a node is in selection mode, the user can select a node by clicking on the text in the node. Use the SelectedNode property to determine which node is selected in the TreeView control. A node cannot be selected when the TreeView control displays hyperlinks. When hyperlinks are displayed, the SelectedNode property always returns a null reference (Nothing in Visual Basic). When the user selects a different node in the RadTreeView control by clicking the text in the new node, the NodeClick event is raised, by default. If you set the MultipleSelect property of the treeview to true, end-users can select multiple nodes by holding the Ctrl / Shift keys while selecting. <radT:RadTreeView ID="RadTree1" runat="server" OnNodeClick="NodeClick" /> Protected Sub NodeClick(ByVal sender As Object, ByVal NodeEventArgs As RadTreeNodeEventArgs) info.Text = String.Empty Dim NodeClicked As RadTreeNode = NodeEventArgs.NodeClicked info.Text = NodeClicked.Text End Sub <radT:RadTreeView ID="RadTree1" runat="server" OnNodeClick="NodeClick" /> protected void NodeClick(object sender, RadTreeNodeEventArgs NodeEventArgs) { info.Text = string.Empty; RadTreeNode NodeClicked = NodeEventArgs.NodeClicked; info.Text = NodeClicked.Text; } Gets a value indicating whether the RadTreeView control has no nodes. Gets or sets the template for displaying all node in the current RadTreeView. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. Gets or sets the HTML template of a when added on the client. Gets or sets the loading status template. The loading status template. Gets or sets the loading message that is displayed when child nodes are retrieved on AJAX calls. This property can be used for localization purposes (e.g. "Loading..." in different languages). Protected Sub LoadingMessagePositionChanged(ByVal sender As Object, ByVal e As System.EventArgs) Select Case LoadingMessagePos.SelectedItem.Value Case "Before" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BeforeNodeText RadTree1.LoadingMessage = "(loading ..)" Case "After" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.AfterNodeText RadTree1.LoadingMessage = "(loading ...)" Case "Below" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BelowNodeText RadTree1.LoadingMessage = "(loading ...)" Case "None" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.None End Select End Sub protected void LoadingMessagePositionChanged(object sender, System.EventArgs e) { switch (LoadingMessagePos.SelectedItem.Value) { case "Before" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BeforeNodeText; RadTree1.LoadingMessage = "(loading ..)"; break; case "After" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.AfterNodeText; RadTree1.LoadingMessage = "(loading ...)"; break; case "Below" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BelowNodeText; RadTree1.LoadingMessage = "(loading ...)"; break; case "None" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.None; break; } } Gets a object that contains the root nodes of the current RadTreeView control. A that contains the root nodes of the current RadTreeView control. By default the collection is empty (RadTreeView has no children). Use the nodes property to access the root nodes of the RadTreeView control. You can also use the nodes property to manage the root nodes - you can add, remove or modify nodes. The following example demonstrates how to programmatically modify the properties of a root node. RadTreeView1.Nodes[0].Text = "Example"; RadTreeView1.Nodes[0].NavigateUrl = "http://www.example.com"; RadTreeView1.Nodes(0).Text = "Example" RadTreeView1.Nodes(0).NavigateUrl = "http://www.example.com" Gets or sets the position of the loading message when child nodes are retrieved on AJAX calls. Protected Sub LoadingMessagePositionChanged(ByVal sender As Object, ByVal e As System.EventArgs) Select Case LoadingMessagePos.SelectedItem.Value Case "Before" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BeforeNodeText RadTree1.LoadingMessage = "(loading ..)" Case "After" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.AfterNodeText RadTree1.LoadingMessage = "(loading ...)" Case "Below" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BelowNodeText RadTree1.LoadingMessage = "(loading ...)" Case "None" RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.None End Select End Sub protected void LoadingMessagePositionChanged(object sender, System.EventArgs e) { switch (LoadingMessagePos.SelectedItem.Value) { case "Before" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BeforeNodeText; RadTree1.LoadingMessage = "(loading ...)"; break; case "After" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.AfterNodeText; RadTree1.LoadingMessage = "(loading ...)"; break; case "Below" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.BelowNodeText; RadTree1.LoadingMessage = "(loading ...)"; break; case "None" : RadTree1.LoadingStatusPosition = TreeViewLoadingStatusPosition.None; break; } } Gets a value indicating whether the text of the tree nodes are edinodele in the browser. End-users can edit the text of tree-nodes by pressing F2 when the node is selected or by clicking on a node that is already selected (slow double click). You can disable / enable node editing for specific tree nodes by setting the AllowEdit property of the specific RadTreeNode.
After node editing, RadTreeView fires the NodeEdit event and you can change the text of the node - the RadTreeNode instance is contained in the NodeEdited property of the event arguments and the new text is in the NewText property of the event arguments.
<radT:RadTreeView ID="RadTree1" Runat="server" AllowNodeEditing="True" OnNodeEdit="HandleNodeEdit" /> Protected Sub HandleNodeEdit(ByVal sender As Object, ByVal NodeEvents As RadTreeNodeEventArgs) Dim nodeEdited As RadTreeNode = NodeEvents.NodeEdited Dim newText As String = NodeEvents.NewText nodeEdited.Text = newText End Sub <radT:RadTreeView ID="RadTree1" Runat="server" AllowNodeEditing="True" OnNodeEdit="HandleNodeEdit" /> protected void HandleNodeEdit(object sender, RadTreeNodeEventArgs NodeEvents) { RadTreeNode nodeEdited = NodeEvents.NodeEdited; string newText = NodeEvents.NewText; nodeEdited.Text = newText; }
Gets a value indicating whether the dotted lines indenting the nodes should be displayed or not. Gets a value indicating whether only the current branch of the treeview is expanded. The property closes all nodes that are not parents of the last expanded node. This property is only effective on the client browser - in postback modes you need to handle the logic yourself. When set to true displays a checkbox next to each treenode. Gets or sets a value indicating whether checking (unchecking) a node will check (uncheck) its child nodes. true if child nodes will be checked (checked) when the user checks (unchecks) their parent node; otherwise, false. The default value is false Gets or sets a value indicating whether RadTreeView should display tri-state checkboxes. true if tri-state checkboxes should be displayed; otherwise, false. The default value is false. Enabling three state checkbox support requires the property to be set to true. When set to true the treeview allows multiple node selection (by holding down ctrl key while selecting nodes) When set to true enables drag-and-drop functionality When set to true enables drag-and-drop visual clue (underline) between nodes while draggin Gets a collection of RadTreeViewContextMenu objects that represent the context menus of a RadTreeView control. A RadTreeViewContextMenuCollection that contains all the context menus of the RadTreeView control. By default, if the ContextMenus collection contains RadTreeViewContextMenus, the first one is displayed on the right-click of each RadTreeNode. To disable a context menu for a RadTreeNode, set its EnableContextMenu property to false. To specify a different context menu for a RadTreeNode, use its ContextMenuID property. The following code example demonstrates how to populate the ContextMenus collection declaratively. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <nodes> <Telerik:RadTreeNode Text="Menu1Item1"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Menu1Item2"></Telerik:RadTreeNode> </nodes> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <nodes> <Telerik:RadTreeNode Text="Menu2Item1"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Menu2Item2"></Telerik:RadTreeNode> </nodes> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> Gets the settings for the web service used to populate nodes when ExpandMode set to TreeNodeExpandMode.WebService. An WebServiceSettings that represents the web service used for populating nodes. Use the WebServiceSettings property to configure the web service used to populate nodes on demand. You must specify both Path and Method to fully describe the service. You can use the LoadingStatusTemplate property to create a loading template. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public RadTreeNodeData[] WebServiceMethodName(RadTreeNodeData item, object context) { // We cannot use a dictionary as a parameter, because it is only supported by script services. // The context object should be cast to a dictionary at runtime. IDictionary<string, object> contextDictionary = (IDictionary<string, object>) context; //... } } When set to true, the nodes populated through Load On Demand are persisted on the server. Gets the settings for the animation played when a node opens. An AnnimationSettings that represents the expand animation. Use the ExpandAnimation property to customize the expand animation of RadTreeView. You can specify the Type and Duration. To disable expand animation effects you should set the Type to AnimationType.None.
To customize the collapse animation you can use the CollapseAnimation property.
The following example demonstrates how to set the ExpandAnimation of RadTreeView. ASPX: <telerik:RadTreeView ID="RadTreeView1" runat="server"> <ExpandAnimation Type="OutQuint" Duration="300" /> <Nodes> <telerik:RadTreeViewNode Text="News" > <Nodes> <telerik:RadTreeViewNode Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadTreeViewNode Text="Google News" NavigateUrl="http://news.google.com" /> </Nodes> </telerik:RadTreeViewNode> <telerik:RadTreeViewNode Text="Sport" > <Nodes> <telerik:RadTreeViewNode Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadTreeViewNode Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Nodes> </telerik:RadTreeViewNode> </Nodes> </telerik:RadTreeView> void Page_Load(object sender, EventArgs e) { RadTreeView1.ExpandAnimation.Type = AnimationType.Linear; RadTreeView1.ExpandAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadTreeView1.ExpandAnimation.Type = AnimationType.Linear RadTreeView1.ExpandAnimation.Duration = 300 End Sub
Gets the settings for the animation played when a node closes. An AnnimationSettings that represents the collapse animation. Use the CollapseAnimation property to customize the expand animation of RadTreeView. You can specify the Type and Duration.
To disable expand animation effects you should set the Type to AnimationType.None. To customize the expand animation you can use the ExpandAnimation property.
The following example demonstrates how to set the CollapseAnimation of RadTreeView. ASPX: <telerik:RadTreeView ID="RadTreeView1" runat="server"> <CollapseAnimation Type="OutQuint" Duration="300" /> <Nodes> <telerik:RadTreeViewNode Text="News" > <Nodes> <telerik:RadTreeViewNode Text="CNN" NavigateUrl="http://www.cnn.com" /> <telerik:RadTreeViewNode Text="Google News" NavigateUrl="http://news.google.com" /> </Nodes> </telerik:RadTreeViewNode> <telerik:RadTreeViewNode Text="Sport" > <Nodes> <telerik:RadTreeViewNode Text="ESPN" NavigateUrl="http://www.espn.com" /> <telerik:RadTreeViewNode Text="Eurosport" NavigateUrl="http://www.eurosport.com" /> </Nodes> </telerik:RadTreeViewNode> </Nodes> </telerik:RadTreeView> void Page_Load(object sender, EventArgs e) { RadTreeView1.CollapseAnimation.Type = AnimationType.Linear; RadTreeView1.CollapseAnimation.Duration = 300; } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load RadTreeView1.CollapseAnimation.Type = AnimationType.Linear RadTreeView1.CollapseAnimation.Duration = 300 End Sub
Gets a collection of objects that define the relationship between a data item and the tree node it is binding to. A that represents the relationship between a data item and the tree node it is binding to. Gets or sets the maximum number of levels to bind to the RadTreeView control. The maximum number of levels to bind to the RadTreeView control. The default is -1, which binds all the levels in the data source to the control. When binding the RadTreeView control to a data source, use the MaxDanodeindDepth property to limit the number of levels to bind to the control. For example, setting this property to 2 binds only the root nodes and their immediate children. All remaining records in the data source are ignored. Gets or sets the URL of the page to post to from the current page when a tree node is clicked. The URL of the Web page to post to from the current page when a tree node is clicked. The default value is an empty string (""), which causes the page to post back to itself. Gets the unique, hierarchically qualified identifier for the server control. The fully qualified identifier for the server control. When set to true enables support for WAI-ARIA Gets or sets a value indicating whether RadTreeView should HTML encode the text of the nodes. true if the text should be encoded; otherwise, false. The default value is false. Gets or sets the name of the JavaScript function called when a node's expand/collapse animation finishes Gets or sets the name of the JavaScript function called when a node starts being edited Gets or sets the name of the JavaScript function called when the client template for a node is evaluated Gets or sets the name of the JavaScript function called when a node is databound during load on demand Gets or sets the name of the JavaScript function called when the control is fully initialized on the client side. The name of the JavaScript function that will be called upon click on a treenode. The function must accept a single parameter which is the instance of the node clicked. For example if you define OnClientClick="ProcessClientClick", you must define a javascript function defined in the following way (example):

function ProcessClientClick(node) { alert("You clicked on: " + node.Text); }
The name of the JavaScript function that will be called after click on a treenode. Used for AJAX/callback hooks. The name of the JavaScript function that will be called when the user highlights a treenode. The name of the JavaScript function that will be called when the user double clicks on a node. The name of the JavaScript function that will be called when the mouse hovers away from the TreeView. The name of the JavaScript function that will be called before the user edits a node The name of the JavaScript function that will be called after the user edits a node The name of the JavaScript function that will be called before a node is expanded. The name of the JavaScript function that will be called after a node is expanded. The name of the JavaScript function that will be called before a node is collapsed. The name of the JavaScript function that will be called after a node is collapsed. The name of the JavaScript function that will be called when the user drops a node onto another node. The name of the JavaScript function that will be called after the user drops a node onto another node. The name of the JavaScript function that will be called when the user checks (checkbox) a treenode. The name of the JavaScript function that will be called after the user checks (checkbox) a treenode. The name of the JavaScript function that will be called when the user starts dragging a node. The name of the JavaScript function that will be called when the user moves the mouse while dragging a node. The name of the JavaScript function that will be called when the user clicks on a context menu item. The name of the JavaScript function that will be called after the user clicks on a context menu item. The name of the JavaScript function that will be called when a context menu is to be displayed. The name of the JavaScript function that will be called after context menu is displayed. Gets or sets the OnClientTreePopulating event value in the ViewState. The OnClientTreePopulating. Gets or sets the OnClientTreePopulated event value in the ViewState. The OnClientTreePopulated. Gets or sets a value indicating the client-side event handler that is called when the children of a tree node are about to be populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientNodePopulatingHandler(sender, eventArgs)
{
var node = eventArgs.get_node();
var context = eventArgs.get_context();
context["CategoryID"] = node.get_value();
}
</script>
<telerik:RadTreeView ID="RadTreeView1"
runat="server"
OnClientNodePopulating="onClientNodePopulatingHandler">
....
</telerik:RadTreeView>
If specified, the OnClientNodePopulating client-side event handler is called when the children of a tree node are about to be populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties: get_node(), the instance of the node. get_context(), an user object that will be passed to the web service. set_cancel(), used to cancel the event. This event can be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the children of a tree node were just populated (for example from web service). A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientNodePopulatedHandler(sender, eventArgs)
{
var node = eventArgs.get_node();
alert("Loading finished for " + node.get_text());
}
</script>
<telerik:RadTreeView ID="RadTreeView1"
runat="server"
OnClientNodePopulated="onClientNodePopulatedHandler">
....
</telerik:RadTreeView>
If specified, the OnClientNodePopulated client-side event handler is called when the children of a tree node were just populated. Two parameters are passed to the handler: sender, the menu client object; eventArgs with one property: get_node(), the instance of the tree node. This event cannot be cancelled.
Gets or sets a value indicating the client-side event handler that is called when the operation for populating the children of a tree node has failed. A string specifying the name of the JavaScript function that will handle the event. The default value is empty string. <script type="text/javascript">
function onClientNodePopulationFailedHandler(sender, eventArgs)
{
var node = eventArgs.get_node();
var errorMessage = eventArgs.get_errorMessage();

alert("Error: " + errorMessage);
eventArgs.set_cancel(true);
}
</script>
<telerik:RadTreeView ID="RadTreeView1"
runat="server"
OnClientNodePopulationFailed="onClientNodePopulationFailedHandler">
....
</telerik:RadTreeView>
If specified, the OnClientNodePopulationFailed client-side event handler is called when the operation to populate the children of a tree node has failed. Two parameters are passed to the handler: sender, the menu client object; eventArgs with three properties: get_node(), the instance of the tree node. set_cancel(), set to true to suppress the default action (alert message). This event cannot be cancelled.
The name of the JavaScript function that will be called when a key is pressed. Occurs on the server when a node in the control is clicked. The following example demonstrates how to use the NodeClick event to determine the clicked node. protected void RadTreeView1_NodeClick(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { Response.Write("Clicked node is " + e.Node.Text); } Sub RadTreeView1_NodeClick(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs) Handles RadTreeView1.NodeClick Response.Write("Clicked node is " & e.Node.Text) End Sub Occurs when a node is data bound. The NodeDataBound event is raised for each node upon danodeinding. You can retrieve the node being bound using the event arguments. The DataItem associated with the node can be retrieved using the property. The NodeDataBound event is often used in scenarios when you want to perform additional mapping of fields from the DataItem to their respective properties in the class. The following example demonstrates how to map fields from the data item to properties using the NodeDataBound event. protected void RadTreeView1_NodeDataBound(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { e.Node.ImageUrl = "image" + (string)DataBinder.Eval(e.Node.DataItem, "ID") + ".gif"; e.Node.NavigateUrl = (string)DataBinder.Eval(e.Node.DataItem, "URL"); } Sub RadTreeView1_NodeDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs) Handles RadTreeView1.NodeDataBound e.Node.ImageUrl = "image" & DataBinder.Eval(e.Node.DataItem, "ID") & ".gif" e.Node.NavigateUrl = CStr(DataBinder.Eval(e.Node.DataItem, "URL")) End Sub Occurs before template is being applied to the node. The TemplateNeeded event is raised before a template is been applied on the node, both during round-trips (postbacks) and at the time data is bound to the control. The TemplateNeeded event is not raised for nodes which are defined inline in the page or user control. The TemplateNeeded event is commonly used for dynamic templating. The following example demonstrates how to use the TemplateNeeded event to apply templates with respect to the Value property of the nodes. protected void RadTreeView1_TemplateNeeded(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { string value = e.Node.Value; if (value != null) { // if the value is an even number if ((Int32.Parse(value) % 2) == 0) { var textBoxTemplate = new TextBoxTemplate(); e.Node.NodeTemplate = textBoxTemplate; } } } Sub RadTreeView1_Template(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs) Handles RadTreeView1.TemplateNeeded Dim value As String = e.Node.Value If value IsNot Nothing Then ' if the value is an even number If ((Int32.Parse(value) Mod 2) = 0) Then Dim textBoxTemplate As TextBoxTemplate = New TextBoxTemplate() e.Node.NodeTemplate = textBoxTemplate End If End If End Sub Occurs when a node is created. The NodeCreated event is raised when an node in the control is created, both during round-trips and at the time data is bound to the control. The NodeCreated event is not raised for nodes which are defined inline in the page or user control. The NodeCreated event is commonly used to initialize node properties. The following example demonstrates how to use the NodeCreated event to set the ToolTip property of each node. protected void RadTreeView1_NodeCreated(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { e.Node.ToolTip = e.Node.Text; } Sub RadTreeView1_NodeCreated(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs) Handles RadTreeView1.NodeCreated e.Node.ToolTip = e.Node.Text End Sub Occurs when a node is expanded. The NodeExpand event will be raised for nodes whose property is set to ServerSide or ServerSideCallback. The NodeExpand event is commonly used to populate nodes on demand. The following example demonstrates how to use the NodeExpand event to populate nodes on demand. protected void RadTreeView1_NodeExpanded(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { RadTreeNode nodeCreatedOnDemand = new RadTreeNode("Node created on demand"); e.Node.Nodes.Add(nodeCreatedOnDemand); } Sub RadTreeView1_NodeExpanded(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs) Handles RadTreeView1.NodeExpanded Dim nodeCreatedOnDemand As RadTreeNode = New RadTreeNode("Node created on demand") e.Node.Nodes.Add(nodeCreatedOnDemand) End Sub Occurs when a node is collapsed. The NodeCollapse event is raised only for nodes whose property is set to ServerSide. Occurs when a node is checked. Occurs when a node (or nodes) is dragged and dropped. The NodeDrop event is commonly used to move nodes from one location into other. The following example demonstrates how to move the dragged nodes in the destination node. protected void RadTreeView1_NodeDrop(object sender, RadTreeNodeDragDropEventArgs e) { foreach (RadTreeNode sourceNode in e.DraggedNodes) { if (!sourceNode.IsAncestorOf(e.DestDragNode)) { sourceNode.Remove(); e.DestDragNode.Nodes.Add(sourceNode); } } } Protected Sub RadTreeView1_NodeDrop(ByVal sender As Object, ByVal e As RadTreeNodeDragDropEventArgs) Handles RadTreeView1.NodeDrop For Each sourceNode As RadTreeNode In e.DraggedNodes If Not sourceNode.IsAncestorOf(e.DestDragNode) Then sourceNode.Remove() e.DestDragNode.Nodes.Add(sourceNode) End If Next End Sub Occurs when a node's text is edited. The NodeEdit event is commonly used to update the property after editing. The following example demonstrates how to update the property after editing protected void RadTreeView1_NodeEdit(object sender, RadTreeNodeEditEventArgs e) { RadTreeNode nodeEdited = e.Node; string newText = e.Text; nodeEdited.Text = newText; } Protected Sub HandleNodeEdit(ByVal sender As Object, ByVal e As RadTreeNodeEditEventArgs) Handles RadTreeView1.NodeEdit Dim nodeEdited As RadTreeNode = e.Node Dim newText As String = e.Text nodeEdited.Text = newText End Sub Occurs on the server when a item in the is clicked. The context menu will also postback if you navigate to a menu item using the [menu item] key and then press [enter] on the menu item that is focused. The instance of the clicked menu item is passed to the ContextMenuItemClick event handler - you can obtain a reference to it using the eventArgs.Item property. This Class defiens the RadTreeNode object. Represents a node in the RadTreeView control. The RadTreeView control is made up of nodes. Nodes which are immediate children of the treeview are root nodes. Nodes which are children of root nodes are child nodes. A node usually stores data in two properties, the Text property and the Value property. The value of the Text property is displayed in the RadTreeView control, and the Value property is used to store additional data. To create tree nodes, use one of the following methods: Use declarative syntax to define nodes inline in your page or user control. Use one of the constructors to dynamically create new instances of the RadTreeNode class. These nodes can then be added to the Nodes collection of another node or treeview. Data bind the RadTreeView control to a data source. When the user clicks a tree node, the RadTreeView control can navigate to a linked Web page, post back to the server or select that node. If the NavigateUrl property of a node is set, the RadTreeView control navigates to the linked page. By default, a linked page is displayed in the same window or frame. To display the linked content in a different window or frame, use the Target property. Initializes a new instance of the RadTreeNode class. Use this constructor to create and initialize a new instance of the RadTreeNode class using default values. The following example demonstrates how to add node to RadTreeView controls. RadTreeNode node = new RadTreeNode(); node.Text = "News"; node.NavigateUrl = "~/News.aspx"; RadTreeView1.Nodes.Add(node); Dim node As New RadTreeNode() node.Text = "News" node.NavigateUrl = "~/News.aspx" RadTreeView1.Nodes.Add(node) Initializes a new instance of the RadTreeNode class with the specified text data. Use this constructor to create and initialize a new instance of the RadTreeNode class using the specified text. The following example demonstrates how to add nodes to RadTreeView controls. RadTreeNode node = new RadTreeNode("News"); RadTreeView1.Nodes.Add(node); Dim node As New RadTreeNode("News") RadTreeView1.Nodes.Add(node) The text of the node. The Text property is set to the value of this parameter. Initializes a new instance of the RadTreeNode class with the specified text and value. Use this constructor to create and initialize a new instance of the RadTreeNode class using the specified text and value. This example demonstrates how to add nodes to RadTreeView controls. RadTreeNode node = new RadTreeNode("News", "NewsValue"); RadTreeView1.Nodes.Add(node); Dim node As New RadTreeNode("News", "NewsValue") RadTreeView1.Nodes.Add(node) The text of the node. The Text property is set to the value of this parameter. The value of the node. The Value property is set to the value of this parameter. Initializes a new instance of the RadTreeNode class with the specified text, value and URL. Use this constructor to create and initialize a new instance of the RadTreeNode class using the specified text, value and URL. This example demonstrates how to add nodes to RadTreeView controls. RadTreeNode node = new RadTreeNode("News", "NewsValue", "~/News.aspx"); RadTreeView1.Nodes.Add(node); Dim node As New RadTreeNode("News", "NewsValue", "~/News.aspx") RadTreeView1.Nodes.Add(node) The text of the node. The Text property is set to the value of this parameter. The value of the node. The Value property is set to the value of this parameter. The url which the node will navigate to. The NavigateUrl property is set to the value of this parameter. Returns the full path (location) of the node delimited by the specified character. The character to use as a delimiter Returns the full path of the node delimited by the specified character. Collapses recursively all child nodes of the node. Expands all parent nodes of the node. Inserts a node before the current node. The node to be inserted. Inserts a node after the current node. The node to be inserted. Checks if the current node is ancestor of another node. The node to check for. True if the current node is ancestor of the other node; otherwise false. Checks if the current node is descendant of another node node. The node to check for. True if the current node is descendant of the other node; otherwise false. Toggles Expand/Collapse state of the node. Expands all child nodes of the node. Expands all parent nodes of the node. Removes the node from the Nodes collection of its parent The following example demonstrates how to remove a node. RadTreeNode node = RadTreeView1.Nodes[0]; node.Remove(); Dim node As RadTreeNode = RadTreeView1.Nodes(0) node.Remove() Creates a copy of the current object. A which is a copy of the current one. Use the Clone method to create a copy of the current node. All properties of the clone are set to the same values as the current ones. Child nodes are copied as well. Checks all child nodes of the current node. Unchecks all child nodes of the current node. Gets a linear list of all nodes in the RadTreeNode. An IList<RadTreeNode> containing all nodes (from all hierarchy levels). Gets the parent IRadTreeNodeContainer. Gets or sets the Cascading Style Sheet (CSS) class applied by default to the node. By default the visual appearance of hovered nodes is defined in the skin CSS file. You can use the CssClass property to specify unique appearance for the node. Gets or sets the tooltip shown for the node when the user hovers it with the mouse A string representing the tooltip. The default value is empty string. The ToolTip property is also used as the alt attribute of the node image (in case is set) Gets or sets a value indicating whether the node is enabled. true if the node is enabled; otherwise false. The default value is true. Disabled nodes cannot be clicked, or expanded. Gets a object that contains the child nodes of the current RadTreeNode. A that contains the child nodes of the current RadTreeNode. By default the collection is empty (the node has no children). Use the Nodes property to access the child nodes of the RadTreeNode. You can also use the Nodes property to manage the child nodes - you can add, remove or modify nodes. The following example demonstrates how to programmatically modify the properties of a child node. RadTreeNode node = RadTreeView1.FindNodeByText("Test"); node.Nodes[0].Text = "Example"; node.Nodes[0].NavigateUrl = "http://www.example.com"; Dim node As RadTreeNode = RadTreeView1.FindNodeByText("Test") node.Nodes(0).Text = "Example" node.Nodes(0).NavigateUrl = "http://www.example.com" Gets the data item that is bound to the node An Object that represents the data item that is bound to the node. The default value is null (Nothing in Visual Basic), which indicates that the node is not bound to any data item. The return value will always be null unless accessed within a NodeDataBound event handler. This property is applicable only during data binding. Use it along with the NodeDataBound event to perform additional mapping of fields from the data item to RadTreeNode properties. The following example demonstrates how to map fields from the data item to RadTreeNode properties. It assumes the user has subscribed to the NodeDataBound event. private void RadTreeView1_NodeDataBound(object sender, Telerik.Web.UI.RadTreeNodeEventArgs e) { e.Node.ImageUrl = "image" + (string)DataBinder.Eval(e.Node.DataItem, "ID") + ".gif"; e.Node.NavigateUrl = (string)DataBinder.Eval(e.Node.DataItem, "URL"); } Sub RadTreeView1_NodeDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTreeNodeEventArgs ) Handles RadTreeView1.NodeDataBound e.Node.ImageUrl = "image" & DataBinder.Eval(e.Node.DataItem, "ID") & ".gif" e.Node.NavigateUrl = CStr(DataBinder.Eval(e.Node.DataItem, "URL")) End Sub Gets or sets the text displayed for the current node. The text displayed for the node in the RadTreeView control. The default is empty string. Use the Text property to specify or determine the text that is displayed for the node in the RadTreeView control. Gets or sets custom (user-defined) data associated with the current node. A string representing the user-defined data. The default value is emptry string. Use the Value property to associate custom data with a RadTreeNode object. Gets or sets the URL to navigate to when the current node is clicked. The URL to navigate to when the node is clicked. The default value is empty string which means that clicking the current node will not navigate. Setting the NavigateUrl property will disable node selection and as a result the NodeClick event won't be raised for the current node. Gets or sets the target window or frame in which to display the Web page content associated with the current node. The target window or frame to load the Web page linked to when the node is clicked. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string which means the linked resource will be loaded in the current window. Use the Target property to target window or frame in which to display the Web page content associated with the current node. The Web page is specified by the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The Target property is taken into consideration only when the NavigateUrl property is set. The following example demonstrates how to use the Target property <telerik:RadTreeView id="RadTreeView1" runat="server">
<Nodes>
<telerik:RadTreeNode Text="News" NavigateUrl="~/News.aspx" Target="_self" />
<telerik:RadTreeNode Text="External URL" NavigateUrl="http://www.example.com" Target="_blank" />
</Nodes>
</telerik:RadTreeView>
Gets or sets the URL to an image which is displayed next to the text of a node. The URL to the image to display for the node. The default value is empty string which means by default no image is displayed. Use the ImageUrl property to specify a custom image that will be displayed before the text of the current node. The following example demonstrates how to specify the image to display for the node using the ImageUrl property. <telerik:RadTreeView id="RadTreeView1" runat="server">
<Nodes>
<telerik:RadTreeNodeImageUrl="~/Img/inbox.gif" Text="Index"></telerik:RadTreeNode>
<telerik:RadTreeNodeImageUrl="~/Img/outbox.gif" Text="Outbox"></telerik:RadTreeNode>
<telerik:RadTreeNodeImageUrl="~/Img/trash.gif" Text="Trash"></telerik:RadTreeNode>
<telerik:RadTreeNodeImageUrl="~/Img/meetings.gif" Text="Meetings"></telerik:RadTreeNode>
</Nodes>
</telerik:RadTreeView>
Gets or sets the category of the node. The Category property is similar to the Value property. You can use it to associate custom data with the node. This example illustrates how to use the Category property during the NodeDataBound event. protected void RadTreeView1_NodeDataBound(object sender, RadTreeNodeEventArgs e) { //"NodeCategory" is the database column which provides data for the Category property. e.Node.Category = DataBinder.Eval(e.Node.DataItem, "NodeCategory").ToString(); } Protected Sub RadTreeView1_NodeDataBound(ByVal sender As Object, ByVal e As RadTreeNodeEventArgs) Handles RadTreeView1.NodeDataBound ' "NodeCategory" is the database column which provides data for the Category property. e.Node.Category = DataBinder.Eval(e.Node.DataItem, "NodeCategory") End Sub Gets or sets the Cascading Style Sheet (CSS) class applied to the node when the mouse hovers it. By default the visual appearance of hovered nodes is defined in the skin CSS file. You can use the HoveredCssClass property to specify unique appearance for a node when it is hoevered. Gets or sets the Cascading Style Sheet (CSS) class applied to the node when it is disabled. By default the visual appearance of disabled nodes is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for a node when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied to the content wrapper of the node. You can use the ContentCssClass property to specify unique appearance for a node content area and its children. Useful when using CSS sprites. Gets or sets the Cascading Style Sheet (CSS) class applied when node is selected. By default the visual appearance of selected nodes is defined in the skin CSS file. You can use the SelectedCssClass property to specify unique appearance for a node when it is selected. Gets or sets a value specifying the URL of the image rendered when the node is expanded. If the ExpandedImageUrl property is not set the ImageUrl property will be used when the node is expanded. Gets or sets a value specifying the URL of the image rendered when the node is selected. If the SelectedImageUrl property is not set the ImageUrl property will be used when the node is selected. Gets or sets a value specifying the URL of the image rendered when the node is hovered with the mouse. If the HoveredImageUrl property is not set the ImageUrl property will be used when the node is hovered. Gets or sets a value specifying the URL of the image rendered when the node is disabled. If the DisabledImageUrl property is not set the ImageUrl property will be used when the node is disabled. Gets the level of the node. An integer representing the level of the node. Root nodes are level 0 (zero). Gets the RadTreeView which the node is part of. Gets or sets a value indicating whether clicking on the node will postback. True if the node should postback; otherwise false. If you subscribe to the NodeClick all nodes will postback. To turn off that behavior you can set the PostBack property to false. Gets or sets a value indicating whether the node is expanded. true if the node is expanded; otherwise, false. The default is false. Gets or sets a value indicating whether the node is checked or not. True if the node is checked; otherwise false. The default value is false Gets the checked state of the tree node One of the TreeNodeExpandMode values. Gets or sets a value indicating whether the node is checkable. A checkbox control is rendered for checkable nodes. If the CheckBoxes property set to true, RadTreeView automatically displays a checkbox next to each node. You can set the Checkable property to false for nodes that do not need to display a checkbox. Gets or sets a value indicating whether the node is selected. True if the node is selected; otherwise false. The default value is false. By default, only one node can be selected. You can enable multiple node selection by setting the MultipleSelect property of the parent RadTreeView to true Gets or sets a value indicating whether the node can be dragged and dropped. True if the user is able drag and drop the node; otherwise false. The default value is true. Gets or sets a value indicating whether the use can drag and drop nodes over this node. True if the user is able to drag and drop nodes over this node; otherwise false. The default value is true. Gets or sets a value indicating whether the use can edit the text of the node. True if the node is editable; otherwise false. The default value is true. Gets or sets the expand behavior of the tree node. When set to ExpandMode.ServerSide the RadTreeView will fire a server event (NodeExpand) so you can populate the node on demand. On of the TreeNodeExpandMode values. The default value is ClientSide. A Section 508 element Gets the previous sibling of the node. Gets the previous node sibling in the tree structure or returns null if this is the first node in the respective node group. The previous sibling of the node or null (Nothing) if the node is first in its parent RadTreeNodeCollection. Gets the next sibling of the node. The next sibling of the node or null (Nothing) if the node is last in its parent RadTreeNodeCollection. Gets or sets the template for displaying the node. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all nodes use the property of the control. The following template demonstrates how to add a Calendar control in certain node. ASPX: <telerik: RadTreeView runat="server" ID="RadTreeView1"> <Nodes> <telerik:RadTreeNode Text="Root Node" Expanded="True" > <Nodes> <telerik:RadTreeNode> <NodeTemplate> <asp:Calendar ID="Calendar1" runat="server"></asp:Calendar> </NodeTemplate> </telerik:RadTreeNode> </Nodes> </telerik:RadTreeNode> </Nodes> </telerik:RadTreeView> Gets the full path (location) of the node. A slash delimited path of the node. The path is constructed based on the Text property of the node and its parents. For example if the Text of the node it "Houston", its parent node is "Texas" and its parent (root) is "U.S.A", FullPath will return "U.S.A/Texas/Houston" Gets the parent node of the current node. The parent node. If the the node is a root node null (Nothing) is returned. Gets or sets a value indicating the ID of the displayed for the current node. A string representing the ID of the context menu associated with the current node. The default value is empty string. If the ContextMenuID property is not set the first context menu from the collection will be used. Gets or sets a value indicating whether a context menu should be displayed for the current node. True if a context menu should be displayed for the current node; otherwise false. The default value is false. Use the EnableContextMenu property to disable the context menu for particular nodes. A collection of RadTreeNode objects in a control. The RadTreeNodeCollection class represents a collection of RadTreeNode objects. Use the indexer to programmatically retrieve a single RadTreeNode from the collection, using array notation. Use the Count property to determine the total number of menu items in the collection. Use the Add method to add nodes in the collection. Use the Remove method to remove nodes from the collection. Initializes a new instance of the class. The owner of the collection. Appends the specified object to the end of the current . The to append to the end of the current . The following example demonstrates how to programmatically add nodes in a control. RadTreeNode newsNode = new RadTreeNode("News"); RadTreeView1.Nodes.Add(newsNode); Dim newsNode As RadTreeNode = New RadTreeNode("News") RadTreeView1.Nodes.Add(newsNode) Removes the specified object from the current . The object to remove. Removes the object at the specified index from the current . The zero-based index of the node to remove. Determines whether the specified object is in the current . The object to find. true if the current collection contains the specified object; otherwise, false. Copies the instances stored in the current object to an System.Array object, beginning at the specified index location in the System.Array. The System.Array to copy the instances to. The zero-based relative index in array where copying begins. Appends the specified array of objects to the end of the current . The following example demonstrates how to use the AddRange method to add multiple nodes in a single step. RadTreeNode[] nodes = new RadTreeNode[] { new RadTreeNode("First"), new RadTreeNode("Second"), new RadTreeNode("Third") }; RadTreeView1.Nodes.AddRange(nodes); Dim nodes() As RadTreeNode = {New RadTreeNode("First"), New RadTreeNode("Second"), New RadTreeNode("Third")} RadTreeView1.Nodes.AddRange(nodes) The array of to append to the end of the current . Determines the index of the specified object in the collection. The to locate. The zero-based index of tab within the current , if found; otherwise, -1. Inserts the specified object in the current at the specified index location. The zero-based index location at which to insert the . The to insert. Searches all nodes for a RadTreeNode with a Text property equal to the specified text. The text to search for A RadTreeNode whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. Searches all nodes for a RadTreeNode with a Text property equal to the specified text. The text to search for A RadTreeNode whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches all nodes for a RadTreeNode with a Value property equal to the specified value. The value to search for A RadTreeNode whose Value property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. Searches all nodes for a RadTreeNode with a Value property equal to the specified value. The value to search for A RadTreeNode whose Value property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the nodes in the collection for a RadTreeNode which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadTreeNode that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Returns the first RadTreeNode that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindNode method. void Page_Load(object sender, EventArgs e) { RadTreeView1.FindNode(NodeWithEqualsTextAndValue); } private static bool NodeWithEqualsTextAndValue(RadTreeNode node) { if (node.Text == node.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadTreeView1.FindNode(NodeWithEqualsTextAndValue) End Sub Private Shared Function NodeWithEqualsTextAndValue(ByVal node As RadTreeNode) As Boolean If node.Text = node.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Gets the object at the specified index in the current . The zero-based index of the to retrieve. The at the specified index in the current . A tool which will be rendered as a button A tool which will be rendered as a dropdown A tool which will be rendered as a split button A tool which will be rendered as a separator A tool which will be rendered as a toolstrip Represents logical group of EditorTool objects. The default ToolAdapter will render the EditorToolGroup object as a toolbar. Gets all tools inside the group. Finds the tool with the given name. Determines whether the group a tool with the specified name. Gets the custom attributes which will be serialized on the client. Gets or sets a string which will be used by the ToolAdapter to associate the group with the adapter's virtual structure. In the default adapter this is the name of the docking zone where the toolbar should be placed. Gets the children of the EditorToolGroup. Specifies the Tab to which the corresponding tool group belongs The Context specifies the DOM elements to which the corresponding group of tools will be available. State managed collection of EditorToolGroup objects Returns a value that indicates whether this instance is equal to a specified object. An to compare with this instance or null. true if equals the type and value of this instance; otherwise, false. Returns the hash code for this instance. A 32-bit signed integer hash code. Summary description for DisplayFormatPosition. Enumeration determining the position of button. The class holding all client side events. Returns a that represents the current . A that represents the current . Gets or sets the client event will be fired when incorrect value is entered in the input and the validation fails. The client event will be fired when incorrect value is entered in the input and the validation fails. Gets or sets the button click event which will be fired when the input controls is clicked. The client event will be fired when the input controls is clicked. Gets or sets the client event which will called when the input loads. The client event is called when the input loads. Gets or sets the client side event which will be fired when the user mouse leaves the input control. The client side event will be fired when the user mouse leaves the input control. Gets or sets the client side event which will be fired when the user mouse enters the input control area. The client side event which will be fired when the user mouse enters the input control area. Gets or sets the client side event which will be fired when a focus to the input control is given. The client side event which will be fired when a focus to the input control is given. Gets or sets the client side event which will be fired when the input contol loses focus. The client side event which will be fired when the input contol loses focus. Gets or sets the client side event which will be fired when the input control is disabled. The client side event which will be fired when the input control is disabled. Gets or sets the client side event which will be fired when the input control is enabled. The client side event which will be fired when the input control is enabled. Gets or sets the client side event which will be fired before the input control value is changed. The event could be canceled. The client side event which will be fired before the input control value is changed. The event could be canceled. Gets or sets the client side event which will be fired after the input control value is changed. The client side event which will be fired after the input control value is changed. Gets or sets the client side event which will be fired on every key press when the input control is focused. The client side event which will be fired on every key press when the input control is focused. Fired whenever the value of any enumeration mask part has changed. Note this event is effective only for the RadMaskedTextBox control. Fired whenever the user increases the value of any enumeration or numeric range mask part of RadMaskedTextBox (with either keyboard arrow keys or mouse wheel). Note this event is effective only for the RadMaskedTextBox control. Fired whenever the user decreases the value of any enumeration or numeric range mask part of RadMaskedTextBox (with either keyboard arrow keys or mouse wheel). Note this event is effective only for the RadMaskedTextBox control. Enumeration determining the mode. Which could determine if the input will be multiline, password or normal single line input. Class representing the styles for . Duplicates the style properties of the specified into the instance of the class that this method is called from. A that represents the style to copy. has been set. Combines the style properties of the specified with the instance of the class that this method is called from. A that represents the style to combine. has been set. Removes any defined style elements from the state bag. A protected property. Gets a value indicating whether any style elements have been defined in the state bag. true if the state bag has no style elements defined; otherwise, false. Gets or sets the horizontal alignment applied to the HTML input element. The horizontal alignment applied to the HTML input element. Gets or sets the right padding applied to the html input element. The right padding applied to the html input element. Gets or sets the left padding applied to the html input element. The left padding applied to the html input element. Gets or sets the top padding applied to the html input element. The top padding applied to the html input element. Gets or sets the top padding applied to the html input element. The top padding applied to the html input element. Gets or sets the spacing between letters in the input control. The spacing between letters in the input control. Represents a single character, digit only mask part. This example demonstrates how to add a DigitMaskPart object in the MaskParts property of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { DigitMaskPart digitPart = new DigitMaskPart(); RadMaskedTextBox1.MaskParts.Add(digitPart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim digitPart As New DigitMaskPart() RadMaskedTextBox1.MaskParts.Add(digitPart) End Sub Returns the friendly name of the part. Represents a MaskPart object which accepts only a predefined set of options. This example demonstrates how to add an EnumerationMaskPart object in the MaskParts property of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { EnumerationMaskPart enumPart = new EnumerationMaskPart(); enumPart.Items.Add("Mon"); enumPart.Items.Add("Two"); enumPart.Items.Add("Wed"); enumPart.Items.Add("Thu"); enumPart.Items.Add("Fri"); enumPart.Items.Add("Sat"); enumPart.Items.Add("Sun"); RadMaskedTextBox1.MaskParts.Add(enumPart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim enumPart As New EnumerationMaskPart enumPart.Items.Add("Mon") enumPart.Items.Add("Two") enumPart.Items.Add("Wed") enumPart.Items.Add("Thu") enumPart.Items.Add("Fri") enumPart.Items.Add("Sat") enumPart.Items.Add("Sun") RadMaskedTextBox1.MaskParts.Add(enumPart) End Sub Returns the friendly name of the part. Gets the options collection of the part. Represents a single character MaskPart object which accepting any character. This example demonstrates how to add a FreeMaskPart object in the MaskParts property of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { FreeMaskPart freePart = new FreeMaskPart(); RadMaskedTextBox1.MaskParts.Add(freePart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim fixedPart As New FreeMaskPart() RadMaskedTextBox1.MaskParts.Add(fixedPart) End Sub Returns the friendly name of the part. Represents a multi character MaskPart whose content cannot be modified. This example demonstrates how to add a LiteralMaskPart object in the MaskParts property of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { LiteralMaskPart literalPart = new LiteralMaskPart(); literalPart.Text = "("; RadMaskedTextBox1.MaskParts.Add(literalPart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim literalPart As New LiteralMaskPart() RadMaskedTextBox1.MaskParts.Add(literalPart) End Sub Returns the friendly name of the part. Gets or sets the string that the LiteralMaskPart will render. Represents a single character MaskPart. The character is converted to lower upon input. This example demonstrates how to add a LowerMaskPart object in the MaskParts property of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { LowerMaskPart lowerPart = new LowerMaskPart(); RadMaskedTextBox1.MaskParts.Add(lowerPart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim lowerPart As New LowerMaskPart() RadMaskedTextBox1.MaskParts.Add(lowerPart) End Sub Returns the friendly name of the part. Represents the collection of mask parts in a RadMaskedTextBox. Appends the specified MaskPart to the end of the collection. The MaskPart to append to the collection. Inserts the specified MaskPart in the collection at the specified index location. The location in the collection to insert the MaskPart. The MaskPart to add to the collection. Determines whether the collection contains the specified item true if the collection contains the specified MaskPart; otherwise false. The MaskPart to search for in the collection. Removes the specified MaskPart from the collection. The MaskPart to remove from the collection. Determines the index value that represents the position of the specified MaskPart in the collection. The zero-based index position of the specified MaskPart in the collection. A MaskPart to search for in the collection. Gets or sets the RadMaskedInputControl, which uses the collection. Gets or sets the MaskedTextBoxSetting, which uses the collection. Gets a MaskPart at the specified index in the collection. Use this indexer to get a MaskPart from the MaskPartCollection at the specified index, using array notation. The zero-based index of the MaskPart to retrieve from the collection. Represents a MaskPart which accepts numbers in a specified range. This example demonstrates how to add a NumericRangeMaskPart object in the MaskParts collection of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { NumericRangeMaskPart rangePart = new NumericRangeMaskPart(); rangePart.LowerLimit = 0; rangePart.UpperLimit = 255; RadMaskedTextBox1.MaskParts.Add(rangePart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim rangePart As New NumericRangeMaskPart() rangePart.LowerLimit = 0 rangePart.UpperLimit = 255 RadMaskedTextBox1.MaskParts.Add(rangePart) End Sub Returns the friendly name of the part. Gets or sets the smallest possible value the part can accept. An integer representing the smallest acceptable number that the NumericRangeMaskPart can accept. The default value is 0. Gets or sets the largest possible value the part can accept. An integer representing the largest acceptable number that the NumericRangeMaskPart can accept. The default value is 0. Represents a single character MaskPart. The character is converted to upper upon input. . This example demonstrates how to add an UpperMaskPart object in the MaskParts collection of RadMaskedTextBox. private void Page_Load(object sender, System.EventArgs e) { UpperMaskPart upperPart = new UpperMaskPart(); RadMaskedTextBox1.MaskParts.Add(upperPart); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load Dim upperPart As New UpperMaskPart() RadMaskedTextBox1.MaskParts.Add(upperPart) End Sub Returns the friendly name of the part. Numeric range alignment options The numbers are aligned left The numbers are aligned right RadMaskedTextBox is an enhanced data entry control that uses a mask to distinguish between proper and improper user input. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. RadMaskedTextBox is an enhanced data entry control that uses a mask to distinguish between proper and improper user input. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. Gets the which determines which mask parts will be used when the is not focused. The display mask parts. Gets or sets the mask. The mask. Gets or sets the display mask which is shown when the is not focused. The display mask which is shown when the is not focused. Gets or sets the format position when the is in display mode. The format position when the is in display mode. Gets or sets the text mode which could determine if the input will be multiline, password or normal single line input. The text mode which could determine if the input will be multiline, password or normal single line input. Gets or sets if the prompt will be hidden when is blurred. The hide on blur. Gets or sets if it is required to complete entered text in the RadMaskedTextBox. By default is 'false'. Set to 'true' if you want full text to be required. Determines if it is required to complete entered text in the RadMaskedTextBox. By default is 'false'. Set to 'true' if you want full text to be required. Gets or sets if the caret will be moved to the begging when the is focused. Determines if the caret will be moved to the begging when the is focused. Gets or sets the prompt char. The prompt char. Gets or sets the prompt character used in the display mask. The prompt character used in the display mask. Gets or sets if the values of numeric range parts of the mask to have a fixed width. Enforces the values of numeric range parts of the mask to have a fixed width. Gets or sets if the numberic ranges will be rounded. Determines if the numberic ranges will be rounded. Gets or sets a value which determines if empty mask parts are allowed. A value which determines if empty mask parts are allowed. Gets or sets alignment of numeric ranges. The alignment of numeric ranges. Gets or sets the number of rows. The number of rows. Gets or sets the number columns. The number columns. If the Wrap property is True, the value in the text box extends to the limit set by the Columns property, and then wraps to additional rows as necessary. If the Wrap property is False, the value in the text box does not wrap. Additional lines are used only if the text value includes a new-line character. A horizontal scroll bar appears if the value of any line exceeds the limit set by the Columns property. If the Wrap property is True, the value in the text box extends to the limit set by the Columns property, and then wraps to additional rows as necessary. If the Wrap property is False, the value in the text box does not wrap. Additional lines are used only if the text value includes a new-line character. A horizontal scroll bar appears if the value of any line exceeds the limit set by the Columns property. Gets or sets the selection on focus options for the RadInput control Use this property to provide selection on focus of RadInput control. You can set one of the following values: The following example demonstrates how to set the SelectionOnFocus property from DropDownList:
            </%@ Page Language="C#" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>RadTextBox selection</title>
<script runat="server">
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
{
if (DropDownList1.SelectedValue == "CaretToBeginning")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToBeginning;
}
else if (DropDownList1.SelectedValue == "CaretToEnd")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToEnd;
}
else if (DropDownList1.SelectedValue == "SelectAll")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.SelectAll;
}
}
</script>
</head>
<body>
<form id="form1" runat="server">
<div>
<radI:RadTextBox SelectionOnFocus="CaretToBeginning" ID="RadTextBox1" runat="server"></radI:RadTextBox>
<br />
<asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged">
<asp:ListItem Text="CaretToBeginning">CaretToBeginning</asp:ListItem>
<asp:ListItem Text="CaretToEnd">CaretToEnd</asp:ListItem>
<asp:ListItem Text="SelectAll">SelectAll</asp:ListItem>
</asp:DropDownList></div>
</form>
</body>
</html>
A Telerik.WebControls.SelectionOnFocus object that represents the selection on focus in RadInput control. The default value is "None". None CaretToBeginning CaretToEnd SelectAll
Gets or sets the text content of a control. The text content of a control. Gets or sets a value indicating whether the contents of the RadInput control can be changed. Use the ReadOnly property to specify whether the contents of the RadInput control can be changed. Setting this property to true will prevent users from entering a value or changing the existing value. Note that the user of the RadInput control cannot change this property; only the developer can. The Text value of a RadInput control with the ReadOnly property set to true is sent to the server when a postback occurs, but the server does no processing for a read-only RadInput. This prevents a malicious user from changing a Text value that is read-only. The value of the Text property is preserved in the view state between postbacks unless modified by server-side code. This property cannot be set by themes or style sheet themes. The following code example demonstrates how to use the ReadOnly property to prevent any changes to the text displayed in the RadTextBox control. This example has a RadTextBox that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine TextBox Example </title>

<script runat="server">
protected void SubmitButton_Click(Object sender, EventArgs e)
{

Message.Text = "Thank you for your comment: <br />" + Comment.Text;

}

protected void Check_Change(Object sender, EventArgs e)
{

Comment.Wrap = WrapCheckBox.Checked;
Comment.ReadOnly = ReadOnlyCheckBox.Checked;

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine TextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine RadTextBox Example </title>

<script runat="server">

Protected Sub SubmitButton_Click(sender As Object, e As EventArgs )

Message.Text = "Thank you for your comment: <br />" + Comment.Text

End Sub

Protected Sub Check_Change(sender As Object, e As EventArgs )

Comment.Wrap = WrapCheckBox.Checked
Comment.ReadOnly = ReadOnlyCheckBox.Checked

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine RadTextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. true if the contents of the RadInput control cannot be changed; otherwise, false. The default value is false.
Gets or sets the maximum number of characters allowed in the text box. Use the MaxLength property to limit the number of characters that can be entered in the RadInput control. This property cannot be set by themes or style sheet themes. For more information, see ThemeableAttribute and Introduction to ASP.NET Themes. The following code example demonstrates how to use the MaxLength property to limit the number of characters allowed in the RadTextBox control to 3. This example has a RadTextBox that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

protected void AddButton_Click(Object sender, EventArgs e)
{
int Answer;

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text);

AnswerMessage.Text = Answer.ToString();

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
Click the Add button to add the two values.
<br />
Click the Reset button to reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

Protected Sub AddButton_Click(sender As Object, e As EventArgs)

Dim Answer As Integer

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text)

AnswerMessage.Text = Answer.ToString()

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter Integer values into the text boxes.
<br />
Click the Add button To add the two values.
<br />
Click the Reset button To reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
The maximum number of characters allowed in the text box. The default is 0, which indicates that the property is not set.
Gets the text including the prompt. The text including the prompt. Gets or sets the text including literals. The text including literals. Gets the text with prompt and literals. The text with prompt and literals. Gets or sets the skin name for the control user interface. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. A string containing the skin name for the control user interface. The default is string.Empty. Gets the validation text which is used when validation of the fails. The validation text which is used when validation of the fails. Gets the mask parts of a which determine which masks will be used for the control. The mask parts of a which determine which masks will be used for the control. Class holding settings for number formating which are applied on value. Gets or sets the string to use as the decimal separator in values. The string to use as the decimal separator in values. The property is being set to an empty string. The property is being set to null. Gets the native decimal separator of the control's culture. Gets or sets the number of decimal places to use in numeric values The number of decimal places to use in values. The property is being set to a value that is less than 0 or greater than 99. Gets or sets the number of digits in each group to the left of the decimal in values. The number of digits in each group to the left of the decimal in values. The property is being set to null. Gets or sets the string that separates groups of digits to the left of the decimal in values. The string that separates groups of digits to the left of the decimal in values. The property is being set to null. Gets or sets the format pattern for negative values. The format pattern for negative percent values. The property is being set to a value that is less than 0 or greater than 11. Gets or sets the format pattern for positive values. The format pattern for positive percent values. The The property is being set to a value that is less than 0 or greater than 3. Gets or sets the format pattern for zero values. The format pattern for zero percent values. The The property is being set to a value that is less than 0 or greater than 3. Gets or sets the value that indicates whether the value will be rounded. The value that indicates whether the value will be rounded. Gets or sets the value that indicates whether the control will keep his not rounded value on edit mode. The value that indicates whether the control will keep his not rounded value on edit mode. Gets or sets whether the control will keep its trailing zeros (according to the DecimalDigits setting) when focused. Determines whether the control will keep its trailing zeros (according to the DecimalDigits setting) when focused. Gets or sets numeric value placeholder inside PositivePattern/NegativePattern. The numeric value placeholder inside PositivePattern/NegativePattern. Enumeration determining a numeric type. RadNumericTextBox restricts user input to numeric values. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. RadNumericTextBox restricts user input to numeric values. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. Interface implemented by giving base for the Culture and NumericType of the control. Gets the style properties for RadInput when when the text is negative. A Telerik.WebControls.TextBoxStyle object that represents the style properties for RadInput control. The default value is an empty TextBoxStyle object. The following code example demonstrates how to set NegativeStyle property: [C#]
            </%@ Page Language="C#" /%>
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox Text="-1" EmptyMessage="EmptyMessage" ID="RadNumericTextBox1" runat="server">
<NegativeStyle BackColor="red" />
</radI:RadTextBox>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Use this property to provide a custom style for the negative state of RadInput control. Common style attributes that can be adjusted include foreground color, background color, font, and alignment within the RadInput. Providing a different style enhances the appearance of the RadInput control. Negative style properties in the RadInput control are inherited from one style property to another through a hierarchy. For example, if you specify a red font for the EnabledStyle property, all other style properties in the RadInput control will also have a red font. This allows you to provide a common appearance for the control by setting a single style property. You can override the inherited style settings for an item style property that is higher in the hierarchy by setting its style properties. For example, you can specify a blue font for the NegativeStyle property, overriding the red font specified in the EnabledStyle property. To specify a custom style, place the <NegativeStyle> tags between the opening and closing tags of the RadInput control. You can then list the style attributes within the opening <NegativeStyle> tag.
Gets the settings associated with increment settings determining the behavior when using the mouse wheel and keyboard arrow keys. The settings associated with increment settings determining the behavior when using the mouse wheel and keyboard arrow keys. Gets or sets the value of the RadInput control. Use the Text property to specify or determine the text displayed in the RadInput control. To limit the number of characters accepted by the control, set the MaxLength property. If you want to prevent the text from being modified, set the ReadOnly property. The value of this property, when set, can be saved automatically to a resource file by using a designer tool. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
null if the Text property is Empty.The Value property are Nullable Double type. A nullable type can represent the normal range of values for its underlying value type, plus an additional null value. For example, a Nullable<Double>, pronounced "Nullable of Double," can be assigned any value from -2^46 (-70368744177664) to 2^46 (70368744177664), or it can be assigned the null value.
Gets or sets the text content of a control. The text content of a control. Gets the validation text which is used when validation of the fails. The validation text which is used when validation of the fails. Gets or sets the date content of RadNumericTextBox in a database friendly way. An object that represents the Text property. The default value is null. This property behaves exactly like the Value property. The only difference is that it will not throw an exception if the new value is not double object (or null). If you assign null to the control you will see blank RadInput. The following example demonstrates how to bind the RadNumericTextBox: [C#]
            </%@ Page Language="C#" /%>
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
<script runat="server">
protected void Page_Load(object sender, EventArgs e)
{
System.Data.DataTable table = new System.Data.DataTable();
table.Columns.Add("num");

System.Data.DataRow row = table.NewRow();
row["num"] = (double)12.56;
table.Rows.Add(row);

row = table.NewRow();
row["num"] = (int)12;
table.Rows.Add(row);

row = table.NewRow();
row["num"] = DBNull.Value;
table.Rows.Add(row);

row = table.NewRow();
row["num"] = "33";
table.Rows.Add(row);

row = table.NewRow();
table.Rows.Add(row);

Repeater1.DataSource = table;
Repeater1.DataBind();
}
</script>
</head>
<body>
<form id="form1" runat="server">
<asp:Repeater runat="server" ID="Repeater1">
<ItemTemplate>
<radI:RadNumericTextBox DbValue='</%# Bind("num") /%>'
ID="RadNumericTextBox1" runat="server">
</radI:RadNumericTextBox>
</ItemTemplate>
</asp:Repeater>
</form>
</body>
</html>
[VisualBasic]
            </%@ Page Language="VB" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html Public "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
<title>Untitled Page</title>
<script runat="server">
Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load
Dim table As System.Data.DataTable = New System.Data.DataTable
table.Columns.Add("num")
Dim row As System.Data.DataRow = table.NewRow
row("num") = CType(12.56,Double)
table.Rows.Add(row)
row = table.NewRow
row("num") = CType(12,Integer)
table.Rows.Add(row)
row = table.NewRow
row("num") = DBNull.Value
table.Rows.Add(row)
row = table.NewRow
row("num") = "33"
table.Rows.Add(row)
row = table.NewRow
table.Rows.Add(row)
Repeater1.DataSource = table
Repeater1.DataBind
End Sub
</script>
</head>
<body>
<form id="form1" runat="server">
<asp:Repeater runat="server" ID="Repeater1">
<ItemTemplate>
<radI:RadNumericTextBox DbValue='</%# Bind("num") /%>'
ID="RadNumericTextBox1" runat="server">
</radI:RadNumericTextBox>
</ItemTemplate>
</asp:Repeater>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value indicating the Multiplication factor used in DbValue property. 1.0 by default. It can be set to anything different than zero. Use this property when you want to multiply value bound from the database by some factor, and then to devide by the same factor when saving it back to the database. Set "DbValueFactor=100". Then if you set "DbValue=0.5", it will be displayed in the input as "50". If the user type in the browser value like "30", then the DbValue will be "0.3". Gets or sets a value indicating whether the button is displayed in the RadInput control. true if the button is displayed; otherwise, false. The default value is true, however this property is only examined when the ButtonTemplate property is not a null reference (Nothing in Visual Basic). Use the ShowButton property to specify whether the button is displayed in the RadInput control. The contents of the button are controlled by the ButtonTemplate property. The following code example demonstrates how to use the ShowButton property to display the button in the RadInput control. [C#]
            </%@ Page Language="C#" /%>
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd" >

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>Untitled Page</title>
<script language="javascript" type="text/javascript">
function Click(sender)
{
alert("click");
}
</script>
</head>
<body>
<form id="form1" runat="server">
<radI:RadTextBox ShowButton="true" ID="RadNumericTextBox1" runat="server">
<ClientEvents OnButtonClick="Click" />
<ButtonTemplate>
<input type="button" value="click here" />
</ButtonTemplate>
</radI:RadTextBox>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Type of object that is used to wrap the DbValue property.
That property is designed to be used when this control is embedded into grid or other data-bound control. Default value is set to the Double.
Default value is set to the Double.
Gets or sets CSS class for the spin up button. The CSS class for the spin up button. Gets or sets CSS class for the spin down button. The CSS class for the spin down button. Gets or sets the culture used by RadNumericTextBox to format the numburs. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. The following example demonstrates how to use the Culture property. private void Page_Load(object sender, System.EventArgs e) { RadNumericTextBox.Culture = new CultureInfo("en-US"); } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadNumericTextBox1.Culture = New CultureInfo("en-US") End Sub Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the largest possible value of a RadNumericTextBox. The default value is positive 2^46. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0

Gets or sets the smallest possible value of a RadNumericTextBox.
The default value is negative -2^46.
Gets or sets whether the RadNumericTextBox should autocorrect out of range values to valid values or leave them visible to the user and apply its InvalidStyle. If the InvalidStyle is applied, the control will have no value. The default value is true Gets or sets the numeric type of the RadNumericTextBox. One of the NumericType enumeration values. The default is Number. Use the Type property to determine the numeric type that the RadNumericTextBox represents. The Type property is represented by one of the NumericType enumeration values. Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. The display text which allows you to set the display value from the Server to a different value the actual value. Similar to the empty message, but shown even if the input is not empty. This text will be cleared once the user changes the input value. Gets or sets the selection on focus options for the RadInput control Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Use this property to provide selection on focus of RadInput control. You can set one of the following values: The following example demonstrates how to set the SelectionOnFocus property from DropDownList:
            </%@ Page Language="C#" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
<title>RadTextBox selection</title>
<script runat="server">
protected void DropDownList1_SelectedIndexChanged(object sender, EventArgs e)
{
if (DropDownList1.SelectedValue == "CaretToBeginning")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToBeginning;
}
else if (DropDownList1.SelectedValue == "CaretToEnd")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.CaretToEnd;
}
else if (DropDownList1.SelectedValue == "SelectAll")
{
this.RadTextBox1.SelectionOnFocus = Telerik.WebControls.SelectionOnFocus.SelectAll;
}
}
</script>
</head>
<body>
<form id="form1" runat="server">
<div>
<radI:RadTextBox SelectionOnFocus="CaretToBeginning" ID="RadTextBox1" runat="server"></radI:RadTextBox>
<br />
<asp:DropDownList AutoPostBack="true" ID="DropDownList1" runat="server" OnSelectedIndexChanged="DropDownList1_SelectedIndexChanged">
<asp:ListItem Text="CaretToBeginning">CaretToBeginning</asp:ListItem>
<asp:ListItem Text="CaretToEnd">CaretToEnd</asp:ListItem>
<asp:ListItem Text="SelectAll">SelectAll</asp:ListItem>
</asp:DropDownList></div>
</form>
</body>
</html>
A Telerik.WebControls.SelectionOnFocus object that represents the selection on focus in RadInput control. The default value is "None". None CaretToBeginning CaretToEnd SelectAll
Gets the numeric format of the RadNumericTextBox control. The numeric format of the RadNumericTextBox control. Gets control that contains the up button of RadInput control The ShowButton or ShowSpinButton properties must be set to true Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets control that contains the up button of RadInput control The ShowButton or ShowSpinButton properties must be set to true Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Summary description for AutoPostBackControl. RadTextBox is a simple input control for letting the user enter text values. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. RadTextBox is a simple input control for letting the user enter text values. It shares the common properties of all RadInput controls, including support for skins, styles for different states, empty message support, conditional postback on text change, flexible caret and button positioning, labels, and so on. Gets or sets the behavior mode (single-line, multiline, or password) of the RadTextBox control. One of the RadInputTextBoxMode enumeration values. The default value is SingleLine. Use the TextMode property to specify whether a RadTextBox control is displayed as a single-line, multiline, or password text box. When the RadTextBox control is in multiline mode, you can control the number of rows displayed by setting the Rows property. You can also specify whether the text should wrap by setting the Wrap property. If the RadTextBox control is in password mode, all characters entered in the control are masked. This property cannot be set by themes or style sheet themes The specified mode is not one of the TextBoxMode enumeration values. The following code example demonstrates how to use the RadTextMode property to specify a multiline text box. This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. <%@ Page Language="VB" AutoEventWireup="True" %> <%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html> <head> <title>MultiLine RadTextBox Example </title> <script runat="server"> Protected Sub SubmitButton_Click(sender As Object, e As EventArgs ) Message.Text = "Thank you for your comment: <br />" + Comment.Text End Sub Protected Sub Check_Change(sender As Object, e As EventArgs ) Comment.Wrap = WrapCheckBox.Checked Comment.ReadOnly = ReadOnlyCheckBox.Checked End Sub </script> </head> <body> <form id="form1" runat="server"> <h3> MultiLine RadTextBox Example </h3> Please enter a comment and click the submit button. <br /> <br /> <radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" /> <br /> <asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment" ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" /> <asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True" OnCheckedChanged="Check_Change" runat="server" /> <asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True" OnCheckedChanged="Check_Change" runat="server" /> <asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" /> <hr /> <asp:Label ID="Message" runat="server" /> </form> </body> </html> <%@ Page Language="C#" AutoEventWireup="True" %> <%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html> <head> <title>MultiLine RadTextBox Example </title> <script runat="server"> protected void SubmitButton_Click(Object sender, EventArgs e) { Message.Text = "Thank you for your comment: <br />" + Comment.Text; } protected void Check_Change(Object sender, EventArgs e) { Comment.Wrap = WrapCheckBox.Checked; Comment.ReadOnly = ReadOnlyCheckBox.Checked; } </script> </head> <body> <form id="form1" runat="server"> <h3> MultiLine RadTextBox Example </h3> Please enter a comment and click the submit button. <br /> <br /> <radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" /> <br /> <asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment" ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" /> <asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True" OnCheckedChanged="Check_Change" runat="server" /> <asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True" OnCheckedChanged="Check_Change" runat="server" /> <asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" /> <hr /> <asp:Label ID="Message" runat="server" /> </form> </body> </html> Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the number of rows displayed in a multiline RadTextBox. The number of rows in a multiline RadTextBox. The default is 0, which displays a two-line text box. Use the Rows property to specify the number of rows displayed in a multiline RadTextBox. This property is applicable only when the TextMode property is set to MultiLine. This property cannot be set by themes or style sheet themes. This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. The following code example demonstrates how to use the Rows property to specify a height of 5 rows for a multiline RadTextBox control. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine TextBox Example </title>

<script runat="server">
protected void SubmitButton_Click(Object sender, EventArgs e)
{
Message.Text = "Thank you for your comment: <br />" + Comment.Text;
}

protected void Check_Change(Object sender, EventArgs e)
{
Comment.Wrap = WrapCheckBox.Checked;
Comment.ReadOnly = ReadOnlyCheckBox.Checked;
}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine TextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine RadTextBox Example </title>

<script runat="server">

Protected Sub SubmitButton_Click(sender As Object, e As EventArgs )

Message.Text = "Thank you for your comment: <br />" + Comment.Text

End Sub

Protected Sub Check_Change(sender As Object, e As EventArgs )

Comment.Wrap = WrapCheckBox.Checked
Comment.ReadOnly = ReadOnlyCheckBox.Checked

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine RadTextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets the display width of the RadTextBox in characters. The display width, in characters, of the RadTextBox. The default is 0, which indicates that the property is not set. The specified width is less than 0. The following code example demonstrates how to use the Columns property to specify a width of 2 characters for the RadTextBox control. This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>RadTextBox Example </title>

<script runat="server">

protected void AddButton_Click(Object sender, EventArgs e)
{
int Answer;

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text);

AnswerMessage.Text = Answer.ToString();

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>

<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
Click the Add button to add the two values.
<br />
Click the Reset button to reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>TextBox Example </title>

<script runat="server">

Protected Sub AddButton_Click(sender As Object, e As EventArgs)

Dim Answer As Integer

Answer = Convert.ToInt32(Value1.Text) + Convert.ToInt32(Value2.Text)

AnswerMessage.Text = Answer.ToString()

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
RadTextBox Example
</h3>
<table>
<tr>
<td colspan="5">
Enter integer values into the text boxes.
<br />
Click the Add button to add the two values.
<br />
Click the Reset button to reset the text boxes.
</td>
</tr>
<tr>
<td colspan="5">

</td>
</tr>
<tr align="center">
<td>
<radI:RadTextBox ID="Value1" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
+
</td>
<td>
<radI:RadTextBox ID="Value2" Columns="2" MaxLength="3" Text="1" runat="server" />
</td>
<td>
=
</td>
<td>
<asp:Label ID="AnswerMessage" runat="server" />
</td>
</tr>
<tr>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Value1"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value1RangeValidator" ControlToValidate="Value1" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td colspan="2">
<asp:RequiredFieldValidator ID="Value2RequiredValidator" ControlToValidate="Value2"
ErrorMessage="Please enter a value.<br />" Display="Dynamic" runat="server" />
<asp:RangeValidator ID="Value2RangeValidator" ControlToValidate="Value2" Type="Integer"
MinimumValue="1" MaximumValue="100" ErrorMessage="Please enter an integer <br /> between than 1 and 100.<br />"
Display="Dynamic" runat="server" />
</td>
<td>
&nbsp
</td>
</tr>
<tr align="center">
<td colspan="4">
<asp:Button ID="AddButton" Text="Add" OnClick="AddButton_Click" runat="server" />
</td>
<td>

</td>
</tr>
</table>
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Gets or sets a value indicating whether the text content wraps within a multiline RadTextBox. true if the text content wraps within a multiline RadTextBox; otherwise, false. The default is true. Use the Wrap property to specify whether the text displayed in a multiline RadTextBox control automatically continues on the next line when the text reaches the end of the control. This property is applicable only when the RadTextMode property is set to MultiLine The following code example demonstrates how to use the Wrap property to wrap text entered in the RadTextBox control. This example has a text box that accepts user input, which is a potential security threat. By default, ASP.NET Web pages validate that user input does not include script or HTML elements. [C#]
            </%@ Page Language="C#" AutoEventWireup="True" /%>  
</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine RadTextBox Example </title>

<script runat="server">

protected void SubmitButton_Click(Object sender, EventArgs e)
{

Message.Text = "Thank you for your comment: <br />" + Comment.Text;

}

protected void Check_Change(Object sender, EventArgs e)
{

Comment.Wrap = WrapCheckBox.Checked;
Comment.ReadOnly = ReadOnlyCheckBox.Checked;

}

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine RadTextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
[Visual Basic]
            </%@ Page Language="VB" AutoEventWireup="True" /%>

</%@ Register Assembly="RadInput.Net2" Namespace="Telerik.WebControls" TagPrefix="radI" /%>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>MultiLine RadTextBox Example </title>

<script runat="server">

Protected Sub SubmitButton_Click(sender As Object, e As EventArgs )

Message.Text = "Thank you for your comment: <br />" + Comment.Text

End Sub

Protected Sub Check_Change(sender As Object, e As EventArgs )

Comment.Wrap = WrapCheckBox.Checked
Comment.ReadOnly = ReadOnlyCheckBox.Checked

End Sub

</script>

</head>
<body>
<form id="form1" runat="server">
<h3>
MultiLine RadTextBox Example
</h3>
Please enter a comment and click the submit button.
<br />
<br />
<radI:RadTextBox ID="Comment" TextMode="MultiLine" Columns="50" Rows="5" runat="server" />
<br />
<asp:RequiredFieldValidator ID="Value1RequiredValidator" ControlToValidate="Comment"
ErrorMessage="Please enter a comment.<br />" Display="Dynamic" runat="server" />
<asp:CheckBox ID="WrapCheckBox" Text="Wrap Text" Checked="True" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:CheckBox ID="ReadOnlyCheckBox" Text="ReadOnly" Checked="False" AutoPostBack="True"
OnCheckedChanged="Check_Change" runat="server" />

<asp:Button ID="SubmitButton" Text="Submit" OnClick="SubmitButton_Click" runat="server" />
<hr />
<asp:Label ID="Message" runat="server" />
</form>
</body>
</html>
Windows 98, Windows Server 2000 SP4, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition The Microsoft .NET Framework 3.0 is supported on Windows Vista, Microsoft Windows XP SP2, and Windows Server 2003 SP1. .NET Framework
Supported in: 3.0, 2.0, 1.1, 1.0
Get or sets the specific HTML input type that will be rendered in the control Gets the settings that are determining the strenght of a with type set to password. The settings that are determining the strenght of a with type set to password. Use this property to set resizing mode of RadTextBox when TextMode is InputMode.MultiLine. Supports ResizeMode enumeration values: None, Both, Horizontal, and Vertical A scheduled event in RadScheduler with Start and End time, Subject as well other optional additional informatioin such as resources or custom attributes. Creates a new Appointment object that is a clone of the current instance. A new Appointment object that is a clone of the current instance. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Gets the appointment controls. The appointment controls. Gets the client ID. The client ID. Gets the DOM elements. The DOM elements. Gets the attributes. The attributes. Gets or sets the resources. The resources. A collection of all reminders associated with the appointment Gets or sets the CSS class. The CSS class. Gets or sets the color of the back. The color of the back. Gets or sets the color of the border. The color of the border. Gets or sets the width of the border. The width of the border. Gets or sets the border style. The border style. Gets the font. The font. Gets or sets the ForeColor. The ForeColor. Gets or sets the ID. The ID. Gets or sets the visible. The visible. Gets or sets the start. The start. Gets or sets the UTC start. The UTC start. Gets or sets the end. The end. Gets or sets the UTC end. The UTC end. The appointment duration. The duration can be zero. The Appointment subject. The Appointment time zone The Appointment description. Gets or sets the tool tip. The tool tip. Gets or sets the recurrence rule. The recurrence rule. Gets or sets the recurrence parent ID. The recurrence parent ID. Gets or sets the state of the recurrence. The state of the recurrence. Gets or sets the owner. The owner. Gets or sets the context menu ID. The context menu ID. Gets or sets a value indicating whether the editing of this appointment is allowed. true if editing of this appointment is allowed; otherwise, false. Gets or sets a value indicating whether the deleting of this appointment is allowed. true if the deleting of this appointment is allowed; otherwise, false. Gets or sets the data item represented by the Appointment object in the RadScheduler control. This property is available only during data binding. A collection of appointments. Creates an empty AppointmentCollection. Creates an AppointmentCollection and populates it with Appointment objects. The Appointment objects to add to the collection. Determines whether an element is in the AppointmentCollection. The Appointment to locate in the AppointmentCollection. true if item is found in the AppointmentCollection; otherwise, false. This method performs a linear search; therefore, this method is an O(n) operation, where n is Count. Copies the entire AppointmentCollection to a compatible one-dimensional Array, starting at the specified index of the target array. The one-dimensional Array that is the destination of the Appointments copied from AppointmentCollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Searches for the specified Appointment and returns the zero-based index of the first occurrence within the entire AppointmentCollection. The Appointment to locate in the AppointmentCollection. The zero-based index of the first occurrence of value within the entire AppointmentCollection, if found; otherwise, -1. Searches for an Appointment with the specified ID and returns a reference to it. The Appointment ID to search for. The Appointment with the specified ID, if found; otherwise, null. This method determines equality by calling Object.Equals. Searches for all Appointments with the specified RecurrenceParentID and returns a generic IList containing them. The RecurrenceParentID to search for. A generic IList containing the Appointments with the specified RecurrenceParentID, if found. This method determines equality by calling Object.Equals. Appointments with recurrence state Exception are linked to their parents using the RecurrenceParentID property. Searches for all Appointments with the specified RecurrenceParentID and RecurrenceState. The RecurrenceParentID to search for. The RecurrenceState to search for. A generic IList containing the Appointments with the specified RecurrenceParentID and RecurrenceState, if found. This method determines equality by calling Object.Equals. Searches for all Appointments that start in the specified time range and returns a generic IList containing them. The start of the time range. The end of the time range. A generic IList containing the Appointments that start in the specified time range. Searches for all Appointments that overlap with the specified time range and returns a generic IList containing them. The start of the time range. The end of the time range. A generic IList containing the Appointments that overlap with the specified time range. Searches for all Appointments that are fully contained within the specified time range. The start of the time range. The end of the time range. A generic IList containing the Appointments that are fully contained within the specified time range. Copies the elements of the AppointmentCollection to a new Appointment array. An Appointment array containing copies of the elements of the AppointmentCollection. Returns an enumerator for the entire AppointmentCollection. An IEnumerator for the entire AppointmentCollection. Gets or sets the Appointment at the specified index. The zero-based index of the Appointment to get or set. The appointment at the specified index. Provides data for the event of the control. Gets the container. The container. Provides data for the event of the control. Gets the mode. The mode. Provides data for the event of the control. Gets the container. The container. Provides data for the event of the control. Gets the container. The container. Provides data for the event of the control. Gets the container. The container. Specifies the type of navigation commands that are supported by RadScheduler. Indicates that RadScheduler is about to switch to Day View as a result of user interaction. Indicates that RadScheduler is about to switch to Week View as a result of user interaction. Indicates that RadScheduler is about to switch to Month View as a result of user interaction. Indicates that RadScheduler is about to switch to Timeline View as a result of user interaction. Indicates that RadScheduler is about to switch to Multi-day View as a result of user interaction. Indicates that RadScheduler is about to switch to Agenda View as a result of user interaction. Indicates that RadScheduler is about to switch to Year View as a result of user interaction. Indicates that RadScheduler is about to switch to the next time period as a result of user interaction. Indicates that RadScheduler is about to switch to the previous time period as a result of user interaction. Indicates that RadScheduler is about to switch to a given date. This command occurs when: The "today" link in the header is clicked. A day header is clicked in Month View. Indicates that RadScheduler is about to switch to a given month. This command occurs when: A month header is clicked in Year View. Indicates that RadScheduler is about to switch from/to 24-hour view as a result of user interaction. Only applicable in Day and Week views. The current mode can be determined by inspecting the ShowFullTime property. Indicates that RadScheduler is about to adjust its visible range, so the next appointment segment becomes visible. This command is a result of the user clicking the bottom arrow of an appointment. Depending on the current view RadScheduler will either switch to the next time period or to 24-hour view. Indicates that RadScheduler is about to adjust its visible range, so the previous appointment segment becomes visible. This command is a result of the user clicking the top arrow of an appointment. Depending on the current view RadScheduler will either switch to the previous time period or to 24-hour view. Indicates that RadScheduler is about to switch to a different date that the user has selected from the integrated date picker. Provides data for the event of the control. The type of navigation command that is being processed. The new date that has been selected. This property is applicable only for the NavigateToSelectedDate and SwitchToSelectedDay commands. Provides data for the event of the control. The type of navigation command that has been processed. This abstract class defines the SchedulerProviderBase that inherits ProviderBase. Gets the appointments. The scheduler info. Gets the resources. The scheduler info. Inserts the specified scheduler info. The scheduler info. The appointment to insert. Updates the specified scheduler info. The scheduler info. The appointment to update. Deletes the specified scheduler info. The scheduler info. The appointment to delete. Returns a synchronized (thread safe) wrapper for this provider instance. A synchronized (thread safe) wrapper for this provider instance. Gets the appointments. The owner. Gets the resource types. The owner. Gets the type of the resources by. The owner. Type of the resource. Inserts the specified owner. The owner. The appointment to insert. Updates the specified owner. The owner. The appointment to update. Deletes the specified owner. The owner. The appointment to delete. This abstract class defines the DbSchedulerProviderBase that inherits SchedulerProviderBase. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. The name of the provider has a length of zero. An attempt is made to call on a provider after the provider has already been initialized. Gets or sets the db factory. The db factory. Gets or sets the persist changes. The persist changes. Gets or sets the connection string. The connection string. This Class defines the SchedulerProvider Collection that implements ProviderCollection. Adds a provider to the collection. The provider to be added. The collection is read-only. is null. The of is null.- or -The length of the of is less than 1. For internal use only. A RadScheduler provider that uses XML document as a data store. Format string for the dates. The "Z" appendix signifies UTC time. Initializes a new instance of the class. Name of the data file. if set to true the changes will be persisted. Initializes a new instance of the class. The document instance to use as a data store. Initializes a new instance of the class. Initializes the provider. The friendly name of the provider. A collection of the name/value pairs representing the provider-specific attributes specified in the configuration for this provider. The name of the provider is null. An attempt is made to call on a provider after the provider has already been initialized. The name of the provider has a length of zero. Fetches appointments. The owner RadScheduler instance. Inserts the specified appointment. The owner RadScheduler instance. The appointment to insert. Updates the specified appointment. The owner RadScheduler instance. The appointment to update. Deletes the specified appointment. The owner RadScheduler instance. The appointment to delete. Gets the resource types. The owner RadScheduler instance. Gets the type of the resources by. The owner RadScheduler instance. Type of the resource. This Class defines the Configuration Section of RadScheduler. Gets the appointment providers. The appointment providers. Gets the default appointment provider. The default appointment provider. Occurrences of this rule repeat on a daily basis. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class DailyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every two days. DailyRecurrenceRule rrule = new DailyRecurrenceRule(2, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM (Friday) 2: 6/3/2007 3:30:00 PM (Sunday) 3: 6/5/2007 3:30:00 PM (Tuesday) 4: 6/7/2007 3:30:00 PM (Thursday) 5: 6/9/2007 3:30:00 PM (Saturday) 6: 6/11/2007 3:30:00 PM (Monday) 7: 6/13/2007 3:30:00 PM (Wednesday) 8: 6/15/2007 3:30:00 PM (Friday) 9: 6/17/2007 3:30:00 PM (Sunday) 10: 6/19/2007 3:30:00 PM (Tuesday) */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class DailyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every two days. Dim rrule As New DailyRecurrenceRule(2, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM (Friday) ' 2: 6/3/2007 3:30:00 PM (Sunday) ' 3: 6/5/2007 3:30:00 PM (Tuesday) ' 4: 6/7/2007 3:30:00 PM (Thursday) ' 5: 6/9/2007 3:30:00 PM (Saturday) ' 6: 6/11/2007 3:30:00 PM (Monday) ' 7: 6/13/2007 3:30:00 PM (Wednesday) ' 8: 6/15/2007 3:30:00 PM (Friday) ' 9: 6/17/2007 3:30:00 PM (Sunday) '10: 6/19/2007 3:30:00 PM (Tuesday) ' Provides the abstract base class for recurrence rules. HourlyRecurrenceRule Class DailyRecurrenceRule Class WeeklyRecurrenceRule Class MonthlyRecurrenceRule Class YearlyRecurrenceRule Class Notes to implementers: This base class is provided to make it easier for implementers to create a recurrence rule. Implementers are encouraged to extend this base class instead of creating their own. Represents an empty recurrence rule Creates a recurrence rule with the specified pattern and range. The recurrence pattern. The recurrence range. The constructed recurrence rule. Creates a recurrence rule instance from it's string representation. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class ParsingExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); // Prints the string representation of the recurrence rule: string rruleAsString = rrule.ToString(); Console.WriteLine("Recurrence rule:\n\n{0}\n", rruleAsString); // The string representation can be stored in a database, etc. // ... // Then it can be reconstructed using TryParse method: RecurrenceRule parsedRule; RecurrenceRule.TryParse(rruleAsString, out parsedRule); Console.WriteLine("After parsing (should be the same):\n\n{0}", parsedRule); } } } /* This example produces the following results: Recurrence rule: DTSTART:20070601T123000Z DTEND:20070601T130000Z RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; After parsing (should be the same): DTSTART:20070601T123000Z DTEND:20070601T130000Z RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class ParsingExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) ' Prints the string representation of the recurrence rule: Dim rruleAsString As String = rrule.ToString() Console.WriteLine("Recurrence rule:" & Chr(10) & "" & Chr(10) & "{0}" & Chr(10) & "", rruleAsString) ' The string representation can be stored in a database, etc. ' ... ' Then it can be reconstructed using TryParse method: Dim parsedRule As RecurrenceRule RecurrenceRule.TryParse(rruleAsString, parsedRule) Console.WriteLine("After parsing (should be the same):" & Chr(10) & "" & Chr(10) & "{0}", parsedRule) End Sub End Class End Namespace ' 'This example produces the following results: ' 'Recurrence rule: ' 'DTSTART:20070601T123000Z 'DTEND:20070601T130000Z 'RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; ' ' 'After parsing (should be the same): ' 'DTSTART:20070601T123000Z 'DTEND:20070601T130000Z 'RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; ' True if input was converted successfully, false otherwise. The string representation to parse. When this method returns, contains the recurrence rule instance, if the conversion succeeded, or null if the conversion failed. The conversion fails if the value parameter is a null reference (Nothing in Visual Basic) or represents invalid recurrence rule. Creates a recurrence rule instance from it's string representation. The string to parse. RecurrenceRule if the parsing succeeded or null (Nothing in Visual Basic) if the parsing failed. See the TryParse overload for more information and examples. Creates a recurrence rule instance from it's string representation, taking into account TimeZone offset. The string to parse. The TimeZoneID. RecurrenceRule if the parsing succeeded or null (Nothing in Visual Basic) if the parsing failed. See the TryParse overload for more information and examples. Specifies the effective range for evaluating occurrences. End date is before Start date. The range is inclusive. To clear the effective range call . using System; using Telerik.Web.UI; namespace RecurrenceExamples { class EffectiveRangeExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); // Limits the effective range. rrule.SetEffectiveRange(Convert.ToDateTime("6/1/2007 5:00 PM"), Convert.ToDateTime("6/1/2007 8:00 PM")); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 5:30:00 PM 2: 6/1/2007 7:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class EffectiveRangeExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) ' Limits the effective range. rrule.SetEffectiveRange(Convert.ToDateTime("6/1/2007 5:00 PM"), Convert.ToDateTime("6/1/2007 8:00 PM")) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurs at the following times: ' 1: 6/1/2007 5:30:00 PM ' 2: 6/1/2007 7:30:00 PM ' ClearEffectiveRange Method The starting date of the effective range. The ending date of the effective range. Clears the effective range set by calling . If no effective range was set, calling this method has no effect. SetEffectiveRange Method Converts the recurrence rule to it's equivalent string representation. The string representation of this recurrence rule. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class ParsingExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); // Prints the string representation of the recurrence rule: string rruleAsString = rrule.ToString(); Console.WriteLine("Recurrence rule:\n\n{0}\n", rruleAsString); // The string representation can be stored in a database, etc. // ... // Then it can be reconstructed using TryParse method: RecurrenceRule parsedRule; RecurrenceRule.TryParse(rruleAsString, out parsedRule); Console.WriteLine("After parsing (should be the same):\n\n{0}", parsedRule); } } } /* This example produces the following results: Recurrence rule: DTSTART:20070601T123000Z DTEND:20070601T130000Z RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; After parsing (should be the same): DTSTART:20070601T123000Z DTEND:20070601T130000Z RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class ParsingExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) ' Prints the string representation of the recurrence rule: Dim rruleAsString As String = rrule.ToString() Console.WriteLine("Recurrence rule:" & Chr(10) & "" & Chr(10) & "{0}" & Chr(10) & "", rruleAsString) ' The string representation can be stored in a database, etc. ' ... ' Then it can be reconstructed using TryParse method: Dim parsedRule As RecurrenceRule RecurrenceRule.TryParse(rruleAsString, parsedRule) Console.WriteLine("After parsing (should be the same):" & Chr(10) & "" & Chr(10) & "{0}", parsedRule) End Sub End Class End Namespace ' 'This example produces the following results: ' 'Recurrence rule: ' 'DTSTART:20070601T123000Z 'DTEND:20070601T130000Z 'RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; ' ' 'After parsing (should be the same): ' 'DTSTART:20070601T123000Z 'DTEND:20070601T130000Z 'RRULE:FREQ=HOURLY;COUNT=10;INTERVAL=2; ' The string representation is based on the iCalendar data format (RFC 2445). Overriden. Returns the hash code for this instance. The hash code for this instance. Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value is an instance of and equals the value of this instance; otherwise, false. An object to compare with this instance. Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value equals the value of this instance; otherwise, false. An object to compare with this instance. Determines whether two specified objects have the same value. Determines whether two specified objects have different values. Populates a SerializationInfo with the data needed to serialize this object. The to populate with data. The destination (see ) for this serialization. Gets the associated with this recurrence rule. The associated with this recurrence rule. By calling the range of the generated occurrences can be narrowed. Gets the associated with this recurrence rule. The associated with this recurrence rule. Occurrence times are in UTC. Gets the evaluated occurrence times of this recurrence rule. The evaluated occurrence times of this recurrence rule. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class HourlyRecurrenceRuleExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM 2: 6/1/2007 5:30:00 PM 3: 6/1/2007 7:30:00 PM 4: 6/1/2007 9:30:00 PM 5: 6/1/2007 11:30:00 PM 6: 6/2/2007 1:30:00 AM 7: 6/2/2007 3:30:00 AM 8: 6/2/2007 5:30:00 AM 9: 6/2/2007 7:30:00 AM 10: 6/2/2007 9:30:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class HourlyRecurrenceRuleExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM ' 2: 6/1/2007 5:30:00 PM ' 3: 6/1/2007 7:30:00 PM ' 4: 6/1/2007 9:30:00 PM ' 5: 6/1/2007 11:30:00 PM ' 6: 6/2/2007 1:30:00 AM ' 7: 6/2/2007 3:30:00 AM ' 8: 6/2/2007 5:30:00 AM ' 9: 6/2/2007 7:30:00 AM '10: 6/2/2007 9:30:00 AM ' Gets a value indicating whether this recurrence rule yields any occurrences. True this recurrence rule yields any occurrences, false otherwise. Gets or sets a list of the exception dates associated with this recurrence rule. A list of the exception dates associated with this recurrence rule. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class RecurrenceExceptionsExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); // Creates a recurrence exception for 5:30 PM (local time). // Note that exception dates must be in universal time. rrule.Exceptions.Add(Convert.ToDateTime("6/1/2007 5:30 PM").ToUniversalTime()); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM 2: 6/1/2007 7:30:00 PM 3: 6/1/2007 9:30:00 PM 4: 6/1/2007 11:30:00 PM 5: 6/2/2007 1:30:00 AM 6: 6/2/2007 3:30:00 AM 7: 6/2/2007 5:30:00 AM 8: 6/2/2007 7:30:00 AM 9: 6/2/2007 9:30:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class RecurrenceExceptionsExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) ' Creates a recurrence exception for 5:30 PM (local time). ' Note that exception dates must be in universal time. rrule.Exceptions.Add(Convert.ToDateTime("6/1/2007 5:30 PM").ToUniversalTime()) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM ' 2: 6/1/2007 7:30:00 PM ' 3: 6/1/2007 9:30:00 PM ' 4: 6/1/2007 11:30:00 PM ' 5: 6/2/2007 1:30:00 AM ' 6: 6/2/2007 3:30:00 AM ' 7: 6/2/2007 5:30:00 AM ' 8: 6/2/2007 7:30:00 AM ' 9: 6/2/2007 9:30:00 AM ' Any date placed in the list will be considered a recurrence exception, i.e. an occurrence will not be generated for that date. The dates must be in universal time. Gets a value indicating whether this recurrence rule has associated exceptions. True if this recurrence rule has associated exceptions, false otherwise. Gets or sets the maximum candidates limit. This limit is used to prevent lockups when evaluating infinite rules without using SetEffectiveRange. The default value should not be changed under normal conditions. The maximum candidates limit. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class DailyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every two days. DailyRecurrenceRule rrule = new DailyRecurrenceRule(2, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM (Friday) 2: 6/3/2007 3:30:00 PM (Sunday) 3: 6/5/2007 3:30:00 PM (Tuesday) 4: 6/7/2007 3:30:00 PM (Thursday) 5: 6/9/2007 3:30:00 PM (Saturday) 6: 6/11/2007 3:30:00 PM (Monday) 7: 6/13/2007 3:30:00 PM (Wednesday) 8: 6/15/2007 3:30:00 PM (Friday) 9: 6/17/2007 3:30:00 PM (Sunday) 10: 6/19/2007 3:30:00 PM (Tuesday) */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class DailyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every two days. Dim rrule As New DailyRecurrenceRule(2, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM (Friday) ' 2: 6/3/2007 3:30:00 PM (Sunday) ' 3: 6/5/2007 3:30:00 PM (Tuesday) ' 4: 6/7/2007 3:30:00 PM (Thursday) ' 5: 6/9/2007 3:30:00 PM (Saturday) ' 6: 6/11/2007 3:30:00 PM (Monday) ' 7: 6/13/2007 3:30:00 PM (Wednesday) ' 8: 6/15/2007 3:30:00 PM (Friday) ' 9: 6/17/2007 3:30:00 PM (Sunday) '10: 6/19/2007 3:30:00 PM (Tuesday) ' Initializes a new instance of with the specified interval (in days) and . The number of days between the occurrences. The instance that specifies the range of this recurrence rule. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class DailyRecurrenceRuleExample2 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every week day. DailyRecurrenceRule rrule = new DailyRecurrenceRule(RecurrenceDay.WeekDays, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM (Friday) 2: 6/4/2007 3:30:00 PM (Monday) 3: 6/5/2007 3:30:00 PM (Tuesday) 4: 6/6/2007 3:30:00 PM (Wednesday) 5: 6/7/2007 3:30:00 PM (Thursday) 6: 6/8/2007 3:30:00 PM (Friday) 7: 6/11/2007 3:30:00 PM (Monday) 8: 6/12/2007 3:30:00 PM (Tuesday) 9: 6/13/2007 3:30:00 PM (Wednesday) 10: 6/14/2007 3:30:00 PM (Thursday) */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class DailyRecurrenceRuleExample2 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every week day. Dim rrule As New DailyRecurrenceRule(RecurrenceDay.WeekDays, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM (Friday) ' 2: 6/4/2007 3:30:00 PM (Monday) ' 3: 6/5/2007 3:30:00 PM (Tuesday) ' 4: 6/6/2007 3:30:00 PM (Wednesday) ' 5: 6/7/2007 3:30:00 PM (Thursday) ' 6: 6/8/2007 3:30:00 PM (Friday) ' 7: 6/11/2007 3:30:00 PM (Monday) ' 8: 6/12/2007 3:30:00 PM (Tuesday) ' 9: 6/13/2007 3:30:00 PM (Wednesday) '10: 6/14/2007 3:30:00 PM (Thursday) ' Initializes a new instance of with the specified days of week bit mask and . A bit mask that specifies the week days on which the event recurs. The instance that specifies the range of this recurrence rule. Gets the interval (in days) between the occurrences. The interval (in days) between the occurrences. Gets or sets the bit mask that specifies the week days on which the event recurs. RecurrenceDay Enumeration For additional information on how to create masks see the documentation. A bit mask that specifies the week days on which the event recurs. Occurrences of this rule repeat every given number of hours. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class HourlyRecurrenceRuleExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every 2 hours. HourlyRecurrenceRule rrule = new HourlyRecurrenceRule(2, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM 2: 6/1/2007 5:30:00 PM 3: 6/1/2007 7:30:00 PM 4: 6/1/2007 9:30:00 PM 5: 6/1/2007 11:30:00 PM 6: 6/2/2007 1:30:00 AM 7: 6/2/2007 3:30:00 AM 8: 6/2/2007 5:30:00 AM 9: 6/2/2007 7:30:00 AM 10: 6/2/2007 9:30:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class HourlyRecurrenceRuleExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every 2 hours. Dim rrule As New HourlyRecurrenceRule(2, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM ' 2: 6/1/2007 5:30:00 PM ' 3: 6/1/2007 7:30:00 PM ' 4: 6/1/2007 9:30:00 PM ' 5: 6/1/2007 11:30:00 PM ' 6: 6/2/2007 1:30:00 AM ' 7: 6/2/2007 3:30:00 AM ' 8: 6/2/2007 5:30:00 AM ' 9: 6/2/2007 7:30:00 AM '10: 6/2/2007 9:30:00 AM ' Initializes a new instance of the class with the specified interval (in hours) and . The number of hours between the occurrences. The instance that specifies the range of this recurrence rule. Gets the interval (in hours) assigned to the current instance. The interval (in hours) assigned to the current instance. Occurrences of this rule repeat on a monthly basis. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class MonthlyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the 5th day of every month. MonthlyRecurrenceRule rrule = new MonthlyRecurrenceRule(5, 1, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/5/2007 3:30:00 PM 2: 7/5/2007 3:30:00 PM 3: 8/5/2007 3:30:00 PM 4: 9/5/2007 3:30:00 PM 5: 10/5/2007 3:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class MonthlyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the 5th day of every month. Dim rrule As New MonthlyRecurrenceRule(5, 1, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/5/2007 3:30:00 PM ' 2: 7/5/2007 3:30:00 PM ' 3: 8/5/2007 3:30:00 PM ' 4: 9/5/2007 3:30:00 PM ' 5: 10/5/2007 3:30:00 PM ' Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class MonthlyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the 5th day of every month. MonthlyRecurrenceRule rrule = new MonthlyRecurrenceRule(5, 1, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/5/2007 3:30:00 PM 2: 7/5/2007 3:30:00 PM 3: 8/5/2007 3:30:00 PM 4: 9/5/2007 3:30:00 PM 5: 10/5/2007 3:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class MonthlyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the 5th day of every month. Dim rrule As New MonthlyRecurrenceRule(5, 1, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/5/2007 3:30:00 PM ' 2: 7/5/2007 3:30:00 PM ' 3: 8/5/2007 3:30:00 PM ' 4: 9/5/2007 3:30:00 PM ' 5: 10/5/2007 3:30:00 PM ' The day of month on which the event recurs. The interval (in months) between the occurrences. The instance that specifies the range of this rule. Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class MonthlyRecurrenceRuleExample2 { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the last monday of every two months. MonthlyRecurrenceRule rrule = new MonthlyRecurrenceRule(-1, RecurrenceDay.Monday, 2, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/25/2007 3:30:00 PM 2: 8/27/2007 3:30:00 PM 3: 10/29/2007 2:30:00 PM 4: 12/31/2007 2:30:00 PM 5: 2/25/2008 2:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class MonthlyRecurrenceRuleExample2 Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the last monday of every two months. Dim rrule As New MonthlyRecurrenceRule(-1, RecurrenceDay.Monday, 2, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/25/2007 3:30:00 PM ' 2: 8/27/2007 3:30:00 PM ' 3: 10/29/2007 2:30:00 PM ' 4: 12/31/2007 2:30:00 PM ' 5: 2/25/2008 2:30:00 PM ' The day ordinal modifier. See for additional information. A bit mask that specifies the week days on which the event recurs. The interval (in months) between the occurrences. The instance that specifies the range of this rule. Gets the day of month on which the event recurs. The day of month on which the event recurs. Gets the day ordinal modifier. See for additional information. The day ordinal modifier. Gets the month in which the event recurs. The month in which the event recurs. Gets the interval (in months) between the occurrences. The interval (in months) between the occurrences. Specifies the days of the week. Members might be combined using bitwise operations to specify multiple days. The constants in the enumeration might be combined with bitwise operations to represent any combination of days. It is designed to be used in conjunction with the class to filter the days of the week for which the recurrence pattern applies. Consider the following example that demonstrates the basic usage pattern of RecurrenceDay. The most common operators used for manipulating bit fields are: Bitwise OR: Turns a flag on. Bitwise XOR: Toggles a flag. Bitwise AND: Checks if a flag is turned on. Bitwise NOT: Turns a flag off. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class RecurrenceDayExample { static void Main() { // Selects Friday, Saturday and Sunday. RecurrenceDay dayMask = RecurrenceDay.Friday | RecurrenceDay.WeekendDays; PrintSelectedDays(dayMask); // Selects all days, except Thursday. dayMask = RecurrenceDay.EveryDay ^ RecurrenceDay.Thursday; PrintSelectedDays(dayMask); } static void PrintSelectedDays(RecurrenceDay dayMask) { Console.WriteLine("Value: {0,3} - {1}", (int) dayMask, dayMask); } } } /* This example produces the following results: Value: 112 - Friday, WeekendDays Value: 119 - Monday, Tuesday, Wednesday, Friday, WeekendDays */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class RecurrenceDayExample Shared Sub Main() ' Selects Friday, Saturday and Sunday. Dim dayMask As RecurrenceDay = RecurrenceDay.Friday Or RecurrenceDay.WeekendDays PrintSelectedDays(dayMask) ' Selects all days, except Thursday. dayMask = RecurrenceDay.EveryDay Xor RecurrenceDay.Thursday PrintSelectedDays(dayMask) End Sub Shared Sub PrintSelectedDays(ByVal dayMask As RecurrenceDay) Console.WriteLine("Value: {0,3} - {1}", DirectCast(dayMask, Integer), dayMask) End Sub End Class End Namespace ' 'This example produces the following results: ' 'Value: 112 - Friday, WeekendDays 'Value: 119 - Monday, Tuesday, Wednesday, Friday, WeekendDays ' Indicates no selected day. Indicates Monday. Indicates Tuesday. Indicates Wednesday. Indicates Thursday. Indicates Friday. Indicates Saturday. Indicates Sunday. Indicates the range from Sunday to Saturday inclusive. Indicates the range from Monday to Friday inclusive. Indicates the range from Saturday to Sunday inclusive. Specifies the frequency of a recurrence. Indicates no recurrence. Indicates hourly recurrence. Indicates daily recurrence. Indicates weekly recurrence. Indicates monthly recurrence. Indicates yearly recurrence. Specifies the months in which given event recurs. Indicates no monthly recurrence. Indicates that the event recurs in January. Indicates that the event recurs in February. Indicates that the event recurs in March. Indicates that the event recurs in April. Indicates that the event recurs in May. Indicates that the event recurs in June. Indicates that the event recurs in July. Indicates that the event recurs in August. Indicates that the event recurs in September. Indicates that the event recurs in October. Indicates that the event recurs in November. Indicates that the event recurs in December. Specifies the pattern that uses to evaluate the recurrence dates set. The properties of the class work together to define a complete pattern definition to be used by the engine. You should not need to work with it directly as specialized classes are provided for the supported modes of recurrence. They take care of constructing appropriate objects. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class RecurrencePatternExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule for the appointment. DailyRecurrenceRule rrule = new DailyRecurrenceRule(1, range); // Displays the relevant parts of the generated pattern: Console.WriteLine("The active recurrence pattern is:"); Console.WriteLine(" Frequency: {0}", rrule.Pattern.Frequency); Console.WriteLine(" Interval: {0}", rrule.Pattern.Interval); Console.WriteLine(" Days of week: {0}\n", rrule.Pattern.DaysOfWeekMask); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: The active recurrence pattern is: Frequency: Daily Interval: 1 Days of week: EveryDay Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM 2: 6/2/2007 3:30:00 PM 3: 6/3/2007 3:30:00 PM 4: 6/4/2007 3:30:00 PM 5: 6/5/2007 3:30:00 PM 6: 6/6/2007 3:30:00 PM 7: 6/7/2007 3:30:00 PM 8: 6/8/2007 3:30:00 PM 9: 6/9/2007 3:30:00 PM 10: 6/10/2007 3:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class RecurrencePatternExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule for the appointment. Dim rrule As New DailyRecurrenceRule(1, range) ' Displays the relevant parts of the generated pattern: Console.WriteLine("The active recurrence pattern is:") Console.WriteLine(" Frequency: {0}", rrule.Pattern.Frequency) Console.WriteLine(" Interval: {0}", rrule.Pattern.Interval) Console.WriteLine(" Days of week: {0}" & Chr(10) & "", rrule.Pattern.DaysOfWeekMask) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'The active recurrence pattern is: ' Frequency: Daily ' Interval: 1 ' Days of week: EveryDay ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM ' 2: 6/2/2007 3:30:00 PM ' 3: 6/3/2007 3:30:00 PM ' 4: 6/4/2007 3:30:00 PM ' 5: 6/5/2007 3:30:00 PM ' 6: 6/6/2007 3:30:00 PM ' 7: 6/7/2007 3:30:00 PM ' 8: 6/8/2007 3:30:00 PM ' 9: 6/9/2007 3:30:00 PM '10: 6/10/2007 3:30:00 PM ' Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value is an instance of and equals the value of this instance; otherwise, false. An object to compare with this instance. Overriden. Returns the hash code for this instance. The hash code for this instance. Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value equals the value of this instance; otherwise, false. An object to compare with this instance. Determines whether two specified objects have the same value. Determines whether two specified objects have different values. A enumerated constant that indicates the frequency of recurrence. Gets or sets the frequency of recurrence. The default value is . RecurrenceFrequency Enumeration Gets or sets the interval of recurrence. A positive integer representing how often the recurrence rule repeats, expressed in units. The default value is 1. Gets or sets the bit mask that specifies the week days on which the event recurs. RecurrenceDay Enumeration For additional information on how to create masks see the documentation. A bit mask that specifies the week days on which the event recurs. Gets or sets the day month on which the event recurs. The day month on which the event recurs. This property is meaningful only when is set to or and is not set. In such scenario it selects the n-th occurrence within the set of events specified by the rule. Valid values are from -31 to +31, 0 is ignored. For example with RecurrenceFrequency set to Monthly and DaysOfWeekMask set to Monday DayOfMonth is interpreted in the following way:
  • 1: Selects the first monday of the month.
  • 3: Selects the third monday of the month.
  • -1: Selects the last monday of the month.
For detailed examples see the documentation of the class.
MonthlyRecurrenceRule Class
Gets or sets the month on which the event recurs. This property is only meaningful when is set to . Gets or sets the day on which the week starts. This property is only meaningful when is set to and is greater than 1. Specifies the time frame for which given is active. It consists of the start time of the event, it's duration and optional limits. Limits for both occurrence count and end date can be specified via the and properties. Start and EventDuration properties refer to the recurring event's start and duration. In the context of they are usually derived from and . using System; using Telerik.Web.UI; namespace RecurrenceExamples { class RecurrenceRangeExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a daily recurrence rule for the appointment. DailyRecurrenceRule rrule = new DailyRecurrenceRule(1, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/1/2007 3:30:00 PM 2: 6/2/2007 3:30:00 PM 3: 6/3/2007 3:30:00 PM 4: 6/4/2007 3:30:00 PM 5: 6/5/2007 3:30:00 PM 6: 6/6/2007 3:30:00 PM 7: 6/7/2007 3:30:00 PM 8: 6/8/2007 3:30:00 PM 9: 6/9/2007 3:30:00 PM 10: 6/10/2007 3:30:00 PM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class RecurrenceRangeExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a daily recurrence rule for the appointment. Dim rrule As New DailyRecurrenceRule(1, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/1/2007 3:30:00 PM ' 2: 6/2/2007 3:30:00 PM ' 3: 6/3/2007 3:30:00 PM ' 4: 6/4/2007 3:30:00 PM ' 5: 6/5/2007 3:30:00 PM ' 6: 6/6/2007 3:30:00 PM ' 7: 6/7/2007 3:30:00 PM ' 8: 6/8/2007 3:30:00 PM ' 9: 6/9/2007 3:30:00 PM '10: 6/10/2007 3:30:00 PM ' Overloaded. Initializes a new instance of the class. Overloaded. Initializes a new instance of the class with to the specified Start, EventDuration, RecursUntil and MaxOccurrences values. The start of the recurring event. The duration of the recurring event. Optional end date for the recurring appointment. Defaults to no end date (DateTime.MaxValue). Optional limit for the number of occurrences. Defaults to no limit (Int32.MaxInt). Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value is an instance of and equals the value of this instance; otherwise, false. An object to compare with this instance. Overriden. Returns the hash code for this instance. Overloaded. Overridden. Returns a value indicating whether this instance is equal to a specified object. true if value equals the value of this instance; otherwise, false. An object to compare with this instance. Determines whether two specified objects have the same value. Determines whether two specified objects have different values. The start of the recurring event. The duration of the recurring event. Optional end date for the recurring appointment. Defaults to no end date (DateTime.MaxValue). Optional limit for the number of occurrences. Defaults to no limit (Int32.MaxInt). Provides a type converter to convert RecurrenceRule objects to and from string representation. Overloaded. Returns whether this converter can convert an object of one type to the type of this converter. Overloaded. Converts the given value to the type of this converter. Overloaded. Returns whether this converter can convert the object to the specified type. Overloaded. Converts the given value object to the specified type. Overloaded. Returns whether the given value object is valid for this type. Occurrences of this rule repeat on a weekly basis. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class WeeklyRecurrenceRuleExample { static void Main() { // Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 10; // Creates a recurrence rule to repeat the appointment every two weeks on Mondays and Tuesdays. RecurrenceDay mask = RecurrenceDay.Monday | RecurrenceDay.Tuesday; WeeklyRecurrenceRule rrule = new WeeklyRecurrenceRule(2, mask, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 6/4/2007 3:30:00 PM (Monday) 2: 6/5/2007 3:30:00 PM (Tuesday) 3: 6/18/2007 3:30:00 PM (Monday) 4: 6/19/2007 3:30:00 PM (Tuesday) 5: 7/2/2007 3:30:00 PM (Monday) 6: 7/3/2007 3:30:00 PM (Tuesday) 7: 7/16/2007 3:30:00 PM (Monday) 8: 7/17/2007 3:30:00 PM (Tuesday) 9: 7/30/2007 3:30:00 PM (Monday) 10: 7/31/2007 3:30:00 PM (Tuesday) */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class WeeklyRecurrenceRuleExample Shared Sub Main() ' Creates a sample appointment that starts at 6/1/2007 3:30 PM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("6/1/2007 3:30 PM"), Convert.ToDateTime("6/1/2007 4:00 PM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 10 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 10 ' Creates a recurrence rule to repeat the appointment every two weeks on Mondays and Tuesdays. Dim mask As RecurrenceDay = RecurrenceDay.Monday Or RecurrenceDay.Tuesday Dim rrule As New WeeklyRecurrenceRule(2, mask, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1} ({2})", ix, occurrence.ToLocalTime(), occurrence.DayOfWeek) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 6/4/2007 3:30:00 PM (Monday) ' 2: 6/5/2007 3:30:00 PM (Tuesday) ' 3: 6/18/2007 3:30:00 PM (Monday) ' 4: 6/19/2007 3:30:00 PM (Tuesday) ' 5: 7/2/2007 3:30:00 PM (Monday) ' 6: 7/3/2007 3:30:00 PM (Tuesday) ' 7: 7/16/2007 3:30:00 PM (Monday) ' 8: 7/17/2007 3:30:00 PM (Tuesday) ' 9: 7/30/2007 3:30:00 PM (Monday) '10: 7/31/2007 3:30:00 PM (Tuesday) ' Initializes a new instance of with the specified interval, days of week bit mask and . The number of weeks between the occurrences. A bit mask that specifies the week days on which the event recurs. The instance that specifies the range of this rule. Initializes a new instance of with the specified interval, days of week bit mask and . The number of weeks between the occurrences. A bit mask that specifies the week days on which the event recurs. The instance that specifies the range of this rule. The first day of week to use for calculations. Gets the interval (in weeks) assigned to the current instance. The interval (in weeks) assigned to the current instance. Gets the bit mask that specifies the week days on which the event recurs. RecurrenceDay Enumeration For additional information on how to create masks see the documentation. A bit mask that specifies the week days on which the event recurs. Occurrences of this rule repeat on a yearly basis. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class YearlyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the 1th of April each year. YearlyRecurrenceRule rrule = new YearlyRecurrenceRule(RecurrenceMonth.April, 1, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 4/1/2007 10:00:00 AM 2: 4/1/2008 10:00:00 AM 3: 4/1/2009 10:00:00 AM 4: 4/1/2010 10:00:00 AM 5: 4/1/2011 10:00:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class YearlyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the 1th of April each year. Dim rrule As New YearlyRecurrenceRule(RecurrenceMonth.April, 1, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 4/1/2007 10:00:00 AM ' 2: 4/1/2008 10:00:00 AM ' 3: 4/1/2009 10:00:00 AM ' 4: 4/1/2010 10:00:00 AM ' 5: 4/1/2011 10:00:00 AM ' Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class YearlyRecurrenceRuleExample1 { static void Main() { // Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the 1th of April each year. YearlyRecurrenceRule rrule = new YearlyRecurrenceRule(RecurrenceMonth.April, 1, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 4/1/2007 10:00:00 AM 2: 4/1/2008 10:00:00 AM 3: 4/1/2009 10:00:00 AM 4: 4/1/2010 10:00:00 AM 5: 4/1/2011 10:00:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class YearlyRecurrenceRuleExample1 Shared Sub Main() ' Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the 1th of April each year. Dim rrule As New YearlyRecurrenceRule(RecurrenceMonth.April, 1, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 4/1/2007 10:00:00 AM ' 2: 4/1/2008 10:00:00 AM ' 3: 4/1/2009 10:00:00 AM ' 4: 4/1/2010 10:00:00 AM ' 5: 4/1/2011 10:00:00 AM ' The month in which the event recurs. The day of month on which the event recurs. The instance that specifies the range of this rule. Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class YearlyRecurrenceRuleExample2 { static void Main() { // Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the second monday of April each year. YearlyRecurrenceRule rrule = new YearlyRecurrenceRule(2, RecurrenceMonth.April, RecurrenceDay.Monday, range); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 4/9/2007 10:00:00 AM 2: 4/14/2008 10:00:00 AM 3: 4/13/2009 10:00:00 AM 4: 4/12/2010 10:00:00 AM 5: 4/11/2011 10:00:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class YearlyRecurrenceRuleExample2 Shared Sub Main() ' Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the second monday of April each year. Dim rrule As New YearlyRecurrenceRule(2, RecurrenceMonth.April, RecurrenceDay.Monday, range) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 4/9/2007 10:00:00 AM ' 2: 4/14/2008 10:00:00 AM ' 3: 4/13/2009 10:00:00 AM ' 4: 4/12/2010 10:00:00 AM ' 5: 4/11/2011 10:00:00 AM ' The day ordinal modifier. See for additional information. The month in which the event recurs. A bit mask that specifies the week days on which the event recurs. The instance that specifies the range of this rule. Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class YearlyRecurrenceRuleExample3 { static void Main() { // Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the 1th of April every other year. YearlyRecurrenceRule rrule = new YearlyRecurrenceRule(RecurrenceMonth.April, 1, range, 2); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 4/1/2007 10:00:00 AM 2: 4/1/2009 10:00:00 AM 3: 4/1/2011 10:00:00 AM 4: 4/1/2013 10:00:00 AM 5: 4/1/2015 10:00:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class YearlyRecurrenceRuleExample3 Shared Sub Main() ' Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the 1th of April every other year. Dim rrule As New YearlyRecurrenceRule(RecurrenceMonth.April, 1, range, 2) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 4/1/2007 10:00:00 AM ' 2: 4/1/2009 10:00:00 AM ' 3: 4/1/2011 10:00:00 AM ' 4: 4/1/2013 10:00:00 AM ' 5: 4/1/2015 10:00:00 AM ' The month in which the event recurs. The day of month on which the event recurs. The instance that specifies the range of this rule. The interval (in years) between the occurrences. Initializes a new instance of the class. using System; using Telerik.Web.UI; namespace RecurrenceExamples { class YearlyRecurrenceRuleExample4 { static void Main() { // Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Appointment recurringAppointment = new Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment"); // Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. RecurrenceRange range = new RecurrenceRange(); range.Start = recurringAppointment.Start; range.EventDuration = recurringAppointment.End - recurringAppointment.Start; range.MaxOccurrences = 5; // Creates a recurrence rule to repeat the appointment on the second monday of April every other year. YearlyRecurrenceRule rrule = new YearlyRecurrenceRule(2, RecurrenceMonth.April, RecurrenceDay.Monday, range, 2); Console.WriteLine("Appointment occurrs at the following times: "); int ix = 0; foreach (DateTime occurrence in rrule.Occurrences) { ix = ix + 1; Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()); } } } } /* This example produces the following results: Appointment occurrs at the following times: 1: 4/9/2007 10:00:00 AM 2: 4/13/2009 10:00:00 AM 3: 4/11/2011 10:00:00 AM 4: 4/8/2013 10:00:00 AM 5: 4/13/2015 10:00:00 AM */ Imports System Imports Telerik.Web.UI Namespace RecurrenceExamples Class YearlyRecurrenceRuleExample4 Shared Sub Main() ' Creates a sample appointment that starts at 4/1/2007 10:00 AM (local time) and lasts half an hour. Dim recurringAppointment As New Appointment("1", Convert.ToDateTime("4/1/2007 10:00 AM"), Convert.ToDateTime("4/1/2007 10:30 AM"), "Sample appointment") ' Creates a recurrence range, that specifies a limit of 5 occurrences for the appointment. Dim range As New RecurrenceRange() range.Start = recurringAppointment.Start range.EventDuration = recurringAppointment.[End] - recurringAppointment.Start range.MaxOccurrences = 5 ' Creates a recurrence rule to repeat the appointment on the second monday of April every other year. Dim rrule As New YearlyRecurrenceRule(2, RecurrenceMonth.April, RecurrenceDay.Monday, range, 2) Console.WriteLine("Appointment occurrs at the following times: ") Dim ix As Integer = 0 For Each occurrence As DateTime In rrule.Occurrences ix = ix + 1 Console.WriteLine("{0,2}: {1}", ix, occurrence.ToLocalTime()) Next End Sub End Class End Namespace ' 'This example produces the following results: ' 'Appointment occurrs at the following times: ' 1: 4/9/2007 10:00:00 AM ' 2: 4/13/2009 10:00:00 AM ' 3: 4/11/2011 10:00:00 AM ' 4: 4/8/2013 10:00:00 AM ' 5: 4/13/2015 10:00:00 AM ' The day ordinal modifier. See for additional information. The month in which the event recurs. A bit mask that specifies the week days on which the event recurs. The instance that specifies the range of this rule. The interval (in years) between the occurrences. Gets the day of month on which the event recurs. The day of month on which the event recurs. Gets the day ordinal modifier. See for additional information. The day ordinal modifier. Gets the month in which the event recurs. The month in which the event recurs. Gets the bit mask that specifies the week days on which the event recurs. RecurrenceDay Enumeration For additional information on how to create masks see the documentation. A bit mask that specifies the week days on which the event recurs. Gets the interval (in years) between the occurrences. The interval (in years) between the occurrences. This Class defines the Resource object in control. Determines whether the specified is equal to the current . The to compare with the current . The parameter is null. true if the specified is equal to the current ; otherwise, false. Equalses the specified res. The res. Serves as a hash function for a particular type. A hash code for the current . Gets or sets a value indicating the resource primary key value. The resource primary key value. Gets or sets a value indicating the user-friendly description of the resource. The user-friendly description of the resource. Gets or sets a value indicating the resource type. The resource type. The type must be one of the described resource types in ResourceTypes collection. Gets or sets a value indicating if the resource is a available. A value indicating if the resource is a available. Resources marked as unavailable will not be visible in the drop-down lists in the advanced form (if applicable). Gets or sets the cascading style sheet (CSS) class rendered for appointments that use this resource. The cascading style sheet (CSS) class rendered for appointments that use this resource. The default value is Empty. You can define your own CSS class name or use some of the predefined class names: rsCategoryRed rsCategoryBlue rsCategoryOrange rsCategoryGreen Gets the collection of arbitrary attributes that do not correspond to properties on the resource. A AttributeCollection of name and value pairs. Gets the header controls. The header controls. Gets or sets the data item represented by the Resource object in the RadScheduler control. This property is available only during data binding. This Class defines the Resource Collection that inherits StronglyTypedStateManagedCollection and IEnumerable collections. Gets the first resource (if any) of the specified type. The type of resource to search for. The first resource of the specified type; null if no resource matches. Gets the resources of the specified type. The type of resource to search for. The resources of the specified type. Gets the resource that matches the specified type and key. The type. The key. The resource that matches the specified type and key; null if no resource matches. This Class defines the ResourceType object. Determines whether the specified is equal to the current . The to compare with the current . The parameter is null. true if the specified is equal to the current ; otherwise, false. Equalses the specified res type. Type of the res. Serves as a hash function for a particular type. A hash code for the current . Gets or sets the key field. The key field. Gets or sets the data source. The data source. Gets or sets the name. The name. Gets or sets the text field. The text field. Gets or sets the foreign key field. The foreign key field. Gets or sets the data source ID. The data source ID. Gets or sets the allow multiple values. The allow multiple values. This Class defines ResourceType collection. Finds by name. The name. Adds the specified item. The item. Inserts the specified index. The index. The item. This Class defines the SchedulerAppointmentContainer. Gets or sets the appointment. The appointment. Gets or sets the template. The template. This Class defines the SchedulerFormContainer that inherits SchedulerAppointmentContainer. This property is overridden in order to allow the client-side script to easily locate child controls. The default value is changed to "AutoID". Gets or sets the template. The template. Gets or sets the mode. The mode. For internal use only. For internal use only. Deserializes from JSON. The json. The scheduler. Gets or sets the appointment ID. The appointment ID. Gets or sets the start date. The start date. Gets or sets the start date parsed. The start date parsed. Gets or sets the end date. The end date. Gets or sets the end date parsed. The end date parsed. Gets or sets the command. The command. Gets or sets the name of the context menu command. The name of the context menu command. Gets or sets the edit series. The edit series. Gets or sets the scroll top. The scroll top. Gets or sets the index of the target slot. The index of the target slot. Gets or sets the index of the last slot. The index of the last slot. Gets or sets the index of the source slot. The index of the source slot. Gets or sets the appointment. The appointment. Gets or sets the width of the slot. The width of the slot. Gets or sets the height of the slot. The height of the slot. Gets or sets the index of the menu item. The index of the menu item. Gets or sets the context menu ID. The context menu ID. For internal use only. This Class sets the styles for WeekView. This Class sets the styles for MonthView. This Class sets the styles for YearView. This Class sets the styles for the FormBuilder. This Class sets the styles for AdvancedForm. This Class sets the styles for InlineForm. This Class sets the styles for Lightweight RenderMode. For internal use only. For internal use only. Represents a directory item in the FileBrowser control. The base class of the FileItem and DirectoryItem classes. Contains the common functionality. Serializes the item into a javascript array. This method should be overridden only when developing a custom FileBrowser control. a StringWriter used as a target for the serialization. Utility method used when serializing. Escapes a string for javascript. Utility method used when serializing. Writes a javascript array separator. Utility method used when serializing. Removes the last javascript array separator from the underlying StringBuilder of writer. Serializes the Attributes array. Gets or sets a string array containing custom values which can be used on the client when customizing the FileBrowser control. Gets the full virtual path to the file/directory item. Gets the name of the file item. The value of this property will be displayed in the FileBrowser control. Gets the permissions on the file item. Gets the tag of the file/directory item. Used in custom content providers (can store additional data). Clears the Directories array. Can be used when building the directory list in List mode. Serializes the directory item into a javascript array. This method should be overridden only when developing a custom FileBrowser control. a StringWriter used as a target for the serialization. Serializes the children of the directory item as a javascript array. Recursively calls the Serialize methods of all child objects. a StringWriter used as a target for the serialization. Creates an instance of the DirectoryItem class. Creates an instance of the DirectoryItem class. The name of the directory item. The location of the directory item. To let the FileBrowser control automatically build its path you should set this parameter to string.Empty. If the DirectoryItem is a root item, this parameter must contain the virtual location of the item. The full virtual path of the directory item. Used by the ContentProvider for populating the Directories and Files properties. The tag of the directory item. Used when the virtual path must be different than the url of the item. When the value of this property is set, the FileBrowser control uses it instead of the combined virtual path. The permissions for this directory item. A FileItem array containing all child file items. A DirectoryItem array containing all child directory items. Gets the full virtual path to the directory item. Gets the full virtual path to the directory item. Gets the virtual location of the directory item. When the item is not root, the value of this property should be string.Empty. The FileBrowser control recursively combines the names of all parent directory items in order to get the full virtual path of the item. Gets a DirectoryItem array containing all child directory items. Gets a FileItem array containing all child file items. Provides storage independent mechanism for uploading files and populating the content of the FileBrowser dialog controls. Creates a new instance of the class. Used internally by FileManager to create instances of the content provider. The current HttpContext. Search patterns for files. Allows wildcards. The paths which will be displayed in the FileManager. You can disregard this value if you have custom mechanism for determining the rights for directory / file displaying. The paths which will allow uploading in the FileManager. You can disregard this value if you have custom mechanism for determining the rights for uploading. The paths which will allow deleting in the dialog. You can disregard this value if you have custom mechanism for determining the rights for deleting. The selected url in the file browser. The file browser will navigate to the item which has this url. The selected tag in the file browser. The file browser will navigate to the item which has this tag. Normalizes paths that contain parent references - /.. The path that will be normalized The normalized path that now points directly to its target Resolves a root directory with the given path in list mode. The virtual path of the directory. A DirectoryItem array, containing the root directory and all child directories. Resolves a root directory with the given path in tree mode. This method populates the Directories collection in the returned DirectoryItem The virtual path of the directory. A DirectoryItem, containing the root directory. Resolves a directory with the given path. This method populates the Files collection in the returned DirectoryItem The virtual path of the directory. A DirectoryItem, containing the directory. Used mainly in the Ajax calls. Get the name of the file with the given url. The url of the file. String containing the file name. Gets the virtual path of the item with the given url. The url of the item. String containing the path of the item. Gets a read only Stream for accessing the file item with the given url. The url of the file. Stream for accessing the contents of the file item with the given url. Stores an image with the given url and image format. The Bitmap object to be stored. The url of the bitmap. The image format of the bitmap. string.Empty when the operation was successful; otherwise an error message token. Used when creating thumbnails in the ImageManager dialog. Creates a file item from a HttpPostedFile to the given path with the given name. The uploaded HttpPostedFile to store. The virtual path where the file item should be created. The name of the file item. Additional values to be stored such as Description, DisplayName, etc. String containing the full virtual path (including the file name) of the file item. The default FileUploader control does not include the arguments parameter. If you need additional arguments you should create your own FileUploader control. Creates a file item from a Telerik.Web.UI.UploadedFile in the given path with the given name. The UploadedFile instance to store. The virtual path where the file item should be created. The name of the file item. Additional values to be stored such as Description, DisplayName, etc. String containing the full virtual path (including the file name) of the file item. The default FileUploader control does not include the arguments parameter. If you need additional arguments you should create your own FileUploader control. Deletes the file item with the given virtual path. The virtual path of the file item. string.Empty when the operation was successful; otherwise an error message token. Deletes the directory item with the given virtual path. The virtual path of the directory item. string.Empty when the operation was successful; otherwise an error message token. Creates a directory item in the given path with the given name. The path where the directory item should be created. The name of the new directory item. string.Empty when the operation was successful; otherwise an error message token. Moves a file from a one virtual path to a new one. This method can also be used for renaming items. old virtual location new virtual location string.Empty when the operation was successful; otherwise an error message token. Moves a directory from a one virtual path to a new one. This method can also be used for renaming items. old virtual location new virtual location string.Empty when the operation was successful; otherwise an error message token. Copies a file from a one virtual path to a new one. old virtual location new virtual location string.Empty when the operation was successful; otherwise an error message token. Copies a directory from a one virtual path to a new one old virtual location new virtual location string.Empty when the operation was successful; otherwise an error message token. Removes the protocol and the server names from the given url. Fully qualified url to a file or directory item. The root based absolute path.

Url: http://www.myserver.com/myapp/mydirectory/myfile Result: /myapp/mydirectory/myfile

Url: www.myserver.com/myapp/mydirectory/myfile Result: /myapp/mydirectory/myfile

Checks if the current configuration allows reading from the specified folder The virtual path that will be checked True if reading is allowed, otherwise false Checks if the current configuration allows deleting from the specified folder the virtual path that will be checked true if deleting is allowed, otherwise false Checks if the current configuration allows writing (uploading) to the specified folder the virtual path that will be checked true if writing is allowed, otherwise false Gets a value indicating whether the ContentProvider can create directory items or not. The visibility of the Create New Directory icon is controlled by the value of this property. The HttpContext object, set in the constructor of the class. Gets or sets the url of the selected item. The file browser will navigate to the item which has this url. Gets or sets the tag of the selected item. The file browser will navigate to the item which has this tag. Used mainly in Database content providers, where the file items have special url for accessing. Gets the search patterns for the file items to be displayed in the FileBrowser control. This property is set in the constructor of the class. Supports wildcards. Gets the paths which will be displayed in the dialog. This is passed by RadEditor and is one of the values of ImagesPaths, DocumentsPaths, MediaPaths, FlashPaths, TemplatesPaths properties. You can disregard this value if you have custom mechanism for determining the rights for directory / file displaying. Gets the paths which will allow uploading in the dialog. This is passed by RadEditor and is one of the values of UploadImagesPaths, UploadDocumentsPaths, UploadMediaPaths, UploadFlashPaths, UploadTemplatesPaths properties. You can disregard this value if you have custom mechanism for determining the rights for uploading. The paths which will allow deleting in the dialog. This is passed by RadEditor and is one of the values of DeleteImagesPaths, DeleteDocumentsPaths, DeleteMediaPaths, DeleteFlashPaths, DeleteTemplatesPaths properties. You can disregard this value if you have custom mechanism for determining the rights for deleting. The character, used to separate parts of the virtual path (e.g. '/' is the path separator in /path1/path2/file) Represents a file item in the FileBrowser control. Serializes the file item into a javascript array. This method should be overridden only when developing a custom FileBrowser control. a StringWriter used as a target for the serialization. Creates an instance of the FileItem class without setting any initial values. Creates an instance of the FileItem class. The name of the file item. The value of this property will be displayed in the FileBrowser control. The file extension of the file item. The size of the file item in bytes. The virtual path to the file item (needs to be unique). When the value is string.Empty, the location is the parent's full path + the name of the file. The url which will be inserted into the RadEditor content area. The tag of the file item. Used when the virtual path must be different than the url of the item. When the value of this property is set, the FileBrowser control uses it instead of the combined virtual path. The permissions on the file item. Gets the file extension of the file item. Gets the size of the file item in bytes. Gets the virtual path of the parent directory item. When the value is string.Empty, the location is got from the item's parent. Gets the virtual path of the parent directory item. When the value is string.Empty, the location is got from the item's parent. Gets the url which will be inserted into the RadEditor content area. Checks whether the given folder path is one of the DeletePaths. The folder path to check. True if the path is one of the DeletePaths. Represents the actions which will be allowed on the FileBrowserItem.

If you want to specify multiple permissions, use the following syntax:

            Dim permissions As PathPermissions = PathPermissions.Read Or PathPermissions.Upload Or PathPermissions.Delete
            
The default permission. The FileBrowserItem can only be displayed. Used for DirectoryItems. If enabled, the Upload tab of the dialog will be enabled when the DirectoryItem is opened. If enabled, the DirectoryItem or the FileItem can be deleted. RadToolTip class Get/Set the target control of the tooltip Takes a string value that should be either the server ID, or the ClientID of the targeted control, depending on the value of the IsClientID property Get/Set whether the TargetControlID is server or client ID Controls the overflow of the tooltip content. Overflow is set to auto. The numeric value is 0 Overflow is set to hidden. The numeric value is 1 Overflow is set to empty string, overflow-x is set to scroll, overflow-y is set to none. The numeric value is 2 Overflow is set to empty string, overflow-x is set to none, overflow-y is set to scroll. The numeric value is 3 Overflow is set to scroll. The numeric value is 0 Nothing is set explicitly, leaves the default browser behavior. The numeric value is 0 Controls the initial position of the tooltip regarding its target element (or the browser viewport). It may be recalculated dynamically depending on the position of the target element and the size of the tooltip. The tooltip is positioned above and on the left from the target element. The numeric value is 11 The tooltip is positioned above and in the horizontal middle of the target element. The numeric value is 12 The tooltip is above and on the right from the target element. The numeric value is 13 The tooltip is on the left of the target pointing to its vertical middle. The numeric value is 21 The tooltip is centered above the target. The numeric value is 22 The tooltip is on the right of the target pointing to its vertical middle. The numeric value is 23 The tooltip is below and on the left of the target element. The numeric value is 31 The tooltip is below and in the horizontal middle of the target element. The numeric value is 32 The tooltip is below and on the right of the target element. The numeric value is 33 Controls according to which element the tooltip's relativity is calculated. The tooltip's position is calculated with respect to the mouse pointer. The numeric value is 0 The tooltip's position is calculated with respect to the target element bounds. The numeric value is 1 The tooltip's position is calculated with respect to the browser viewport. The positions in this case refer to positions in the respective corner/side of the viewport, not outside. The numeric value is 2 Controls the animation that is used to make the tooltip initially visible. No animation is used by default. No animation is used. This is the default value. The numeric value is 0 Shows the tooltip with a size increase from 0 to the size set in its properties. The numeric value is 1 Shows the tooltip with a change of the opacity from transparent to opaque. The numeric value is 2 Slides the tooltip down from its top. The numeric value is 4 Shows the tooltip with a change of position from outside of the viewport to the position specified by its properties. The numeric value is 8 Specifies which is the client-side event that causes the tooltip to show. By default this is OnMouseOver. The tooltip is shown when the mouse moves over the target element. The numeric value is 1 The tooltip is shown when the mouse's left button is clicked within the target element. The numeric value is 2 The tooltip is shown when the mouse's right button is clicked within the target element. The numeric value is 4 The tooltip is shown when the target element receives focus. Most useful for input elements. The numeric value is 8 The tooltip is shown only when explicitly called via JavaScript. The numeric value is 16 Specifies the event/sequence of events that causes the tooltip to hide. By default this happens when the mouse leaves the target element. In all cases if another RadToolTip is to be shown the previous one will be hidden. The tooltip is hidden when the mouse leaves the target element. The numeric value is 1 The tooltip is hidden when the mouse leaves the tooltip itself. The numeric value is 2 The tooltip is hidden when the tooltip's close button is clicked. The numeric value is 4 The tooltip is hidden when the mouse moves over the tooltip, back to the target element and leaves both. The numeric value is 8 The tooltip is hidden when explicitly called via JavaScript. The numeric value is 16 An object of this type can be added as a TargetControl of the RadToolTipManager. Generic constructor. Creates a new target control object based on the provided arguments. The server ID of the target control. Creates a new target control object based on the provided arguments. An ID (server or client) for the target control. A boolean value indicating whether a server or client ID was provided. Creates a new target control object based on the provided arguments. The server ID of the target control. An arbitrary value that can be used to provide additional information when loading the content. Creates a new target control object based on the provided arguments. An ID (server or client) for the target control. An arbitrary value that can be used to provide additional information when loading the content. A boolean value indicating whether a server or client ID was provided. A flag that indicates what type of ID (server/client) was provided. A boolean flag. Must be set according to the value of the property. Must be set to true if ClientID has been passed, otherwise to false. The target control's ID. A string that indicates the ID. According to the ID of the targeted control that you pass the property must be set. If it is the server ID set it to false, if it is the ClientID - set it to true. In the case of dynamically created controls their ClientID is available only after they have been added to their container. In INaming container scenarios (e.g. grids) it is better to use the ClientID to avoid duplicates. An arbitrary value that can be used to provide additional information when loading the content. A string that is generated when adding the target control. It is passed as a field in the object that is passed as event arguments to the OnAjaxUpdate event handler. Adds a new target control for the ToolTipManager. A parameter of type . Adds a new target control for the ToolTipManager. The server ID of the targeted control. Adds a new target control for the ToolTipManager. The ID of the control that will be added. Set the isClientID property according to whether this ID is the server or ClientID. A boolean value that indicates whether the ClientID was passed for the target control. Set it according to the controlID parameter. Adds a new target control for the ToolTipManager. The ID of the control that will be added. Set the isClientID property according to whether this ID is the server or ClientID. An arbitrary value that can be used to provide additional information when loading the content. A boolean value that indicates whether the ClientID was passed for the target control. Set it according to the controlID parameter. Adds a new target control for the ToolTipManager. The server ID of the targeted control. An arbitrary value that can be used to provide additional information when loading the content. The event arguments object that is passed to the OnAjaxUpdate event handler. Holds information about the target control and its associated tooltip. The ClientID of the target control for which the tooltip is currently being shown. An optional parameter allowing arbitrary information to be passed from the client to the server to help determine what information to load in the tooltip in the AJAX request. Provides a reference to the UpdatePanel of RadToolTipManager. Allows content and controls to be set and displayed in the tooltip on the client. The event handler that is called when the OnAjaxUpdate event is fired. the RadToolTipManager instance that fired the event. Event arguments object of type . This Class defines the SPRadUploadHttpModule that inherits the RadUploadHttpModule. This Class defines the RadUploadHttpModule that inherits the IHttpModule. Disposes of the resources (other than memory) used by the module that implements . Initializes a module and prepares it to handle requests. Gets the IsRegistered. The IsRegistered. Gets or sets the context. The context. Inits the specified app. The app. The byte array, which is currently being used The index (distributed in the _bufferedBytes array and the chunk), at which the field starts The count of the field bytes to be added to the state store Indicates if this is the final part of data for the field (i.e. a boundary was found) This class defines the RadProgressContext object. Serializes the specified writer. The writer. Gets or sets the primary total. The primary total. Gets or sets the primary value. The primary value. Gets or sets the primary percent. The primary percent. Gets or sets the secondary total. The secondary total. Gets or sets the secondary value. The secondary value. Gets or sets the secondary percent. The secondary percent. Gets or sets the current operation text. The current operation text. Gets or sets the speed. The speed. Gets or sets the time estimated. The time estimated. Gets or sets the time elapsed. The time elapsed. Gets or sets the operation complete. The operation complete. Removes the progress context. The context. Serializes the specified writer. The writer. Serializes the specified writer. The writer. The is JSON. Gets the current. The current. RadProgressManager control This partial class describes the Client Properties and Events of RadProgressManager. Adds RadUrid=[GUID] parameter to the supplied URL. Use this method to generate proper URL for cross page postbacks which will enable RadMemoryOptimization and RadProgressArea. This example demonstrates how to set the PostBackUrl property of a button in order to enable RadMemoryOptimization and RadProgressArea. This example will postback to the current page, but you could use URL of your choice. Button1.PostBackUrl = RadProgressManager1.ApplyUniquePageIdentifier(Request.Url.PathAndQuery) Button1.PostBackUrl = RadProgressManager1.ApplyUniquePageIdentifier(Request.Url.PathAndQuery); Gets or sets the URL which the AJAX calls will be made to. Check the help for more information. The ajax URL. Gets or sets the OnClientProgressStarted event value in the ViewState. The on client progress started. Gets or sets the OnClientProgressUpdating event value in the ViewState. The on client progress updating. Gets or sets the OnClientSubmitting event value in the ViewState. The on client submitting. Gets or sets the register for submit. The register for submit. Deprecated. Memory optimization is implemented as part of the .NET Framework and is no longer a feature of RadUpload. Gets or sets a value indicating whether an error message will be displayed when the RadUploadHttpModule is not registered. Gets or sets the period (in milliseconds) of the progress data refresh. The period of the progress data refresh in milliseconds. The default value is 500. The refresh period might not be exactly the same as the value specified if the AJAX request has not been completed before the upload. The minimum value is 50 ms. Note: If the value is very low (50ms) both the client CPU and server CPU load would increase because of the increased number of AJAX requests performed. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. RadProgressManager's FormId property is not used anymore. Please, remove any assignments. Specifies which control objects will be visible on a RadUpload control. Only the file inputs will be visible. Display checkboxes for selecting a file input. Display buttons for removing a file input. Display buttons for clearing a file input. Display button for adding a file input. Display button for removing the file inputs with checked checkboxes. CheckBoxes | RemoveButtons | AddButton | DeleteSelectedButton CheckBoxes | RemoveButtons | ClearButtons | AddButton | DeleteSelectedButton Telerik RadUpload RadUpload Fires the ValidatingFile event. Fires the FileExists event. Occurs before the internal validation of every file in the UploadedFiles collection. To skip the internal validation of the file, set e.SkipInternalValidation = true. This example demonstrates how to implement custom validation for specific file type. Private Sub RadUpload1_ValidatingFile(ByVal sender As Object, ByVal e As WebControls.ValidateFileEventArgs) Handles RadUpload1.ValidatingFile If e.UploadedFile.GetExtension.ToLower = ".zip" Then Dim maxZipFileSize As Integer = 10000000 '~10MB If e.UploadedFile.ContentLength > maxZipFileSize Then e.IsValid = False End If 'The zip files are not validated for file size, extension and mime type e.SkipInternalValidation = True End If End Sub private void RadUpload1_ValidatingFile(object sender, ValidateFileEventArgs e) { if (e.UploadedFile.GetExtension().ToLower() == ".zip") { int maxZipFileSize = 10000000; //~10MB if (e.UploadedFile.ContentLength > maxZipFileSize) { e.IsValid = false; } //The zip files are not validated for file size, extension and content type e.SkipInternalValidation = true; } } MaxFileSize Property AllowedMimeTypes Property AllowedFileExtensions Property Occurs after an unsuccessful attempt for automatic saving of a file in the UploadedFiles collection. This event should be consumed only when the automatic file saving is enabled by setting the TargetFolder property. In this mode the files are saved in the selected folder with the same name as on the client computer. If a file with such name already exists in the TargetFolder it is either overwritten or skipped depending the value of the OverwriteExistingFiles property. This event is fired if OverwriteExistingFiles is set to false and a file with the same name already exists in the TargetFolder. This example demonstrates how to create custom logic for renaming and saving the existing uploaded files. Private Sub RadUpload1_FileExists(ByVal sender As Object, ByVal e As WebControls.UploadedFileEventArgs) Handles RadUpload1.FileExists Dim TheFile As Telerik.WebControls.UploadedFile = e.UploadedFile TheFile.SaveAs(Path.Combine(RadUpload1.TargetFolder, TheFile.GetNameWithoutExtension() + "1" + TheFile.GetExtension()), true) End Sub private void RadUpload1_FileExists(object sender, Telerik.WebControls.UploadedFileEventArgs e) { Telerik.WebControls.UploadedFile TheFile = e.UploadedFile; TheFile.SaveAs(Path.Combine(RadUpload1.TargetFolder, TheFile.GetNameWithoutExtension() + "1" + TheFile.GetExtension()), true); } OverwriteExistingFiles Property TargetFolder Property TargetPhysicalFolder Property Gets the localization. The localization. Gets or sets a value indicating where will look for its .resx localization files. The localization path. Gets or sets the size of the file input field The default value is 23. Gets or sets the allowed file extensions for uploading. Set this property to empty array of strings in order to prevent the file extension checking. Note that the file extensions must include the dot before the actual extension. See the example below. The default value is empty string array. In order to check for multiple file extensions you should set an array of strings containing the allowed file extensions for uploading. This example demonstrates how to set multiple allowed file extensions in a RadUpload control. Dim allowedFileExtensions As String() = New String(2) {".zip", ".doc", ".config"} RadUpload1.AllowedFileExtensions = allowedFileExtensions string[] allowedFileExtensions = new string[3] {".zip", ".doc", ".config"}; RadUpload1.AllowedFileExtensions = allowedFileExtensions; MaxFileSize Property AllowedMimeTypes Property ValidatingFile Event Gets or sets the allowed MIME types for uploading. Set this property to string.Empty in order to prevent the mime type checking. The default value is empty string array. In order to check for multiple mime types you should set an array of strings containing the allowed MIME types for uploading. This example demonstrates how to set multiple allowed MIME types to a RadUpload control. ' For example you can Get these from your web.config file Dim commaSeparatedMimeTypes As String = "application/octet-stream,application/msword,video/mpeg" Dim allowedMimeTypes As String() = commaSeparatedMimeTypes.Split(",") RadUpload1.AllowedMimeTypes = allowedMimeTypes // For example you can get these from your web.config file string commaSeparatedMimeTypes = "application/octet-stream,application/msword,video/mpeg"; string[] allowedMimeTypes = commaSeparatedMimeTypes.Split(','); RadUpload1.AllowedMimeTypes = allowedMimeTypes; MaxFileSize Property AllowedFileExtensions Property ValidatingFile Event Gets or sets the value indicating which control objects will be displayed. The default value is ControlObjectsVisibility.Default. You can set any combination of the enum values. ControlObjectVisibility enum members Member Description None Only the file inputs will be visible. CheckBoxes Display checkboxes for selecting a file input. RemoveButtons Display buttons for removing a file input. ClearButtons Display buttons for clearing a file input. AddButton Display button for adding a file input. DeleteSelectedButton Display button for removing the file inputs with checked checkboxes. Default CheckBoxes | RemoveButtons | AddButton | DeleteSelectedButton All CheckBoxes | RemoveButtons | ClearButtons | AddButton | DeleteSelectedButton This example demonstrates how to display only the Add and Remove buttons on a RadUpload control. RadUpload1.ControlObjectsVisibility = Telerik.WebControls.ControlObjectsVisibility.AddButton Or _ Telerik.WebControls.ControlObjectsVisibility.RemoveButtons RadUpload1.ControlObjectsVisibility = Telerik.WebControls.ControlObjectsVisibility.AddButton | Telerik.WebControls.ControlObjectsVisibility.RemoveButtons; MaxFileInputsCount Property InitialFileInputsCount Property ControlObjectsVisibility Enumeration Gets or sets the value indicating whether the file input fields skinning will be enabled. true when the file input skinning is enabled; otherwise false. The <input type=file> DHTML elements are not skinnable by default. If the EnableFileInputSkinning is true some browsers can have strange behavior. Gets or sets the initial count of file input fields, which will appear in RadUpload. The file inputs count which will be available at startup. The default value is 1. MaxFileInputsCount Property ControlObjectsVisibility Property Provides access to the invalid files uploaded by the RadUpload instance. This is populated only if a validation was set. If the internal validation is enabled this collection contains the invalid uploaded files for the particular instance of RadUpload control. Gets or sets the localization language of the RadUpload user interface. A string containing the localization language of the RadUpload user interface. The default value is en-US. Gets or sets the selected culture. Localization strings will be loaded based on this value. The culture. Gets or sets the maximum file input fields that can be added to the control. The default value is 0 (unlimited). Using this property you can limit the maximum number of file inputs which can be added to a RadUpload instance. InitialFileInputsCount Property ControlObjectsVisibility Property Gets or sets the maximum file size allowed for uploading in bytes. The default value is 0 (unlimited). Set this property to 0 in order to prevent the file size checking. AllowedMimeTypes Property AllowedFileExtensions Property ValidatingFile Event Gets or sets the name of the client-side function which will be executed before a new file input is added to a RadUpload instance. The default value is string.Empty. This example demonstrates how to create a javascript function which is called every time when the used adds a new file input to the RadUpload instance. <radU:RadUpload OnClientAdding="myOnClientAdding" ... /> ... <script> function myOnClientAdding() { alert("You just added a new file input."); } </script> <radU:RadUpload OnClientAdding="myOnClientAdding" ... /> ... <script> function myOnClientAdding() { alert("You just added a new file input."); } </script> Gets or sets the name of the client-side function which will be executed after a new file input is added to a RadUpload instance. The default value is string.Empty. This example demonstrates how to create a javascript function which is called every time when the used adds a new file input to the RadUpload instance. <radU:RadUpload OnClientAdded="myOnClientAdded" ... /> ... <script> function myOnClientAdded() { alert("You just added a new file input."); } </script> <radU:RadUpload OnClientAdded="myOnClientAdded" ... /> ... <script> function myOnClientAdded() { alert("You just added a new file input."); } </script> Gets or sets the name of the client-side function which will be executed before a file input is deleted from a RadUpload instance. The default value is string.Empty. This example demonstrates how to implement a confirmation dialog when removing a file input item. <radU:RadUpload OnClientDeleting="myOnClientDeleting" ... /> <script language="javascript"> function myOnClientDeleting() { return prompt("Are you sure?"); } </script> <radU:RadUpload OnClientDeleting="myOnClientDeleting" ... /> <script language="javascript"> function myOnClientDeleting() { Return prompt("Are you sure?"); } </script> If you want to cancel the deleting of the file input return false in the javascript handler. Gets or sets the name of the client-side function which will be executed before a file input field is cleared in a RadUpload instance using the Clear button. The default value is string.Empty. This example demonstrates how to create a client side confirmation dialog when clearing a file input item of a RadUpload instance. <radU:RadUpload OnClientClearing="myOnClientClearing" ... /> ... <script> function myOnClientClearing() { return confirm("Are you sure you want to clear this input?"); } </script> <radU:RadUpload OnClientClearing="myOnClientClearing" ... /> ... <script> function myOnClientClearing() { Return confirm("Are you sure you want to clear this input?"); } </script> Gets or sets the name of the client-side function which will be executed when a file input value changed. The default value is string.Empty. Gets or sets the name of the client-side function which will be executed before the selected file inputs are removed. The default value is string.Empty. This example demonstrates how to create a client side confirmation dialog when removing the selected file input items from a RadUpload control. <radU:RadUpload OnClientDeletingSelected="myOnClientDeletingSelected" ... /> <script> function myOnClientDeletingSelected() { var mustCancel = confirm("Are you sure?"); return mustCancel; } </script> <radU:RadUpload OnClientDeletingSelected="myOnClientDeletingSelected" ... /> <script> function myOnClientDeletingSelected() { var mustCancel = confirm("Are you sure?"); return mustCancel; } </script> You can cancel the removing of the file input items by returning false in the javascript function. Gets or sets the value indicating whether RadUpload should overwrite existing files having same name in the TargetFolder. true when the existing files should be overwritten; otherwise false. The default value is false. When set to true, the existing files are overwritten, else no action is taken. FileExists Event TargetFolder Property TargetPhysicalFolder Property Gets or sets a value indicating if the file input fields should be read-only (e.g. no typing allowed). true when the file input fields should be read-only; otherwise false. When users type into the box and the filename is not valid, the form submission in Internet Explorer could not proceed or even display a javascript error. This behavior can be avoided by setting the ReadOnlyFileInputs property to true. Gets or sets the virtual path of the folder, where RadUpload will automatically save the valid files after the upload completes. A string containing the virtual path of the folder where RadUpload will automatically save the valid files after the upload completes. The default value is string.Empty. When set to string.Empty, the files must be saved manually to the desired location. If both TargetPhysicalFolder property and this property are set, the TargetPhysicalFolder will override the virtual path provided by TargetFolder. OverwriteExistingFiles Property FileExists Event TargetPhysicalFolder Property Gets or sets the physical path of the folder, where RadUpload will automatically save the valid files after the upload completes. A string containing the physical path of the folder where RadUpload will automatically save the valid files after the upload completes. The default value is string.Empty. When set to string.Empty, the files must be saved manually to the desired location. If both TargetFolder property and this property are set, the TargetPhysicalFolder will override the virtual path provided by TargetFolder. TargetFolder Property OverwriteExistingFiles Property FileExists Event Provides access to the valid files uploaded by the RadUpload instance. UploadedFileCollection containing all valid files uploaded using a RadUpload control. The collection contains only the files uploaded with the particular instance of the RadUpload control. If the RadUploadHttpModule is used, the uploaded files are removed from the Request.Files collection in order to conserve the server's memory. Else the Request.Files contains all uploaded files as a HttpPostedFile collection and each RadUpload instance has its own uploaded files as UploadedFileCollection. This example demonstrates how to save the valid uploaded files with a RadUpload control. For Each file As Telerik.WebControls.UploadedFile In RadUpload1.UploadedFiles file.SaveAs(Path.Combine("c:\my files\", file.GetName()), True) Next foreach (Telerik.WebControls.UploadedFile file in RadUpload1.UploadedFiles) { file.SaveAs(Path.Combine(@"c:\my files\", file.GetName()), true); } Gets or sets the value indicating whether the first file input field of RadUpload should get the focus on itself on load. true when the first file input field of RadUpload should get the focus; otherwise false. The default value is false. Gets a value indicating whether the RadUpload HttpModule is registered in the current web.application This Class defines the RadUploadContext object. Gets the current. The context. Gets the uploaded files. The uploaded files. Gets the current. The current. Provides access to and organizes files uploaded by a client. Clients encode files and transmit them in the content body using multipart MIME format with an HTTP Content-Type header of multipart/form-data. RadUpload extracts the encoded file(s) from the content body into individual members of an UploadedFileCollection. Methods and properties of the UploadedFile class provide access to the contents and properties of each file. Gets an individual UploadedFile object from the file collection. In C#, this property is the indexer for the UploadedFileCollection class. The UploadedFile specified by index. The following example retrieves the first file object (index = 0) from the collection sent by the client and retrieves the name of the actual file represented by the object. Dim MyUploadedFile As UploadedFile = RadUpload1.UploadedFiles(0) Dim MyFileName As String = UploadedFile.FileName HttpPostedFile MyUploadedFile = RadUpload1.UploadedFiles[0]; String MyFileName = MyUploadedFile.FileName; UploadedFile Class The index of the item to get from the file collection. This class loads the dialog resources - localization, skins, base scripts, etc. Gets or sets a string containing the localization language for the RadEditor UI Telerik RadWindowManager Shows a RadAlert dialog when the page is loaded on the client. The text that will be shown in the dialog The width of the dialog. The height of the dialog. The title of the dialog. The name of the JavaScript function that will be called when the dialog is closed. Passing an empty string will not require a callback function. Shows a RadAlert dialog when the page is loaded on the client. The text that will be shown in the dialog The width of the dialog. The height of the dialog. The title of the dialog. The name of the JavaScript function that will be called when the dialog is closed. Passing an empty string will not require a callback function. The URL to the new image that will appear on the left side of the dialog. An empty string will remove the image, null/Nothing will keep the original image Shows a RadConfirm dialog when the page is loaded on the client. The text that will be shown in the dialog. The name of the JavaScript function that will be called when the dialog is closed. Passing an empty string will not require a callback function. The width of the dialog. The height of the dialog. Must be null/Nothing. The title of the dialog. For more information see the following help article: http://www.telerik.com/help/aspnet-ajax/window-dialogs-confirm.html. Shows a RadConfirm dialog when the page is loaded on the client. The text that will be shown in the dialog. The name of the JavaScript function that will be called when the dialog is closed. Passing an empty string will not require a callback function. The width of the dialog. The height of the dialog. Must be null/Nothing. The title of the dialog. The URL to the new image that will appear on the left side of the dialog. An empty string will remove the image, null/Nothing will keep the original image For more information see the following help article: http://www.telerik.com/help/aspnet-ajax/window-dialogs-confirm.html. Shows a RadPrompt dialog when the page is loaded on the client. The text that will be shown in the dialog. The name of the JavaScript function that will be called when the dialog is closed. Passing an empty string will not require a callback function. The width of the dialog. The height of the dialog. Must be null/Nothing. The title of the dialog. The default value in the input field. Gets the collection of RadWindow objects the RadWindowManager has. Gets or sets a value indicating whether the RadWindow objects' state (size, location, behavior) will be persisted in a client cookie to restore state over page postbacks/visits. This property allows to specify the HTML for the RadAlert popup Fore more information see this KB article: http://www.telerik.com/support/kb/aspnet-ajax/window/change-the-templates-of-the-predefined-dialogs-radalert-radconfirm-and-radprompt.aspx. This property allows to specify the HTML for the RadConfirm popup Fore more information see this KB article: http://www.telerik.com/support/kb/aspnet-ajax/window/change-the-templates-of-the-predefined-dialogs-radalert-radconfirm-and-radprompt.aspx. This property allows to specify the HTML for the RadPrompt popup Fore more information see this KB article: http://www.telerik.com/support/kb/aspnet-ajax/window/change-the-templates-of-the-predefined-dialogs-radalert-radconfirm-and-radprompt.aspx. The enumerator that holds the possible values for the Animation property. No animation. This is the default value. Numeric value: 0 Shows the RadWindow with a size increase from 0 to the size set in its properties. Numeric value: 1 Shows the RadWindow with a change of the opacity from transparent to opaque. Numeric value: 2 Slides the RadWindow down from its title bar. Numeric value: 4 Shows the RadWindow with a change of position from outside of the viewport to the position specified by its properties. Numeric value: 8 Specifies the automatic resize behavior of a RadWindow. Resizes according to the width of the content. The top left corner stays in place. Numeric value: 1 Resizes according to the Width of the content. The RadWindow repositions to distribute the size change evenly on both sides. Numeric value: 2 Resizes according to the height of the content. The top left corner stays in place. Numeric value: 4 Resizes according to the height of the content. The RadWindow repositions to distribute the size change evenly on both sides. Numeric value: 8 Resizes according to both the width and height of the content. Distributes the size change evenly in all directions. Equivalent to WidthProportional plus HeightProportional. (WidthProportional | HeightProportional) Specifies the behaviors of the RadWindow object No behavior is specified. Numeric value: 0x0 The object can be resized. Numeric value: 1 The object can be minimized. Numeric value: 2 The object can be closed. Numeric value: 4 The object can be pinned. Numeric value: 8 The object can be maximized. Numeric value: 16 The object can be moved. Numeric value: 32 The object will have a reload button. Numeric value: 64 Default object behavior: all together. (Minimize | Maximize | Close | Pin | Resize | Move | Reload) Adds a new RadWindow instance to the Windows collection of the RadWindowManager. The RadWindow instance to be added. Removes a RadWindow instance from the Windows collection of the RadWindowManager. The RadWindow instance to be removed. Removes the RadWindow object at the specified index from the Windows collection of the RadWindowManager. The index of the item to be removed. Clears all items from the Windows collection of the RadWindowManager. The arguments passed when ajax request is initiated from the client. Gets the event argument passed when calling the ajax request from the client. The event argument. The event arguments passed when fires AjaxSettingsCreated event. Gets or sets the control that initiated the request. The control that initiated the request. Gets or sets the updated control. The updated control. Gets the update panel in which the updated control is positioned. The update panel in which the updated controls is positioned. The event arguments passed when fires AjaxSettingsCreating event. Gets or sets if the event will be canceled. If set to true the will not be created Determines if the event will be canceled. Gets or sets the control that initiated the request. The control that initiated the request. Gets or sets the updated control. The updated control. Gets the update panel in which the updated control is positioned. The update panel in which the updated controls is positioned. should be used when you have server code blocks placed within the markup (most often some JavaScript functions accessing server controls). prevents the server error: is used where you have JavaScript that evaluates after an AJAX request, for example when the content of is updated asynchronously. also can be used like to handle server code blocks (<% ... %>). flag to avoid double registration of the scripts It also handles the case when UpdateInitiatorPanelsOnly="true" Registers the content of the ScriptBlock with the ScriptManager Determinates if Page or the Control will be used when registering the script Test if control is child of another control child parent ApocDriver provides the client with a single interface to invoking Apoc XSL-FO. The examples belows demonstrate several ways of invoking Apoc XSL-FO. The methodology is the same regardless of how Apoc is embedded in your system (ASP.NET, WinForm, Web Service, etc). // This example demonstrates rendering an XSL-FO file to a PDF file. ApocDriver driver = ApocDriver.Make(); driver.Render( new FileStream("readme.fo", FileMode.Open), new FileStream("readme.pdf", FileMode.Create)); // This example demonstrates rendering an XSL-FO file to a PDF file. Dim driver As ApocDriver = ApocDriver.Make driver.Render( _ New FileStream("readme.fo", FileMode.Open), _ New FileStream("readme.pdf", FileMode.Create)) // This example demonstrates rendering the result of an XSLT transformation // into a PDF file. ApocDriver driver = ApocDriver.Make(); driver.Render( XslTransformer.Transform("readme.xml", "readme.xsl"), new FileStream("readme.pdf", FileMode.Create)); // This example demonstrates rendering the result of an XSLT transformation // into a PDF file. Dim driver As ApocDriver = ApocDriver.Make driver.Render( _ XslTransformer.Transform("readme.xml", "readme.xsl"), _ New FileStream("readme.pdf", FileMode.Create)) // This example demonstrates using an XmlDocument as the source of the // XSL-FO tree. The XmlDocument could easily be dynamically generated. XmlDocument doc = new XmlDocument() doc.Load("reader.fo"); ApocDriver driver = ApocDriver.Make(); driver.Render(doc, new FileStream("readme.pdf", FileMode.Create)); // This example demonstrates using an XmlDocument as the source of the // XSL-FO tree. The XmlDocument could easily be dynamically generated. Dim doc As XmlDocument = New XmlDocument() doc.Load("reader.fo") Dim driver As ApocDriver = ApocDriver.Make driver.Render(doc, New FileStream("readme.pdf", FileMode.Create)) This interface is implemented by the ApocDriver class to permit usage from COM applications. This is the recommended method of supporting invocation from COM application as it permits interface versioning. Controls the output format of the renderer. Defaults to PDF. Determines if the output stream passed to should be closed upon completion or if a fatal exception occurs. Options to supply to the renderer. Maps a set of credentials to an internet resource The ResourceManager embedded in the core dll. The active driver. Permits the product key to be specified using code, rather than the flakey licenses.licx method. Constructs a new ApocDriver and registers the newly created driver as the active driver. An instance of ApocDriver Sets the the 'baseDir' property in the Configuration class using the value returned by Directory.GetCurrentDirectory(). An optional image handler that can be registered to load image data for external graphic formatting objects. Executes the conversion reading the source tree from the supplied XmlDocument, converting it to a format dictated by the renderer and writing it to the supplied output stream. An in-memory representation of an XML document (DOM). Any subclass of the Stream class. Any exceptions that occur during the render process are arranged into three categories: information, warning and error. You may intercept any or all of theses exceptional states by registering an event listener. See for an example of registering an event listener. If there are no registered listeners, the exceptions are dumped to standard out - except for the error event which is wrapped in a . Executes the conversion reading the source tree from the input reader, converting it to a format dictated by the renderer and writing it to the supplied output stream. A character orientated stream Any subclass of the Stream class Executes the conversion reading the source tree from the file inputFile, converting it to a format dictated by the renderer and writing it to the file identified by outputFile. If the file outputFile does not exist, it will created otherwise it will be overwritten. Creating a file may generate a variety of exceptions. See for a complete list.
Path to an XSL-FO file Path to a file
Executes the conversion reading the source tree from the file inputFile, converting it to a format dictated by the renderer and writing it to the supplied output stream. Path to an XSL-FO file Any subclass of the Stream class, e.g. FileStream Executes the conversion reading the source tree from the input stream, converting it to a format dictated by the render and writing it to the supplied output stream. Any subclass of the Stream class, e.g. FileStream Any subclass of the Stream class, e.g. FileStream Executes the conversion reading the source tree from the input reader, converting it to a format dictated by the render and writing it to the supplied output stream. The evaluation copy of this class will output an evaluation banner to standard out Reader that provides fast, non-cached, forward-only access to XML data Any subclass of the Stream class, e.g. FileStream Retrieves the string resource with the specific key using the default culture A resource key The resource string identified by key from the current culture's setting The key parameter is a null reference The value of the specified resource is not a string No usable set of resources has been found, and there are no neutral culture resources Sends an 'error' event to all registered listeners. If there are no listeners, a is thrown immediately halting execution Any error message, which may be null If no listener is registered for this event, a SystemException will be thrown Sends a 'warning' event to all registered listeners If there are no listeners, message is written out to the console instead Any warning message, which may be null Sends an 'info' event to all registered lisetners If there are no listeners, message is written out to the console instead An info message, which may be null Utility method that creates an for the supplied file The returned interprets all whitespace Utility method that creates an for the supplied file The returned interprets all whitespace Utility method that creates an for the supplied file The returned interprets all whitespace A multicast delegate. The error event Apoc publishes. The method signature for this event handler should match the following:

                void ApocError(object driver, ApocEventArgs e);
                
The first parameter driver will be a reference to the active ApocDriver instance.
Subscribing to the 'error' event
[C#]
{ ApocDriver driver = ApocDriver.Make(); driver.OnError += new ApocDriver.ApocEventHandler(ApocError); ... }
A multicast delegate. The warning event Apoc publishes. The method signature for this event handler should match the following:

                void ApocWarning(object driver, ApocEventArgs e);
                
The first parameter driver will be a reference to the active ApocDriver instance.
A multicast delegate. The info event Apoc publishes. The method signature for this event handler should match the following:

                void ApocInfo(object driver, ApocEventArgs e);
                
The first parameter driver will be a reference to the active ApocDriver instance.
Determines if the output stream should be automatically closed upon completion of the render process. Gets or sets the active . An instance of created via the factory method . Determines which rendering engine to use. A value from the enumeration. The default value is . Gets or sets the base directory used to locate external resourcs such as images. Defaults to the current working directory. Gets or sets the handler that is responsible for loading the image data for external graphics. If null is returned from the image handler, then Apoc will perform normal processing. Gets or sets the time in milliseconds until an HTTP image request times out. The default value is 100000 milliseconds. The timeout value in milliseconds Gets a reference to a object that manages credentials for multiple Internet resources. The purpose of this property is to associate a set of credentials against an Internet resource. These credentials are then used by Apoc when fetching images from one of the listed resources. ApocDriver driver = ApocDriver.Make(); NetworkCredential nc1 = new NetworkCredential("foo", "password"); driver.Credentials.Add(new Uri("http://www.chive.com"), "Basic", nc1); NetworkCredential nc2 = new NetworkCredential("john", "password", "UK"); driver.Credentials.Add(new Uri("http://www.xyz.com"), "Digest", nc2); Write only property that can be used to bypass licenses.licx and set a product key directly. Returns the product key. Options that are passed to the rendering engine. An object that implements the marker interface. The default value is null, in which case all default options will be used. An instance of is typically passed to this property. True if the current license is an evaluation license. The delegate subscribers must implement to receive Apoc events. The parameter will be a reference to the active ApocDriver. The parameter will contain a human-readable error message. A reference to the active ApocDriver Encapsulates a human readable error message The delegat subscribers must implement to handle the loading of image data in response to external-graphic formatting objects. A class containing event data for the Error, Warning and Info events defined in . Initialises a new instance of the ApocEventArgs class. The text of the event message. Retrieves the event message. A string which may be null. Converts this ApocEventArgs to a string. A string representation of this class which is identical to . This exception is thrown by Apoc when an error occurs. Initialises a new instance of the ApocException class. The property will be initialised to innerException.Message The exception that is the cause of the current exception Initialises a new instance of the ApocException class. The error message that explains the reason for this exception Initialises a new instance of the ApocException class. The error message that explains the reason for this exception The exception that is the cause of the current exception A length quantity in XSL which is specified as "auto". a colour quantity in XSL the red component the green component the blue component the alpha component set the colour given a particular String specifying either a colour name or #RGB or #RRGGBB a space quantity in XSL (space-before, space-after) a length quantity in XSL Set the length given a number of relative units and the current font size in base units. Set the length given a number of units and a unit name. set the length as a number of base units Convert the given length to a dimensionless integer representing a whole number of base units (milli-points). Constructor for IDNode @param idValue The value of the id for this node Sets the page number for this node @param number page number of node Returns the page number of this node @return page number of this node creates a new GoTo object for an internal link @param objectNumber the number to be assigned to the new object sets the page reference for the internal link's GoTo. The GoTo will jump to this page reference. @param pageReference the page reference to which the internal link GoTo should jump ex. 23 0 R Returns the reference to the Internal Link's GoTo object @return GoTo object reference Returns the id value of this node @return this node's id value Returns the PDFGoTo object associated with the internal link @return PDFGoTo object Determines whether there is an internal link GoTo for this node @return true if internal link GoTo for this node is set, false otherwise Sets the position of this node @param x the x position @param y the y position Constructor for IDReferences Creates and configures the specified id. @param id The id to initialize @param area The area where this id was encountered @exception ApocException Creates id entry @param id The id to create @param area The area where this id was encountered @exception ApocException Creates id entry that hasn't been validated @param id The id to create @exception ApocException Adds created id list of unvalidated ids that have already been created. This should be used if it is unsure whether the id is valid but it must be anyhow. @param id The id to create Removes id from list of unvalidated ids. This should be used if the id has been determined to be valid. @param id The id to remove Determines whether specified id already exists in idUnvalidated @param id The id to search for @return true if ID was found, false otherwise Configures this id @param id The id to configure @param area The area where the id was encountered Adds id to validation list to be validated . This should be used if it is unsure whether the id is valid @param id id to be added Removes id from validation list. This should be used if the id has been determined to be valid @param id the id to remove Removes id from IDReferences @param id The id to remove @exception ApocException Determines whether all id's are valid @return true if all id's are valid, false otherwise Returns all invalid id's still remaining in the validation list @return invalid ids from validation list Determines whether specified id already exists in IDReferences @param id the id to search for @return true if ID was found, false otherwise Determines whether the GoTo reference for the specified id is defined @param id the id to search for @return true if GoTo reference is defined, false otherwise Returns the reference to the GoTo object used for the internal link @param id the id whose reference to use @return reference to GoTo object Creates an PdfGoto object that will 'goto' the passed Id. The ID of the link's target. The PDF object id to use for the GoTo object. This method is a bit 'wrong'. Passing in an objectId seems a bit dirty and I don't see why an IDNode should be responsible for keeping track of the GoTo object that points to it. These decisions only seem to pollute this class with PDF specific code. Adds an id to IDReferences @param id the id to add Returns the PDFGoTo object for the specified id @param id the id for which the PDFGoTo to be retrieved is associated @return the PdfGoTo object associated with the specified id sets the page reference for the internal link's GoTo. The GoTo will jump to this page reference. @param pageReference the page reference to which the internal link GoTo should jump ex. 23 0 R Sets the page number for the specified id @param id The id whose page number is being set @param pageNumber The page number of the specified id Returns the page number where the specified id is found @param id The id whose page number to return @return the page number of the id, or null if the id does not exist Sets the x and y position of specified id @param id the id whose position is to be set @param x x position of id @param y y position of id XSL FO Keep Property datatype (keep-together, etc) What to do here? There isn't really a meaningful single value. Keep Value Stores the different types of keeps in a single convenient format. FO parent of the FO for which this property is to be calculated. PropertyList for the FO where this property is calculated. One of the defined types of LengthBase Accessor for parentFO object from subclasses which define custom kinds of LengthBase calculations. Accessor for propertyList object from subclasses which define custom kinds of LengthBase calculations. This datatype hold a pair of lengths, specifiying the dimensions in both inline and block-progression-directions. It is currently only used to specify border-separation in tables. a "progression-dimension" quantity ex. block-progression-dimension, inline-progression-dimension corresponds to the triplet min-height, height, max-height (or width) Set minimum value to min. @param min A Length value specifying the minimum value for this LengthRange. @param bIsDefault If true, this is set as a "default" value and not a user-specified explicit value. Set maximum value to max if it is >= optimum or optimum isn't set. @param max A Length value specifying the maximum value for this @param bIsDefault If true, this is set as a "default" value and not a user-specified explicit value. Set the optimum value. @param opt A Length value specifying the optimum value for this @param bIsDefault If true, this is set as a "default" value and not a user-specified explicit value. Return the computed value in millipoints. A length quantity in XSL which is specified with a mixture of absolute and relative and/or percent components. The actual value may not be computable before layout is done. a percent specified length quantity in XSL construct an object based on a factor (the percent, as a a factor) and an object which has a method to return the Length which provides the "base" for this calculation. Return the computed value in millipoints. This assumes that the base length has been resolved to an absolute length value. A space quantity in XSL (space-before, space-after) A table-column width specification, possibly including some number of proportional "column-units". The absolute size of a column-unit depends on the fixed and proportional sizes of all columns in the table, and on the overall size of the table. It can't be calculated until all columns have been specified and until the actual width of the table is known. Since this can be specified as a percent of its parent containing width, the calculation is done during layout. NOTE: this is only supposed to be allowed if table-layout=fixed. Number of table-column proportional units Construct an object with tcolUnits of proportional measure. Override the method in Length to return the number of specified proportional table-column units. Calculate the number of millipoints and set it. The original specified value for properties which inherit specified values. Accessor functions for all possible Property datatypes Gets or setd the original value specified for the property attribute. Construct an instance of a PropertyMaker. The property name is set to "UNKNOWN". Construct an instance of a PropertyMaker for the given property. The name of the property to be made. Default implementation of isInherited. A boolean indicating whether this property is inherited. Return a boolean indicating whether this property inherits the "specified" value rather than the "computed" value. The default is to inherit the "computed" value. If true, property inherits the value specified. Return an object implementing the PercentBase interface. This is used to handle properties specified as a percentage of some "base length", such as the content width of their containing box. Overridden by subclasses which allow percent specifications. See the documentation on properties.xsl for details. Return a Maker object which is used to set the values on components of compound property types, such as "space". Overridden by property maker subclasses which handle compound properties. The name of the component for which a Maker is to returned, for example "optimum", if the FO attribute is space.optimum='10pt'. Return a property value for the given component of a compound property. NOTE: this is only to ease porting when calls are made to PropertyList.get() using a component name of a compound property, such as get("space.optimum"). The recommended technique is: get("space").getOptimum(). Overridden by property maker subclasses which handle compound properties. A property value for a compound property type such as SpaceProperty. The name of the component whose value is to be returned. Return a property value for a compound property. If the property value is already partially initialized, this method will modify it. The Property object representing the compound property, such as SpaceProperty. The name of the component whose value is specified. The propertyList being built. The FO whose properties are being set. A compound property object. Set a component in a compound property and return the modified compound property object. This default implementation returns the original base property without modifying it. It is overridden by property maker subclasses which handle compound properties. The Property object representing the compound property, such as SpaceProperty. The name of the component whose value is specified. A Property object holding the specified value of the component to be set. The modified compound property object. Create a Property object from an attribute specification. The PropertyList object being built for this FO. The attribute value. The current FO whose properties are being set. The initialized Property object. Return a String to be parsed if the passed value corresponds to a keyword which can be parsed and used to initialize the property. For example, the border-width family of properties can have the initializers "thin", "medium", or "thick". The foproperties.xml file specifies a length value equivalent for these keywords, such as "0.5pt" for "thin". These values are considered parseable, since the Length object is no longer responsible for parsing unit expresssions. The string value of property attribute. A string containging a parseable equivalent or null if the passed value isn't a keyword initializer for this Property. Return a Property object based on the passed Property object. This method is called if the Property object built by the parser isn't the right type for this property. It is overridden by subclasses when the property specification in foproperties.xml specifies conversion rules. The Property object return by the expression parser The PropertyList object being built for this FO. The current FO whose properties are being set. A Property of the correct type or null if the parsed value can't be converted to the correct type. Return a Property object representing the initial value. The PropertyList object being built for this FO. Return a Property object representing the initial value. The PropertyList object being built for this FO. The parent FO for the FO whose property is being made. A Property subclass object holding a "compound" property object initialized to the default values for each component. Return a Property object representing the value of this property, based on other property values for this FO. A special case is properties which inherit the specified value, rather than the computed value. The PropertyList for the FO. Property A computed Property value or null if no rules are specified (in foproperties.xml) to compute the value. Return the name of the property whose value is being set. base class for extension objects base class for representation of formatting objects and their processing Value of marker before layout begins value of marker after break-after where the layout was up to. for FObjs it is the child number for FOText it is the character number lets outside sources access the property list first used by PageNumberCitation to find the "id" property returns null by default, overide this function when there is a property list @param name - the name of the desired property to obtain @returns the property At the start of a new span area layout may be partway through a nested FO, and balancing requires rollback to this known point. The snapshot records exactly where layout is at. @param snapshot a Vector of markers (Integer) @returns the updated Vector of markers (Integers) When balancing occurs, the flow layout() method restarts at the point specified by the current marker snapshot, which is retrieved and restored using this method. @param snapshot the Vector of saved markers (Integers) adds characters (does nothing here) @param data text @param start start position @param length length of the text generates the area or areas for this formatting object and adds these to the area. This method should always be overridden by all sub classes @param area returns the name of the formatting object @return the name of this formatting objects lets outside sources access the property list first used by PageNumberCitation to find the "id" property @param name - the name of the desired property to obtain @return the property Return the "content width" of the areas generated by this FO. This is used by percent-based properties to get the dimension of the containing block. If an FO has a property with a percentage value, that value is usually calculated on the basis of the corresponding dimension of the area which contains areas generated by the FO. NOTE: subclasses of FObj should implement this to return a reasonable value! removes property id @param idReferences the id to remove Set writing mode for this FO. Find nearest ancestor, including self, which generates reference areas and use the value of its writing-mode property. If no such ancestor is found, use the value on the root FO. @param parent the parent formatting object @param propertyList the explicit properties of this object Called for extensions within a page sequence or flow. These extensions are allowed to generate visible areas within the layout. @param area Called for root extensions. Root extensions aren't allowed to generate any visible areas. They are used for extra items that don't show up in the page layout itself. For example: pdf outlines @param areaTree The parent outline object if it exists an opaque renderer context object, e.g. PDFOutline for PDFRenderer The fo:root formatting object. Contains page masters, root extensions, page-sequences. Called by subclass if no match found. By default, functions have no percent-based arguments. Return the specified or initial value of the property on this object. Return the name as a String (should be specified with quotes!) Construct a Numeric object from a Number. @param num The number. Construct a Numeric object from a Length. @param l The Length. Construct a Numeric object from a PercentLength. @param pclen The PercentLength. v * Construct a Numeric object from a TableColLength. * @param tclen The TableColLength. Return the current value as a Length if possible. This constructs a new Length or Length subclass based on the current value type of the Numeric. If the stored value has a unit dimension other than 1, null is returned. Return the current value as a Number if possible. Calls asDouble(). Return a boolean value indiciating whether the currently stored value consists of different "types" of values (absolute, percent, and/or table-unit.) Subtract the operand from the current value and return a new Numeric representing the result. @param op The value to subtract. @return A Numeric representing the result. @throws PropertyException If the dimension of the operand is different from the dimension of this Numeric. Add the operand from the current value and return a new Numeric representing the result. @param op The value to add. @return A Numeric representing the result. @throws PropertyException If the dimension of the operand is different from the dimension of this Numeric. Multiply the the current value by the operand and return a new Numeric representing the result. @param op The multiplier. @return A Numeric representing the result. @throws PropertyException If both Numerics have "mixed" type. Divide the the current value by the operand and return a new Numeric representing the result. @param op The divisor. @return A Numeric representing the result. @throws PropertyException If both Numerics have "mixed" type. Return the absolute value of this Numeric. @return A new Numeric object representing the absolute value. Return a Numeric which is the maximum of the current value and the operand. @throws PropertyException If the dimensions or value types of the object and the operand are different. Return a Numeric which is the minimum of the current value and the operand. @throws PropertyException If the dimensions or value types of the object and the operand are different. This class holds context information needed during property expression evaluation. It holds the Maker object for the property, the PropertyList being built, and the FObj parent of the FObj for which the property is being set. Return whether this property inherits specified values. Propagates to the Maker. @return true if the property inherits specified values, false if it inherits computed values. Return the PercentBase object used to calculate the absolute value from a percent specification. Propagates to the Maker. @return The PercentBase object or null if percentLengthOK()=false. Return the current font-size value as base units (milli-points). Construct a new PropertyTokenizer object to tokenize the passed string. @param s The Property expressio to tokenize. Return the next token in the expression string. This sets the following package visible variables: currentToken An enumerated value identifying the recognized token currentTokenValue A string containing the token contents currentUnitLength If currentToken = TOK_NUMERIC, the number of characters in the unit name. @throws PropertyException If un unrecognized token is encountered. Attempt to recognize a valid NAME token in the input expression. Attempt to recognize a valid sequence of decimal digits in the input expression. Attempt to recognize a valid sequence of hexadecimal digits in the input expression. Return a bool value indicating whether the following non-whitespace character is an opening parenthesis. Return a bool value indicating whether the argument is a decimal digit (0-9). @param c The character to check Return a bool value indicating whether the argument is a hexadecimal digit (0-9, A-F, a-f). @param c The character to check Return a bool value indicating whether the argument is whitespace as defined by XSL (space, newline, CR, tab). @param c The character to check Return a bool value indicating whether the argument is a valid name start character, ie. can start a NAME as defined by XSL. @param c The character to check Return a bool value indicating whether the argument is a valid name character, ie. can occur in a NAME as defined by XSL. @param c The character to check Public entrypoint to the Property expression parser. @param expr The specified value (attribute on the xml element). @param propInfo A PropertyInfo object representing the context in which the property expression is to be evaluated. @return A Property object holding the parsed result. @throws PropertyException If the "expr" cannot be parsed as a Property. Private constructor. Called by the static parse() method. @param propExpr The specified value (attribute on the xml element). @param propInfo A PropertyInfo object representing the context in which the property expression is to be evaluated. Parse the property expression described in the instance variables. Note: If the property expression String is empty, a StringProperty object holding an empty String is returned. @return A Property object holding the parsed result. @throws PropertyException If the "expr" cannot be parsed as a Property. Try to parse an addition or subtraction expression and return the resulting Property. Try to parse a multiply, divide or modulo expression and return the resulting Property. Try to parse a unary minus expression and return the resulting Property. Checks that the current token is a right parenthesis and throws an exception if this isn't the case. Try to parse a primary expression and return the resulting Property. A primary expression is either a parenthesized expression or an expression representing a primitive Property datatype, such as a string literal, an NCname, a number or a unit expression, or a function call expression. Parse a comma separated list of function arguments. Each argument may itself be an expression. This method consumes the closing right parenthesis of the argument list. @param nbArgs The number of arguments expected by the function. @return An array of Property objects representing the arguments found. @throws PropertyException If the number of arguments found isn't equal to the number expected. Evaluate an addition operation. If either of the arguments is null, this means that it wasn't convertible to a Numeric value. @param op1 A Numeric object (Number or Length-type object) @param op2 A Numeric object (Number or Length-type object) @return A new NumericProperty object holding an object which represents the sum of the two operands. @throws PropertyException If either operand is null. Evaluate a subtraction operation. If either of the arguments is null, this means that it wasn't convertible to a Numeric value. @param op1 A Numeric object (Number or Length-type object) @param op2 A Numeric object (Number or Length-type object) @return A new NumericProperty object holding an object which represents the difference of the two operands. @throws PropertyException If either operand is null. Evaluate a unary minus operation. If the argument is null, this means that it wasn't convertible to a Numeric value. @param op A Numeric object (Number or Length-type object) @return A new NumericProperty object holding an object which represents the negative of the operand (multiplication by *1). @throws PropertyException If the operand is null. Evaluate a multiplication operation. If either of the arguments is null, this means that it wasn't convertible to a Numeric value. @param op1 A Numeric object (Number or Length-type object) @param op2 A Numeric object (Number or Length-type object) @return A new NumericProperty object holding an object which represents the product of the two operands. @throws PropertyException If either operand is null. Evaluate a division operation. If either of the arguments is null, this means that it wasn't convertible to a Numeric value. @param op1 A Numeric object (Number or Length-type object) @param op2 A Numeric object (Number or Length-type object) @return A new NumericProperty object holding an object which represents op1 divided by op2. @throws PropertyException If either operand is null. Evaluate a modulo operation. If either of the arguments is null, this means that it wasn't convertible to a Number value. @param op1 A Number object @param op2 A Number object @return A new NumberProperty object holding an object which represents op1 mod op2. @throws PropertyException If either operand is null. Parses a double value using a culture insensitive locale. The double value as a string. The double value parsed. Return an object which implements the PercentBase interface. Percents in arguments to this function are interpreted relative to 255. Return true if the passed area is on the left edge of its nearest absolute AreaContainer (generally a page column). base class for representation of mixed content formatting objects and their processing Return the content width of the boxes generated by this FO. Return the content width of the boxes generated by this block container FO. this class represents the flow object 'fo:character'. Its use is defined by the spec: "The fo:character flow object represents a character that is mapped to a glyph for presentation. It is an atomic unit to the formatter. When the result tree is interpreted as a tree of formatting objects, a character in the result tree is treated as if it were an empty element of type fo:character with a character attribute equal to the Unicode representation of the character. The semantics of an "auto" value for character properties, which is typically their initial value, are based on the Unicode codepoint. Overrides may be specified in an implementation-specific manner." (6.6.3) PageSequence container Vector to store snapshot flow-name attribute Content-width of current column area during layout Return the content width of this flow (really of the region in which it is flowing). returns the maker for this object. @return the maker for SVG objects constructs an instream-foreign-object object (called by Maker). @param parent the parent formatting object @param propertyList the explicit properties of this object layout this formatting object. @param area the area to layout the object into @return the status of the layout inner class for making SVG objects. make an SVG object. @param parent the parent formatting object @param propertyList the explicit properties of this object @return the SVG object Implements fo:leader; main property of leader leader-pattern. The following patterns are treated: rule, space, dots. The pattern use-content is ignored, i.e. it still must be implemented. adds a leader to current line area of containing block area the actual leader area is created in the line area @return int +1 for success and -1 for none Return the content width of the boxes generated by this FO. The page the marker was registered is put into the renderer queue. The marker is transferred to it's own marker list, release the area for GC. We also know now whether the area is first/last. This has actually nothing to do with resseting this marker, but the 'marker' from FONode, marking layout status. Called in case layout is to be rolled back. Unregister this marker from the page, it isn't laid aout anyway. More hackery: reset layout status marker. Called before the content is laid out from RetrieveMarker. 6.6.11 fo:page-number-citation Common Usage: The fo:page-number-citation is used to reference the page-number for the page containing the first normal area returned by the cited formatting object. NOTE: It may be used to provide the page-numbers in the table of contents, cross-references, and index entries. Areas: The fo:page-number-citation formatting object generates and returns a single normal inline-area. Constraints: The cited page-number is the number of the page containing, as a descendant, the first normal area returned by the formatting object with an id trait matching the ref-id trait of the fo:page-number-citation (the referenced formatting object). The cited page-number string is obtained by converting the cited page-number in accordance with the number to string conversion properties specified on the ancestor fo:page-sequence of the referenced formatting object. The child areas of the generated inline-area are the same as the result of formatting a result-tree fragment consisting of fo:character flow objects; one for each character in the cited page-number string and with only the "character" property specified. Contents: EMPTY The following properties apply to this formatting object: [7.3 Common Accessibility Properties] [7.5 Common Aural Properties] [7.6 Common Border, Padding, and Background Properties] [7.7 Common Font Properties] [7.10 Common Margin Properties-Inline] [7.11.1 "alignment-adjust"] [7.11.2 "baseline-identifier"] [7.11.3 "baseline-shift"] [7.11.5 "dominant-baseline"] [7.36.2 "id"] [7.17.4 "keep-with-next"] [7.17.5 "keep-with-previous"] [7.14.2 "letter-spacing"] [7.13.4 "line-height"] [7.13.5 "line-height-shift-adjustment"] [7.36.5 "ref-id"] [7.18.4 "relative-position"] [7.36.6 "score-spaces"] [7.14.4 "text-decoration"] [7.14.5 "text-shadow"] [7.14.6 "text-transform"] [7.14.8 "word-spacing"] Return true if any column has an unfinished vertical span. Done with a row. Any spans with only one row left are done This means that we can now set the total height for this cell box Loop over all cells with spans and find number of rows remaining if rows remaining = 1, set the height on the cell area and then remove the cell from the list of spanned cells. For other spans, add the rowHeight to the spanHeight. If the cell in this column is in the last row of its vertical span, return the height left. If it's not in the last row, or if the content height <= the content height of the previous rows of the span, return 0. helper method to prevent infinite loops if keeps or spans are not fitting on a page @param true if keeps and spans should be ignored helper method (i.e. hack ;-) to prevent infinite loops if keeps or spans are not fitting on a page @return true if keeps or spans should be ignored Return the height remaining in the span. Optimum inline-progression-dimension Minimum inline-progression-dimension Maximum inline-progression-dimension Return the content width of the boxes generated by this table FO. Initialize table inline-progression-properties values Offset of content rectangle in inline-progression-direction, relative to table. Dimension of allocation rectangle in inline-progression-direction, determined by the width of the column(s) occupied by the cell Offset of content rectangle, in block-progression-direction, relative to the row. Offset of content rectangle, in inline-progression-direction, relative to the column start edge. Adjust to theoretical column width to obtain content width relative to the column start edge. Minimum ontent height of cell. Set to true if all content completely laid out. Border separation value in the block-progression dimension. Used in calculating cells height. Return the allocation height of the cell area. Note: called by TableRow. We adjust the actual allocation height of the area by the value of border separation (for separate borders) or border height adjustment for collapse style (because current scheme makes cell overestimate the allocation height). Set the final size of cell content rectangles to the actual row height and to vertically align the actual content within the cell rectangle. @param h Height of this row in the grid which is based on the allocation height of all the cells in the row, including any border separation values. Calculate cell border and padding, including offset of content rectangle from the theoretical grid position. Set the column width value in base units which overrides the value from the column-width Property. Called by parent FO to initialize information about cells started in previous rows which span into this row. The layout operation modifies rowSpanMgr Before starting layout for the first time, initialize information about spanning rows, empty cells and spanning columns. Return column which doesn't already contain a span or a cell If past the end or no free cells after colNum, return -1 Otherwise return value >= input value. Return type of cell in colNum (1 based) Return cell in colNum (1 based) Store cell starting at cellColNum (1 based) and spanning numCols If any of the columns is already occupied, return false, else true Implementation for fo:wrapper formatting object. The wrapper object serves as a property holder for it's children objects. Content: (#PCDATA|%inline;|%block;)* Properties: id Builds the formatting object tree. Table mapping element names to the makers of objects representing formatting objects. Class that builds a property list for each formatting object. Current formatting object being handled. The root of the formatting object tree. Set of names of formatting objects encountered but unknown. The class that handles formatting and rendering to a stream. Sets the stream renderer that will be used as output. Add a mapping from element name to maker. Add a mapping from property name to maker. Makes final changes to the Text Node. Specifically, it does insert zero-width breaking characters specially tailored to enable unconditional text wrapping. Input string Modified input string This object may be also be a subclass of Length, such as PercentLength, TableColLength. public Double getDouble() { return new Double(this.number.doubleValue()); } public Integer getInteger() { return new Integer(this.number.intValue()); } Returns the "master-reference" attribute of this page master reference Checks whether or not a region name exists in this master set @returns true when the region name specified has a region in this LayoutMasterSet Base PageMasterReference class. Provides implementation for handling the master-reference attribute and containment within a PageSequenceMaster Classes that implement this interface can be added to a PageSequenceMaster, and are capable of looking up an appropriate PageMaster. Called before a new page sequence is rendered so subsequences can reset any state they keep during the formatting process. Gets the formating object name for this object. Subclasses must provide this. @return the element name of this reference. e.g. fo:repeatable-page-master-reference Checks that the parent is the right element. The default implementation checks for fo:page-sequence-master Returns the "master-reference" attribute of this page master reference This class uses the 'format', 'groupingSeparator', 'groupingSize', and 'letterValue' properties on fo:page-sequence to return a string corresponding to the supplied integer page number. This provides pagination of flows onto pages. Much of the logic for paginating flows is contained in this class. The main entry point is the format method. The parent root object the set of layout masters (provided by the root object) Map of flows to their flow name (flow-name, Flow) the "master-reference" attribute, which specifies the name of the page-sequence-master or page-master to be used to create pages in the sequence specifies page numbering type (auto|auto-even|auto-odd|explicit) used to determine whether to calculate auto, auto-even, auto-odd the current subsequence while formatting a given page sequence the current index in the subsequence list the name of the current page master Runs the formatting of this page sequence into the given area tree Creates a new page area for the given parameters @param areaTree the area tree the page should be contained in @param firstAvailPageNumber the page number for this page @param isFirstPage true when this is the first page in the sequence @param isEmptyPage true if this page will be empty (e.g. forced even or odd break) @return a Page layout object based on the page master selected from the params Formats the static content of the current page Returns the next SubSequenceSpecifier for the given page sequence master. The result is bassed on the current state of this page sequence. Returns the next simple page master for the given sequence master, page number and other state information Returns true when there is more flow elements left to lay out. Returns the flow that maps to the given region class for the current page master. This is an abstract base class for pagination regions Creates a Region layout object for this pagination Region. Returns the default region name (xsl-region-before, xsl-region-start, etc.) Returns the element name ("fo:region-body", "fo:region-start", etc.) Returns the name of this region Checks to see if a given region name is one of the reserved names @param name a region name to check @return true if the name parameter is a reserved region name Max times this page master can be repeated. INFINITE is used for the unbounded case The fo:root formatting object. Contains page masters, root extensions, page-sequences. keeps count of page number from over PageSequence instances Some properties, such as 'force-page-count', require a page-sequence to know about some properties of the next. @returns succeeding PageSequence; null if none Page regions (regionClass, Region) Set the appropriate components when the "base" property is set. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Set the appropriate components when the "base" property is set. Set the appropriate components when the "base" property is set. Return object used to calculate base Length for percent specifications. Set the appropriate components when the "base" property is set. Set the appropriate components when the "base" property is set. Set the appropriate components when the "base" property is set. Set the appropriate components when the "base" property is set. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Set the appropriate components when the "base" property is set. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return object used to calculate base Length for percent specifications. Return the value explicitly specified on this FO. @param propertyName The name of the property whose value is desired. It may be a compound name, such as space-before.optimum. @return The value if the property is explicitly set or set by a shorthand property, otherwise null. Return the value explicitly specified on this FO. @param propertyName The name of the property whose value is desired. It may be a compound name, such as space-before.optimum. @return The value if the property is explicitly set, otherwise null. Return the value explicitly specified on this FO. @param propertyName The name of the base property whose value is desired. @return The value if the property is explicitly set, otherwise null. Return the value of this property inherited by this FO. Implements the inherited-property-value function. The property must be inheritable! @param propertyName The name of the property whose value is desired. @return The inherited value, otherwise null. Return the property on the current FlowObject if it is specified, or if a corresponding property is specified. If neither is specified, it returns null. Return the property on the current FlowObject. If it isn't set explicitly, this will try to compute it based on other properties, or if it is inheritable, to return the inherited value. If all else fails, it returns the default value. Return the property on the current FlowObject. Depending on the passed flags, this will try to compute it based on other properties, or if it is inheritable, to return the inherited value. If all else fails, it returns the default value. Return the "nearest" specified value for the given property. Implements the from-nearest-specified-value function. @param propertyName The name of the property whose value is desired. @return The computed value if the property is explicitly set on some ancestor of the current FO, else the initial value. Return the value of this property on the parent of this FO. Implements the from-parent function. @param propertyName The name of the property whose value is desired. @return The computed value on the parent or the initial value if this FO is the root or is in a different namespace from its parent. Given an absolute direction (top, bottom, left, right), return the corresponding writing model relative direction name for the flow object. Uses the stored writingMode. Given a writing mode relative direction (start, end, before, after) return the corresponding absolute direction name for the flow object. Uses the stored writingMode. Set the writing mode traits for the FO with this property list. Name of font-size property attribute to set first. This seems to be just a helper method that looks up a property maker and creates the property. Convenience function to return the Maker for a given property. classes representating the status of laying out a formatting object This represents an unknown element. For example with unsupported namespaces. This prevents any further problems arising from the unknown data. returns the maker for this object. @return the maker for an unknown xml object constructs an unknown xml object (called by Maker). @param parent the parent formatting object @param propertyList the explicit properties of this object inner class for making unknown xml objects. make an unknown xml object. @param parent the parent formatting object @param propertyList the explicit properties of this object @return the unknown xml object A bitmap image that will be referenced by fo:external-graphic. This class and the associated ColorSpace class are PDF specific ideally will be moved to the PDF library project at some point in the future. Internally, Apoc should handle images using the standard framework Bitmap class. Filter that will be applied to image data Constructs a new ApocImage using the supplied bitmap. Does not hold a reference to the passed bitmap. Instead the image data is extracted from bitmap on construction. The location of bitmap The image data Extracts the raw data from the image into a byte array suitable for including in the PDF document. The image is always extracted as a 24-bit RGB image, regardless of it's original colour space and colour depth. The from which the data is extracted A byte array containing the raw 24-bit RGB data Return the image URL. the image URL (as a string) Return the image width. the image width Return the image height. the image height Return the number of bits per pixel. number of bits per pixel Return the image data size The image data size Return the image data (uncompressed). the image data Return the image color space. the image color space (Apoc.Datatypes.ColorSpace) Returns the implementation that should be applied to the bitmap data. Creates ApocImage instances. Returns temporary directory Creates a ApocImage from the supplied resource locator. The ApocImageFactory does cache images, therefore this method may return a reference to an existing ApocImage A Uniform Resource Identifier A reference to a ApocImage Total height of content of this area. Creates a new Area instance. @param fontState a FontState value @param allocationWidth the inline-progression dimension of the content rectangle of the Area @param maxHeight the maximum block-progression dimension available for this Area (its allocation rectangle) Set the allocation width. @param w The new allocation width. This sets content width to the same value. Currently only called during layout of Table to set the width to the total width of all the columns. Note that this assumes the column widths are explicitly specified. Tell whether this area contains any children which are not DisplaySpace. This is used in determining whether to honour keeps. Returns content height of the area. @return Content height in millipoints Returns allocation height of this area. The allocation height is the sum of the content height plus border and padding in the vertical direction. @return allocation height in millipoints Return absolute Y position of the current bottom of this area, not counting any bottom padding or border. This is used to set positions for link hotspots. In fact, the position is not really absolute, but is relative to the Ypos of the column-level AreaContainer, even when the area is in a page header or footer! Set "absolute" Y position of the top of this area. In fact, the position is not really absolute, but relative to the Ypos of the column-level AreaContainer, even when the area is in a page header or footer! It is set from the value of getAbsoluteHeight() on the parent area, just before adding this area. Return space remaining in the vertical direction (height). This returns maximum available space - current content height Note: content height should be based on allocation height of content! @return space remaining in base units (millipoints) Set the content height to the passed value if that value is larger than current content height. If the new content height is greater than the maximum available height, set the content height to the max. available (!!!) @param height allocation height of content in millipoints amount of space added since the original layout - needed by links Parses the contents of a JPEG image header to infer the colour space and bits per pixel. JPEG image data Contains number of bitplanes, color space and optional ICC Profile Raw ICC Profile Class constructor. Reads a 16-bit integer from the underlying stream Reads a 32-bit integer from the underlying stream Reads the specified number of bytes from theunderlying stream and converts them to a string using the ASCII encoding. Reads the initial marker which should be SOI. After invoking this method the stream will point to the location immediately after the fiorst marker. Reads the next JPEG marker and returns its marker code. Skips over the parameters for any marker we don't want to process. Parses a <uri-specification> as defined by section 5.11 of the XSL specification. This class may be better expressed as a datatype residing in Telerik.Web.Apoc.DataTypes. Store all hyphenation related properties on an FO. Public "structure" allows direct member access. Store all hyphenation related properties on an FO. Public "structure" allows direct member access. object containing information on available fonts, including metrics List of root extension objects Auxillary function for retrieving markers. Auxillary function for retrieving markers. Auxillary function for retrieving markers. Store all hyphenation related properties on an FO. Public "structure" allows direct member access. This class represents a Block Area. A block area is made up of a sequence of Line Areas. This class is used to organise the sequence of line areas as inline areas are added to this block it creates and ands line areas to hold the inline areas. This uses the line-height and line-stacking-strategy to work out how to stack the lines. Add a Line Area to this block area. Used internally to add a completed line area to this block area when either a new line area is created or this block area is completed. @param la the LineArea to add Get the current line area in this block area. This is used to get the current line area for adding inline objects to. This will return null if there is not enough room left in the block area to accomodate the line area. @return the line area to be used to add inlie objects Create a new line area to add inline objects. This should be called after getting the current line area and discovering that the inline object will not fit inside the current line. This method will create a new line area to place the inline object into. This will return null if the new line cannot fit into the block area. @return the new current line area, which will be empty. Notify this block that the area has completed layout. Indicates the the block has been fully laid out, this will add (if any) the current line area. Return the maximum space remaining for this area's content in the block-progression-dimension. Remove top and bottom padding and spacing since these reduce available space for content and they are not yet accounted for in the positioning of the object. Depending on the column-count of the next FO, determine whether a new span area needs to be constructed or not, and return the appropriate ColumnArea. The next cut of this method should also inspect the FO to see whether the area to be returned ought not to be the footnote or before-float reference area. @param fo The next formatting object @returns the next column area (possibly the current one) Add a new span area with specified number of column areas. @param numColumns The number of column areas @returns AreaContainer The next column area This almost does what getNewArea() does, without actually returning an area. These 2 methods can be reworked. @param fo The next formatting object @returns bool True if we need to balance. This is where the balancing algorithm lives, or gets called. Right now it's primitive: get the total content height in all columns, divide by the column count, and add a heuristic safety factor. Then the previous (unbalanced) span area is removed, and a new one added with the computed max height. Determine remaining height for new span area. Needs to be modified for footnote and before-float reference areas when those are supported. @returns int The remaining available height in millipoints. Used by resetSpanArea() and addSpanArea() to adjust the main reference area height before creating a new span. Used in Flow when layout returns incomplete. @returns bool Is this the last column in this span? This variable is unset by getNextArea(), is set by addSpanArea(), and may be set by resetSpanArea(). @returns bool Is the span area new or not? Return a full copy of the BorderAndPadding information. This clones all padding and border information. @return The copy. Creates a key from the given strings Class constructor Defaults the letter spacing to 0 millipoints. Gets width of given character identifier plus in millipoints (1/1000ths of a point). Map a Unicode character to a code point Any Unicode character. Store all hyphenation related properties on an FO. Public "structure" allows direct member access. A font descriptor specifies metrics and other attributes of a font, as distinct from the metrics of individual glyphs. See page 355 of PDF 1.4 specification for more information. Gets a collection of flags providing various font characteristics. Gets the smallest rectangle that will encompass the shape that would result if all glyhs of the font were placed with their origins coincident. Gets the main italic angle of the font expressed in tenths of a degree counterclockwise from the vertical. TODO: The thickness, measured horizontally, of the dominant vertical stems of the glyphs in the font. Gets a value that indicates whether this font has kerning support. Gets a value that indicates whether this font program may be legally embedded within a document. Gets a value that indicates whether this font program my be subsetted. Gets a byte array representing a font program to be embedded in a document. If is false it is acceptable for this method to return null. Gets kerning information for this font. If is false it is acceptable for this method to return null. Interface for font metric classes Gets the width of a character in 1/1000ths of a point size located at the supplied codepoint. For a type 1 font a code point is an octal code obtained from a character encoding scheme (WinAnsiEncoding, MacRomaonEncoding, etc). For example, the code point for the space character is 040 (octal). For a type 0 font a code point represents a GID (Glyph index). A character code point. Specifies the maximum distance characters in this font extend above the base line. This is the typographic ascent for the font. Specifies the maximum distance characters in this font extend below the base line. This is the typographic descent for the font. Gets the vertical coordinate of the top of flat captial letters. Gets the value of the first character used in the font Gets the value of the last character used in the font Gets a reference to a font descriptor. A descriptor is akin to the PDF FontDescriptor object (see page 355 of PDF 1.4 spec). Gets the widths of all characters in 1/1000ths of a point size. This is NOT the content width of the instream-foreign-object. This is the content width for a Box. This is NOT the content height of the instream-foreign-object. This is the content height for a Box. @param ul true if text should be underlined And eatable InlineSpace is discarded if it occurs as the first pending element in a LineArea adds text to line area @return int character position adds a Leader; actually the method receives the leader properties and creates a leader area or an inline area which is appended to the children of the containing line area. leader pattern use-content is not implemented. adds pending inline areas to the line area normally done, when the line area is filled and added as child to the parent block area aligns line area Balance (vertically) the inline areas within this line. sets hyphenation related traits: language, country, hyphenate, hyphenation-character and minimum number of character to remain one the previous line and to be on the next line. creates a leader as String out of the given char and the leader length and wraps it in an InlineArea which is returned calculates the width of space which has to be inserted before the start of the leader, so that all leader characters are aligned. is used if property leader-align is set. At the moment only the value for leader-align="reference-area" is supported. calculates the used space in this line area extracts a complete word from the character data Calculates the wordWidth using the actual fontstate adds a single character to the line area tree Same as addWord except that characters in wordBuf is mapped to the current fontstate's encoding adds a InlineArea containing the String startChar+wordBuf to the line area children. Checks if it's legal to break a word in the middle based on the current language property. @return true if legal to break word in the middle Helper method for getting the width of a unicode char from the current fontstate. This also performs some guessing on widths on various versions of space that might not exists in the font. Helper method to determine if the character is a space with normal behaviour. Normal behaviour means that it's not non-breaking Method to determine if the character is a nonbreaking space. @return true if the character represents any kind of space Add a word that might contain non-breaking spaces. Split the word into WordArea and InlineSpace and add it. If addToPending is true, add to pending areas. an object that stores a rectangle that is linked, and the LineArea that it is logically associated with @author Arved Sandstrom @author James Tauber the linked Rectangle the associated LineArea the associated InlineArea a set of rectangles on a page that are linked to a common destination the destination of the links the set of rectangles Store all hyphenation related properties on an FO. Public "structure" allows direct member access. Store all hyphenation related properties on an FO. Public "structure" allows direct member access. Ensure that page is set not only on B.A.C. but also on the three top-level reference areas. @param area The region-body area container (special) Store all hyphenation related properties on an FO. Public "structure" allows direct member access. This class holds information about text-decoration @return true if text should be underlined set text as underlined @return true if text should be overlined A collection of instances. Adds the supplied to the end of the collection. Returns an ArrayList enumerator that references a read-only version of the BfEntry list. Gets the at index. Gets the number of objects contained by this Returns the number of instances that represent bfrange's Returns the number of instances that represent bfchar's A class can represent either a bfrange or bfchar. Class cosntructor. Increments the end index by one. Incrementing the end index turns this BfEntry into a bfrange. Returns true if this BfEntry represents a glyph range, i.e. the start index is not equal to the end index. Returns true if this BfEntry represents a bfchar entry, i.e. the start index is equal to the end index. A File Identifier is described in section 8.3 of the PDF specification. The first string is a permanent identifier based on the contents of the file at the time it was originally created, and does not change as the file is incrementally updated. The second string is a changing identifier based on the file's contents the last time it was updated. If this class were being use to update a PDF's file identifier, we'd need to add a method to parse an existing file identifier. Initialises the CreatedPart and ModifiedPart to a randomly generated GUID. Initialises the CreatedPart and ModifiedPart to the passed string. Returns the CreatedPart as a byte array. Returns the ModifiedPart as a byte array. Thrown during creation of PDF font object if the font's license is violated, e.g. attempting to subset a font that does not permit subsetting. Represents an entry in the directory table Gets an instance of an implementation that is capable of parsing the table identified by tab. Returns the table tag as a string Gets the table tag encoded as an unsigned 32-bite integer. Gets or sets a value that represents a offset, i.e. the number of bytes from the beginning of the file. Gets or sets a value representing the number number of bytes a object occupies in a stream. Gets or sets value that represents a checksum of a . Class designed to parse a TrueType font file. A Big Endian stream. Used to identity a font within a TrueType collection. Maps a table name (4-character string) to a A dictionary of cached instances. The index is the table name. Maps a glyph index to a subset index. Class constructor. Font data stream. Class constructor. Font data stream. Name of a font in a TrueType collection. Gets a value indicating whether or not this font contains the supplied table. A table name. Gets a reference to the table structure identified by tableName Only the following tables are supported: - Font header, - Horizontal header, - Horizontal metrics, - Maximum profile, - Index to location, - Glyf data, - Control value, - Control value program, - Font program A 4-character code identifying a table. If tableName does not represent a table in this font. Gets a object for the supplied table. A 4-character code identifying a table. A object or null if the table cannot be located. If tag does not represent a table in this font. Reads the Offset and Directory tables. If the FontFileStream represents a TrueType collection, this method will look for the aforementioned tables belonging to fontName. This method can handle a TrueType collection. Caches the following tables: 'head', 'hhea', 'maxp', 'loca' Sets the stream position to the offset in the supplied directory entry. Also ensures that the FontFileStream has enough bytes available to read a font table. Throws an exception if this condition is not met. If the supplied stream does not contain enough data. Gets or sets a dictionary containing glyph index to subset index mappings. Gets the underlying . Gets the number tables. Class designed to read and write primitive datatypes from/to a TrueType font file.

All OpenType fonts use Motorola-style byte ordering (Big Endian).

The following table lists the primitives and their definition. Note the difference between the .NET CLR definition of certain types and the TrueType definition.

BYTE 8-bit unsigned integer. CHAR 8-bit signed integer. USHORT 16-bit unsigned integer. SHORT 16-bit signed integer. ULONG 32-bit unsigned integer. LONG 32-bit signed integer. Fixed 32-bit signed fixed-point number (16.16) FWORD 16-bit signed integer (SHORT) that describes a quantity in FUnits. UFWORD 16-bit unsigned integer (USHORT) that describes a quantity in FUnits. F2DOT14 16-bit signed fixed number with the low 14 bits of fraction (2.14). LONGDATETIME Date represented in number of seconds since 12:00 midnight, January 1, 1904. The value is represented as a signed 64-bit integer. Tag Array of four uint8s (length = 32 bits) used to identify a script, language system, feature, or baseline GlyphID Glyph index number, same as uint16(length = 16 bits) Offset Offset to a table, same as uint16 (length = 16 bits), NULL offset = 0x0000

Initialises a new instance of the class using the supplied byte array as the underlying buffer. The font data encoded in a byte array. data is a null reference. data is a zero-length array. Initialises a new instance of the class using the supplied stream as the underlying buffer. Reference to an existing stream. stream is a null reference. Reads an unsigned byte from the font file. Writes an unsigned byte from the font file. Reads an signed byte from the font file. Writes a signed byte from the font file. Reads a short (16-bit signed integer) from the font file. Writes a short (16-bit signed integer) to the font file. Reads a short (16-bit signed integer) from the font file. Writes a short (16-bit signed integer) to the font file. Reads a int (16-bit unsigned integer) from the font file. Writes a int (16-bit unsigned integer) to the font file. Reads a int (16-bit unsigned integer) from the font file. Writes a int (16-bit unsigned integer) to the font file. Reads an int (32-bit signed integer) from the font file. Writes an int (32-bit signed integer) to the font file. Reads a int (32-bit unsigned integer) from the font file. Writes a int (32-bit unsigned integer) to the font file. Reads an int (32-bit signed integer) from the font file. Writes an int (32-bit unsigned integer) to the font file. Reads a long (64-bit signed integer) from the font file. Writes a long (64-bit signed integer) to the font file. Reads a tag (array of four bytes) from the font stream. Writes a tab (array of four bytes) to the font file. Ensures the stream is padded on a 4-byte boundary. This method will output between 0 and 3 bytes to the stream. A value between 0 and 3 (inclusive). Writes a sequence of bytes to the underlying stream. Reads a block of bytes from the current stream and writes the data to buffer. A byte buffer big enough to store count bytes. The byte offset in buffer to begin reading. Number of bytes to read. Offsets the stream position by the supplied number of bytes. Saves the current stream position onto a marker stack. Returns the current stream position. Sets the stream using the marker at the head of the marker stack. Returns the stream position before it was reset. If the markers stack is empty. Gets or sets the current position of the font stream. Gets the length of the font stream in bytes. A specialised stream writer for creating OpenType fonts. Size of the offset table in bytes. The underlying stream. List of font tables to write. Creates a new instance of the class using stream as the underlying stream object. If stream is not writable. If streamm is a null reference. Queues the supplied for writing to the underlying stream. The method will not immediately write the supplied font table to the underlying stream. Instead it queues the font table since the offset table must be written out before any tables. Writes the header and font tables to the underlying stream. Updates the checkSumAdjustment field in the head table. Writes out each table to the font stream. Writes the offset table that appears at the beginning of every TrueType/OpenType font. Does not actually write the table directory - simply "allocates" space for it in the stream. Returns the maximum power of 2 <= max Calculates the checksum of the entire font. The underlying must be aligned on a 4-byte boundary. Calculates the checksum of a . The supplied stream must be positioned at the beginning of the table. Gets the underlying . Generates a subset from a TrueType font. Creates a new instance of the FontSubset class. TrueType font parser. Writes the font subset to the supplied output stream. Reads a glyph description from the specified offset. Populate the compositesIList containing all child glyphs that this glyph uses. The stream parameter must be positioned 10 bytes from the beginning of the glyph description, i.e. the flags field. Gets the length of the glyph description in bytes at index index. Bit masks of the flags field in a composite glyph. Utility class that stores a list of glyph indices and their asociated subset indices. Maps a glyph index to a subset index. Maps a subset index to glyph index. Class constructor. Determines whether a mapping exists for the supplied glyph index. Returns the subset index for glyphIndex. If a subset index does not exist for glyphIndex one is generated. A subset index. Adds the list of supplied glyph indices to the index mappings using the next available subset index for each glyph index. Gets the subset index of glyphIndex. A glyph index or -1 if a glyph to subset mapping does not exist. Gets the glyph index of subsetIndex. A subset index or -1 if a subset to glyph mapping does not exist. Gets the number of glyph to subset index mappings. Gets a list of glyph indices sorted in ascending order. Gets a list of subset indices sorted in ascending order. Key - Kerning pair identifier Value - Kerning amount Creates an instance of KerningPairs allocating space for 100 kerning pairs. Creates an instance of KerningPairs allocating space for numPairs kerning pairs. Returns true if a kerning value exists for the supplied glyph index pair. Glyph index for left-hand glyph. Glyph index for right-hand glyph. Creates a new kerning pair. This method will ignore duplicates. The glyph index for the left-hand glyph in the kerning pair. The glyph index for the right-hand glyph in the kerning pair. The kerning value for the supplied pair. Returns a kerning pair identifier. Gets the kerning amount for the supplied glyph index pair. Gets the number of kernings pairs. A helper designed that provides the size of each TrueType primitives. List of all TrueType and OpenType tables Converts one of the predefined table names to an unsigned integer. Class that represents the Control Value Program table ('prep'). Class derived by all TrueType table classes. The dictionary entry for this table. Class constructor The table name. Table directory entry. Reads the contents of a table from the current position in the supplied stream. If the supplied stream does not contain enough data. Writes the contents of a table to the supplied writer. This method should not be concerned with aligning the table output on the 4-byte boundary. Gets or sets a directory entry for this table. Gets the unique name of this table as a 4-character string. Note that some TrueType tables are only 3 characters long (e.g. 'cvt'). In this case the returned string will be padded with a extra space at the end of the string. Gets the table name encoded as a 32-bit unsigned integer. Set of instructions executed whenever point size or font or transformation change. Creates an instance of the class. Reads the contents of the "prep" table from the current position in the supplied stream. Writes out the array of instructions to the supplied stream. Class that represents the Control Value table ('cvt'). List of N values referenceable by instructions. Creates an instance of the class. Reads the contents of the "cvt" table from the current position in the supplied stream. Writes out the array of values to the supplied stream. Gets the value representing the number of values that can be referenced by instructions. Class that represents the Font Program table ('fpgm'). List of N instructions. Creates an instance of the class. Reads the contents of the "fpgm" table from the current position in the supplied stream. Writes out the array of instructions to the supplied stream. Gets the value representing the number of instructions in the font program. Instantiates a font table from a table tag. Prevent instantiation since this is a factory class. Creates an instance of a class that implements the FontTable interface. One of the pre-defined TrueType tables from the class. A subclass of that is capable of parsing a TrueType table. If a class capable of parsing tableName is not available. Class that represents the Glyf Data table ('glyf'). http://www.microsoft.com/typography/otspec/glyf.htm Maps a glyph index to a object. Creates an instance of the class. Reads the contents of the "glyf" table from the current position in the supplied stream. Writes the contents of the glyf table to the supplied stream. Gets the instance located at glyphIndex Gets the number of glyphs. Represents either a simple or composite glyph description from the 'glyf' table. This class is nothing more than a wrapper around a byte array. The index of this glyph as obtained from the 'loca' table. Contains glyph description as raw data. List of composite glyph indices. Class constructor. Sets the glyph data (duh!). Add the supplied glyph index to list of children. Writes a glyph description to the supplied stream. Gets or sets the index of this glyph. Gets the length of the glyph data buffer. Gets a ilst of child glyph indices. Gets a value indicating whether or not this glyph represents a composite glyph. Class that represents the Font Header table. http://www.microsoft.com/typography/otspec/head.htm Class constructor. Reads the contents of the "head" table from the current position in the supplied stream. Returns a DateTime instance which is the result of adding seconds to BaseDate. If an exception occurs, BaseDate is returned. Writes the contents of the head table to the supplied stream. Gets a value that indicates whether glyph offsets in the loca table are stored as a int or ulong. Class that represents the Horizontal Header table. http://www.microsoft.com/typography/otspec/hhea.htm Table version number 0x00010000 for version 1.0. Typographic ascent. (Distance from baseline of highest ascender). Typographic descent. (Distance from baseline of lowest descender). Typographic line gap. Negative LineGap values are treated as zero in Windows 3.1, System 6, and System 7. Maximum advance width value in 'hmtx' table. Minimum left sidebearing value in 'hmtx' table. Minimum right sidebearing value. Max(lsb + (xMax - xMin)). Used to calculate the slope of the cursor (rise/run); 1 for vertical. 0 for vertical. The amount by which a slanted highlight on a glyph needs to be shifted to produce the best appearance. Set to 0 for non-slanted fonts. 0 for current format. Number of hMetric entries in 'hmtx' table. Class constructor. Reads the contents of the "hhea" table from the current position in the supplied stream. Gets the number of horiztonal metrics. Summary description for HorizontalMetric. Class that represents the Horizontal Metrics ('hmtx') table. http://www.microsoft.com/typography/otspec/hmtx.htm Initialises a new instance of the class. Initialises a new instance of the HorizontalMetricsTable class. Reads the contents of the "hmtx" table from the supplied stream at the current position. Returns the number of horizontal metrics stored in the hmtx table. Gets the located at index. Class that represents the Index To Location ('loca') table. http://www.microsoft.com/typography/otspec/loca.htm Initialises a new instance of the class. Initialises a new instance of the IndexToLocationTable class. Reads the contents of the "loca" table from the supplied stream at the current position. Removes all offsets. Includes the supplied offset. Gets the number of glyph offsets. Gets or sets the glyph offset at index index. A glyph index. Class that represents the Kerning table. http://www.microsoft.com/typography/otspec/kern.htm Class constructor. Reads the contents of the "kern" table from the current position in the supplied stream. No supported. Gets a boolean value that indicates this font contains format 0 kerning information. Returns a collection of kerning pairs. If HasKerningInfo returns false, this method will always return null. Class that represents the Horizontal Metrics ('maxp') table. http://www.microsoft.com/typography/otspec/maxp.htm Table version number The number of glyphs in the font. Maximum points in a non-composite glyph. Maximum contours in a non-composite glyph. Only set if versionNo is 1.0. Maximum points in a composite glyph. Only set if versionNo is 1.0. Maximum contours in a composite glyph. Only set if versionNo is 1.0. 1 if instructions do not use the twilight zone (Z0), or 2 if instructions do use Z0; should be set to 2 in most cases. Only set if versionNo is 1.0. Maximum points used in Z0. Only set if versionNo is 1.0. Number of Storage Area locations. Only set if versionNo is 1.0. Number of FDEFs. Only set if versionNo is 1.0. Number of IDEFs. Only set if versionNo is 1.0. Maximum stack depth2. Only set if versionNo is 1.0. Maximum byte count for glyph instructions. Only set if versionNo is 1.0. Maximum number of components referenced at "top level" for any composite glyph. Only set if versionNo is 1.0. Maximum levels of recursion; 1 for simple components. Only set if versionNo is 1.0. Initialises a new instance of the class. Reads the contents of the "maxp" table from the supplied stream at the current position. Gets the number of glyphs Class that represents the Naming ('name') table http://www.microsoft.com/typography/otspec/name.htm Offset to start of string storage (from start of table). Reads the contents of the "name" table from the supplied stream at the current position. Reads a string from the storage area beginning at offset consisting of length bytes. The returned string will be converted using the Unicode encoding. Big-endian font stream. The offset in bytes from the beginning of the string storage area. The length of the string in bytes. Not supported. Get the font family name. Gets the font full name composed of the family name and the subfamily name. Class that represents the OS/2 ('OS/2') table

For detailed information on the OS/2 table, visit the following link: http://www.microsoft.com/typography/otspec/os2.htm

For more details on the Panose classification metrics, visit the following URL: http://www.panose.com/hardware/pan2.asp

Reads the contents of the "os/2" table from the supplied stream at the current position. Gets a boolean value that indicates whether this font contains italic characters. Gets a boolean value that indicates whether characters are in the standard weight/style. Gets a boolean value that indicates whether characters possess a weight greater than or equal to 700. Gets a boolean value that indicates whether this font contains characters that all have the same width. Gets a boolean value that indicates whether this font contains special characters such as dingbats, icons, etc. Gets a boolean value that indicates whether characters do possess serifs Gets a boolean value that indicates whether characters are designed to simulate hand writing. Gets a boolean value that indicates whether characters do not possess serifs Gets a boolean value that indicates whether this font may be legally embedded. Gets a boolean value that indicates whether this font may be subsetted. Class that represents the PostScript ('post') table http://www.microsoft.com/typography/otspec/post.htm 0x00010000 for version 1.0 0x00020000 for version 2.0 0x00025000 for version 2.5 (deprecated) 0x00030000 for version 3.0 Italic angle in counter-clockwise degrees from the vertical. Zero for upright text, negative for text that leans to the right (forward). This is the suggested distance of the top of the underline from the baseline (negative values indicate below baseline). Suggested values for the underline thickness. Set to 0 if the font is proportionally spaced, non-zero if the font is not proportionally spaced (i.e. monospaced). Minimum memory usage when an OpenType font is downloaded. Maximum memory usage when an OpenType font is downloaded. Minimum memory usage when an OpenType font is downloaded as a Type 1 font. Maximum memory usage when an OpenType font is downloaded as a Type 1 font. Class constructor. Reads the contents of the "post" table from the supplied stream at the current position. Gets a boolean value that indicates whether this font is proportionally spaced (fixed pitch) or not. Class that represents the Offset and Directory tables. http://www.microsoft.com/typography/otspec/otff.htm Gets a value indicating whether or not this font contains the supplied table. A table name. Gets a DirectoryEntry object for the supplied table. A 4-character code identifying a table. A DirectoryEntry object or null if the table cannot be located. If tableName does not represent a table in this font. Gets the number tables. A very lightweight wrapper around a Win32 device context Pointer to device context created by ::CreateDC() Creates a new device context that matches the desktop display surface Invokes . Delete the device context freeing the associated memory. Selects a font into a device context (DC). The new object replaces the previous object of the same type. Handle to object. A handle to the object being replaced. Gets a handle to an object of the specified type that has been selected into this device context. Returns a handle to the underlying device context A thin wrapper around a handle to a font Class constructor A handle to an existing font. The typeface name of a font. The height of a font. Class destructor Creates a font based on the supplied typeface name and size. The typeface name of a font. The height, in logical units, of the font's character cell or character. Creates a font whose height is equal to the negative value of the EM Square Retrieves all pertinent TrueType tables by invoking GetFontData. Summary description for GdiFontEnumerator. Class constructor. A non-null reference to a wrapper around a GDI device context. Returns a list of font styles associated with familyName. Returns a list of font family names sorted in ascending order. Class that obtains OutlineTextMetrics for a TrueType font Gets font metric data for a TrueType font or TrueType collection. Retrieves the widths, in PDF units, of consecutive glyphs. An array of integers whose size is equal to the number of glyphs specified in the 'maxp' table. The width at location 0 is the width of glyph with index 0, The width at location 1 is the width of glyph with index 1, etc... Returns the width, in PDF units, of consecutive glyphs for the WinAnsiEncoding only. An array consisting of 256 elements. Translates the supplied character to a glyph index using the currently selected font. A unicode character. Retrieves the typeface name of the font that is selected into the device context supplied to the GdiFontMetrics constructor. Specifies the number of logical units defining the x- or y-dimension of the em square for this font. The common value for EmSquare is 2048. The number of units in the x- and y-directions are always the same for an em square.) Gets the main italic angle of the font expressed in tenths of a degree counterclockwise from the vertical. Regular (roman) fonts have a value of zero. Italic fonts typically have a negative italic angle (that is, they lean to the right). Specifies the maximum distance characters in this font extend above the base line. This is the typographic ascent for the font. Specifies the maximum distance characters in this font extend below the base line. This is the typographic descent for the font. Gets the distance between the baseline and the approximate height of uppercase letters. Gets the distance between the baseline and the approximate height of non-ascending lowercase letters. TODO: The thickness, measured horizontally, of the dominant vertical stems of the glyphs in the font. Gets the value of the first character defined in the font Gets the value of the last character defined in the font Gets the average width of glyphs in a font. Gets the maximum width of glyphs in a font. Gets a value indicating whether the font can be legally embedded within a document. Gets a value indicating whether the font can be legally subsetted. Gets the font's bounding box. This is the smallest rectangle enclosing the shape that would result if all the glyphs of the font were placed with their origins cooincident and then filled. Gets a collection of flags defining various characteristics of a font (e.g. serif or sans-serif, symbolic, etc). Gets a collection of kerning pairs. Gets a collection of kerning pairs for characters defined in the WinAnsiEncoding scheme only. Class constructor. Kerning pairs read from the TrueType font file. Class to convert from TTF to PDF units. Returns true if a kerning value exists for the supplied character index pair. Gets the number of kerning pairs. Gets the kerning amount for the supplied index pair or 0 if a kerning pair does not exist. Installs a collection of private fonts on the system and uninstalls them when disposed. Specifies that only the process that called the AddFontResourceEx function can use this font. Specifies that no process, including the process that called the AddFontResourceEx function, can enumerate this font. Collection of absolute filenames. Adds filename to this private font collection. Absolute path to a TrueType font or collection. If filename is null. If filename is the empty string. Adds fontFile to this private font collection. Absolute path to a TrueType font or collection. If fontFile does not exist. If fontFile has already been added. If fontFile cannot be added to the system font collection. Custom collection that maintains a list of Unicode ranges a font supports and the glyph indices of each character. The list of ranges is obtained by invoking GetFontUnicodeRanges, however the associated glyph indices are lazily instantiated as required to save memory. List of unicode ranges in ascending numerical order. The order is important since a binary search is used to locate and uicode range from a charcater. Class constuctor. Loads all the unicode ranges. Locates the for the supplied character. The object housing c or null if a range does not exist for c. Translates the supplied character to a glyph index. Any unicode character. A glyph index for c or 0 the supplied character does not exist in the font selected into the device context. Gets the number of unicode ranges. Converts from logical TTF units to PDF units. Class constructor. Specifies the number of logical units defining the x- or y-dimension of the em square of a font. Convert the supplied integer from TrueType units to PDF units based on the EmSquare If the value of emSquare is zero, this method will always return value. The ABC structure contains the width of a character in a TrueType font. TODO: Figure out why CreateFontIndirect fails when this class is converted to a struct. The OUTLINETEXTMETRIC structure contains metrics describing a TrueType font. The PANOSE structure describes the PANOSE font-classification values for a TrueType font. These characteristics are then used to associate the font with other fonts of similar appearance but different names. The Point structure defines the x- and y- coordinates of a point. The Rect structure defines the coordinates of the upper-left and lower-right corners of a rectangle The TEXTMETRIC structure contains basic information about a physical font. All sizes are specified in logical units; that is, they depend on the current mapping mode of the display context. Class that represents a unicode character range as returned by the GetFontUnicodeRanges function. Array of glyph indices for each character represented by this range begining at . Class constructor. GDI Device content Value representing start of unicode range. Value representing end of unicode range. Returns the glyph index of c. Populates the indices array with the glyph index of each character represented by this rnage starting at . Gets a value representing the start of the unicode range. Gets a value representing the end of the unicode range. Summary description for UnicodeRangeComparer. Maps a Unicode character to a WinAnsi codepoint value. First column is codepoint value. Second column is unicode value. The root of a document's object hierarchy is the catalog dictionary. The document catalog is described in section 3.6.1 of the PDF specification. A dictionary that contains information about a CIDFont program. A Type 0 CIDFont contains glyph descriptions based on Adobe's Type 1 font format, whereas those in a Type 2 CIDFont are based on the TrueType font format. A dictionary containing entries that define the character collection of the CIDFont. Class that defines a mapping between character codes (CIDs) to a character selector (Identity-H encoding) TODO: This method is temporary. I'm assuming that all string should be represented as a PdfString object? Adds the supplied glyph -> unicode pairs. Both the key and value must be a int. Adds the supplied glyph index to unicode value mapping. Overriden to create CMap content stream. Writes the bfchar entries to the content stream in groups of 100. Writes the bfrange entries to the content stream in groups of 100. Was originally called PdfDocument, but this name is now in use by the Telerik.Pdf library. Eventually all code in this class should either be moved to either the Telerik.Pdf library, or to the PdfRenderer. Get the root Outlines object. This method does not write the outline to the Pdf document, it simply creates a reference for later. Make an outline object and add it to the given outline @param parent parent PdfOutline object @param label the title for the new outline object @param action the PdfAction to reference get the /Resources object for the document @return the /Resources object Checks whether the FIPS validation is enabled (true if enabled; false otherwise) FIPS key: HKLM\System\CurrentControlSet\Control\Lsa\FIPSAlgorithmPolicy -> Enabled (DWORD value 0x00000001 for enabled, 0x00000000 for disabled) PDF defines a standard date format. The PDF date format closely follows the format defined by the international standard ASN.1. The format of the PDF date is defined in section 3.8.2 of the PDF specification. A class that enables a well structured PDF document to be generated. Responsible for allocating object identifiers. Class representing a file trailer. File trailers are described in section 3.4.4 of the PDF specification. Returns the internal name used for this font. Creates all the necessary PDF objects required to represent a font object in a PDF document. Generates object id's. Returns a subclass of the PdfFont class that may be one of PdfType0Font, PdfType1Font or PdfTrueTypeFont. The type of subclass returned is determined by the type of the font parameter. The PDF font identifier, e.g. F15 Underlying font object. Creates a character indexed font from cidFont The font and cidFont will be different object references since the font parameter will most likely be a . The Pdf font identifier, e.g. F15 Required to access the font descriptor. The underlying CID font. Returns the next available Pdf object identifier. Creates an instance of the class The Pdf font identifier, e.g. F15 Creates an instance of the class that defaults the font encoding to WinAnsiEncoding. A ProxyFont must first be resolved before getting the IFontMetircs implementation of the underlying font. An enumeration listing all the fonts types available in Pdf. An enumeration listing all the font subtypes An International Color Code stream Represents a Identity-H character encoding Maps 2-byte character codes ranging from 0 to 65,535 to the same 2-byte CID value, interpreted high-order byte first Do not call this method directly Do not call this method directly Class representing a document information dictionary. Document information dictionaries are described in section 9.2.1 of the PDF specification. Well-known PDF name objects. This represents a single Outline object in a PDF, including the root Outlines object. Outlines provide the bookmark bar, usually rendered to the right of a PDF document in user agents such as Acrobat Reader List of sub-entries (outline objects) Parent outline object. Root Outlines parent is null Title to display for the bookmark entry Class constructor. The object id number The title of the outline entry (can only be null for root Outlines obj) The page which this outline refers to. Add a sub element to this outline The pages of a document are accessed through a structure known as the page tree. The page tree is described in section 3.6.2 of the PDF specification. Returns this PdfString expressed using the 'literal' convention. A literal string is written as an arbitrary number of characters enclosed in parentheses. Any characters may appear in a string except unbalanced parentheses and the backslash, which must be treated specially. Balanced pairs of parentheses within a string require no special treatment. Used by ToPdfHexadecimal. Returns the PdfString expressed using the 'hexadecimal' convention. Strings may also be written in hexadecimal form; this is useful for including arbitrary binary data in a PDF file. A hexadecimal string is written as a sequence of hexadecimal digits (0–9 and either A–F or a–f) enclosed within angle brackets (< and >). The convention used when outputing the string to the PDF document. Defaults to format. Determines if the string should bypass encryption, even when available. Some PDF strings need to appear unencrypted in a secure PDF document. Most noteably those in the encryption dictionary itself. This property allows those strings to be flagged. The PDF specification describes two conventions that can be used to embed a string in a PDF document. This enumeration, along with the property can be used to select how a string will be formatted in the PDF file. A unique object number. The name by which the font is reference in the Font subdictionary The PostScript name of the font. Sets a value representing the character encoding. Sets the font descriptor. Sets the first character code defined in the font's widths array The default value is 0. Sets the last character code defined in the font's widths array The default value is 255. Sets the array of character widths. A Type 0 font is a composite font whose glyphs are obtained from a font like object called a CIDFont (a descendant font). All versions of the PDF specification up to and including version 1.4 only support a single descendant font. Sets the stream containing a CMap that maps character codes to unicode values. Sets the descendant font. Sets a value representing the character encoding. Sets a value representing the character encoding. Array class used to represent the /W entry in the CIDFont dictionary. ARC4 is a fast, simple stream encryption algorithm that is compatible with RSA Security's RC4 algorithm. Initialises internal state from the passed key. Can be called again with a new key to reuse an Arc4 instance. The encryption key. Encrypts or decrypts the passed byte array. The data to be encrypted or decrypted. The location that the encrypted or decrypted data is to be placed. The passed array should be at least the same size as dataIn. It is permissible for the same array to be passed for both dataIn and dataOut. Generates a pseudorandom byte used to encrypt or decrypt. Implements Adobe's standard security handler. A security handler is a software module that implements various aspects of the encryption process. Constructs a new standard security manager. The user supplied PDF options that provides access to the passwords and the access permissions. The PDF document's file identifier (see section 8.3 of PDF specification). Computes the master key that is used to encrypt string and stream data in the PDF document. The user supplied PDF options that provides access to the passwords and the access permissions. The PDF document's file identifier (see section 8.3 of PDF specification). Computes the O(owner) value in the encryption dictionary. Corresponds to algorithm 3.3 on page 69 of the PDF specficiation. The user supplied PDF options that provides access to the passwords. Computes the U(user) value in the encryption dictionary. Corresponds to algorithm 3.4 on page 70 of the PDF specficiation. The user supplied PDF options that provides access to the passwords. Encrypts the passed byte array using the ARC4 cipher. Computes an encryption key that is used to encrypt string and stream data in the PDF document. Corresponds to algorithm 3.1 in section 3.5 of the PDF specficiation. Computes an encryption key that is used to encrypt string and stream data in the PDF document. Corresponds to algorithm 3.2 in section 3.5 of the PDF specficiation. Pads or truncates a password string to exactly 32-bytes. Corresponds to step 1 of algorithm 3.2 on page 69 of the PDF 1.3 specficiation. The password to pad or truncate. A byte array of length 32 bytes containing the padded or truncated password. Determines if the passed password matches the user password used to initialise this security manager. Used for testing purposes only. Corresponds to algorithm 3.5 in the PDF 1.3 specification. True if the password is correct. Performs the actual checking of the user password. Checks the owner password. Compares two byte arrays and returns true if they are equal. Access to the raw user entry byte array. Required for testing purposes; Access to the raw owner entry byte array. Required for testing purposes; Collection of flags describing permissions granted to user who opens a file with the user password. The given initial value zero's out first two bits. The PDF specification dictates that these entries must be 0. Enables or disables printing. If true enables printing otherwise false Enable or disable changing the document other than by adding or changing text notes and AcroForm fields. Enable or disable copying of text and graphics from the document. Enable or disable adding and changing text notes and AcroForm fields. Password that disables all security permissions The user password Returns the owner password as a string. The default value is null Returns the user password as a string. The default value is null The document access privileges encoded in a 32-bit unsigned integer The default access priviliges are:
  • Printing disallowed
  • Modifications disallowed
  • Copy and Paste disallowed
  • Addition or modification of annotation/form fields disallowed
To override any of these priviliges see the , , , methods
A single section in a PDF file's cross-reference table. The cross-reference table is described in section 3.4.3 of the PDF specification. Right now we only support a single subsection. Adds an entry to the section. Writes the cross reference section to the passed PDF writer. A sub-section in a PDF file's cross-reference table. The cross-reference table is described in section 3.4.3 of the PDF specification. This entries contained in this subsection. Creates a new blank sub-section, that initially contains no entries. Adds an entry to the sub-section. Writes the cross reference sub-section to the passed PDF writer. Structure representing a single cross-reference entry. The object number and generation number. The number of bytes from the beginning of the file to the beginning of the object. Implementation of IComparable. A PDF file's cross-reference table. The cross-reference table is described in section 3.4.3 of the PDF specification. Right now we only support a single section. Adds an entry to the table. Writes the cross reference table to the passed PDF writer. A marker interface to indicate an object can be passed to the property. Sets up the PDF fonts. Assigns the font (with metrics) to internal names like "F1" and assigns family-style-weight triplets to the fonts. First 16 indices are used by base 14 and generic fonts Handles mapping font triplets to a IFontMetric implementor Adds all the system fonts to the FontInfo object. Adds metrics for basic fonts and useful family-style-weight triplets for lookup. Determines what type of font to instantiate. Returns true is familyName represents one of the base 14 fonts; otherwise false. Gets the next available font name. A font name is defined as an integer prefixed by the letter 'F'. Add the fonts in the font info to the PDF document. Object that creates PdfFont objects. Resources object to add fonts too. Base class for the standard 14 fonts as defined in the PDF spec. Base class for PDF font classes Maps a Unicode character to a character index. A Unicode character. See Get the encoding of the font. A font encoding defines a mapping between a character code and a code point. Gets the base font name. Gets the type of font, e.g. Type 0, Type 1, etc. Gets the font subtype. Gets a reference to a FontDescriptor Gets a boolean value indicating whether this font supports multi-byte characters See See See See See See Class constructor. Will always return null since the standard 14 fonts do not have a FontDescriptor. It is possible to override the default metrics, but the current version of Apoc does not support this feature. Base class for a CID (Character Indexed) font. There are two types of CIDFont: Type 0 and Type 2. A Type 0 CIDFont contains glyph description based on Adobe Type 1 font format; a Type 2 CIDFont contains glyph descriptions based on the TrueType font format. See page 338 of the Adode PDF 1.4 specification for futher details. Gets the PostScript name of the font. Gets a dictionary mapping character codes to unicode values Returns . Gets a string identifying the issuer of the character collections. The default implementation returns . Gets a string that uniquely names the character collection. The default implementation returns . Gets the supplement number of the character collection. The default implementation returns . Gets the default width for all glyphs. The default implementation returns Represents a collection of font descriptor flags specifying various characterisitics of a font. The following lists the bit positions and associated flags: 1 - FixedPitch 2 - Serif 3 - Symbolic 4 - Script 6 - Nonsymbolic 7 - Italic 17 - AllCap 18 - SmallCap 19 - ForceBold Default class constructor. Class constructor. Initialises the flags BitVector with the supplied integer. Gets the font descriptor flags as a 32-bit signed integer. Handy enumeration used to reference individual bit positions in the BitVector32. Collection of font properties such as face name and whether the a font is bold and/or italic. Class constructor. Regular : bold=false, italic=false Bold : bold=true, italic=false Italic : bold=false, italic=true BoldItalic : bold=true, italic=true Font face name, e.g. Arial. Bold flag. Italic flag. A proxy object that delegates all operations to a concrete subclass of the Font class. Flag that indicates whether the underlying font has been loaded. Font details such as face name, bold and italic flags The font that does all the work. Determines what type of "real" font to instantiate. Class constructor. Loads the underlying font. Gets the underlying font. Represents a TrueType font program. Wrapper around a Win32 HDC. Provides font metrics using the Win32 Api. List of kerning pairs. Maps a glyph index to a PDF width Class constructor Creates a object from baseFontName See A WinAnsi codepoint. Returns . A Type 2 CIDFont is a font whose glyph descriptions are based on the TrueType font format. TODO: Support font subsetting Wrapper around a Win32 HDC. Provides font metrics using the Win32 Api. List of kerning pairs. Maps a glyph index to a PDF width Windows font name, e.g. 'Arial Bold' Maps a glyph index to a character code. Maps character code to glyph index. The array is based on the value of . Class constructor. Creates a object from baseFontName Class destructor. Returns . A subclass of Type2CIDFont that generates a subset of a TrueType font. Maps a glyph index to a subset index. Quasi-unique six character name prefix. Class constructor. Creates the index mappings list and adds the .notedef glyphs Enumeration that dictates how Apoc should treat fonts when producing a PDF document.

Each of the three alernatives has particular advantages and disadvantages, which will be explained here.

The member specifies that all fonts should be linked. This option will produce the smallest PDF document because the font program required to render individual glyphs is not embedded in the PDF document. However, this option does possess two distinct disadvantages:

  1. Only characters in the WinAnsi character encoding are supported (i.e. Latin)
  2. The PDF document will not render correctly if the linked font is not installed.
///

The option will copy the contents of the entire font program into the PDF document. This will guarantee correct rendering of the document on any system, however certain fonts - especially CJK fonts - are extremely large. The MS Gothic TrueType collection, for example, is 8MB. Embedding this font file would produce a ridicuously large PDF.

Finally, the option will only copy the required glyphs required to render a PDF document. This option will ensure that a PDF document is rendered correctly on any system, but does incur a slight processing overhead to subset the font.

Fonts are linked. The entire font program is embedded. The font program is subsetted and embedded. The current vertical position in millipoints from bottom. The current horizontal position in millipoints from left. The horizontal position of the current area container. The PDF Document being created. The /Resources object of the PDF document being created. The current stream to add PDF commands to. The current annotation list to add annotations to. The current page to add annotations to. True if a TJ command is left to be written. The previous Y coordinate of the last word written. Used to decide if we can draw the next word on the same line. The previous X coordinate of the last word written. Used to calculate how much space between two words. The width of the previous word. Used to calculate space between. Reusable word area string buffer to reduce memory usage. TODO: remove use of this. User specified rendering options. The current (internal) font name. The current font size in millipoints. The current color/gradient to fill shapes with. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Previous values used for text-decoration drawing. Provides triplet to font resolution. Handles adding base 14 and all system fonts. The IDReferences for this document. Create the PDF renderer. add a line to the current stream @param x1 the start x location in millipoints @param y1 the start y location in millipoints @param x2 the end x location in millipoints @param y2 the end y location in millipoints @param th the thickness in millipoints @param r the red component @param g the green component @param b the blue component add a line to the current stream @param x1 the start x location in millipoints @param y1 the start y location in millipoints @param x2 the end x location in millipoints @param y2 the end y location in millipoints @param th the thickness in millipoints @param rs the rule style @param r the red component @param g the green component @param b the blue component add a rectangle to the current stream @param x the x position of left edge in millipoints @param y the y position of top edge in millipoints @param w the width in millipoints @param h the height in millipoints @param stroke the stroke color/gradient add a filled rectangle to the current stream @param x the x position of left edge in millipoints @param y the y position of top edge in millipoints @param w the width in millipoints @param h the height in millipoints @param fill the fill color/gradient @param stroke the stroke color/gradient add a filled rectangle to the current stream @param x the x position of left edge in millipoints @param y the y position of top edge in millipoints @param w the width in millipoints @param h the height in millipoints @param fill the fill color/gradient render image area to PDF @param area the image area to render render a foreign object area render inline area to PDF @param area inline area to render Convert a char to a multibyte hex representation Checks to see if we have some text rendering commands open still and writes out the TJ command to the stream if we do render page into PDF @param page page to render defines a string containing dashArray and dashPhase for the rule style Renders an area's background. The area whose background is to be rendered. The x position of the left edge in millipoints. The y position of top edge in millipoints. The width in millipoints. The height in millipoints. Renders an image, rendered at the image's intrinsic size. This by default calls drawImageScaled() with the image's intrinsic width and height, but implementations may override this method if it can provide a more efficient solution. The x position of left edge in millipoints. The y position of top edge in millipoints. The image to be rendered. Renders an image, scaling it to the given width and height. If the scaled width and height is the same intrinsic size of the image, the image is not scaled The x position of left edge in millipoints. The y position of top edge in millipoints. The width in millipoints. The height in millipoints. The image to be rendered. Renders an image, clipping it as specified. The x position of left edge in millipoints. The y position of top edge in millipoints. The left edge of the clip in millipoints. The top edge of the clip in millipoints. The clip width in millipoints. The clip height in millipoints. The image to be rendered. render display space @param space the display space to render render inline space @param space space to render render leader area @param area area to render Assigns renderer options to this PdfRenderer This property will only accept an instance of the PdfRendererOptions class If value is not an instance of PdfRendererOptions This class can be used to control various properties of PDF files created by Apoc XSL-FO. Can be used to control certain values in the generated PDF's information dictionary. These values are typically displayed in a document summary dialog of PDF viewer applications. This class also allows security settings to be specified that will cause generated PDF files to be encrypted and optionally password protected. The given initial value zero's out first two bits. The PDF specification dictates that these entries must be 0. Adds a keyword to the PDF document. Keywords are embedded in the PDF information dictionary. The keyword to be added. Adds fileInfo to the private font collection. Absolute path to a TrueType font or collection. If fileInfo is null. If fileInfo does not exist. If fileInfo has already been added. If fileInfo cannot be added to the system font collection. Creates and returns a new instance of the active content filter IFilter instance Specifies the Title of the PDF document. The default value is null. This value will be embedded in the PDF information dictionary. Specifices the default font The default value is empty string. Specifies the Subject of the PDF document. The default value is null. This value will be embedded in the PDF information dictionary. Specifies the Author of the PDF document. The default value is null. This value will be embedded in the PDF information dictionary. Returns the Creator of the PDF document. This method will always return "XSL-FO http://www.w3.org/1999/XSL/Format". Returns the Producer of the PDF document. This method will return the assembly name and version of Apoc. Returns a list of keywords as a comma-separated string If no keywords exist the empty string is returned Specifies the owner password that will protect full access to any generated PDF documents. If either the owner or the user password is specified, then the document will be encrypted. The default value is null. Specifies the user password that will protect access to any generated PDF documents. If either the owner or the user password is specified, then the document will be encrypted. The default value is null. Disables the content encryption Returns true if any permissions have been set. Returns the PDF permissions encoded as an 32-bit integer. Enables or disables printing. The default value is true. Enables or disables modifying document contents (other than text annotations and interactive form fields). The default value is true. Enables or disables copying of text and graphics. The default value is true. Enables or disables adding or modifying text annotations and interactive form fields. The default value is true. Specifies how Apoc should treat fonts. The default value is FontType.Link Gets or sets a value that indicates whether to enable kerning. The default value is false Determines whether the text will be forced to wrap or will break the cell boundaries when longer than its container (and when there is no whitespace for automatic wrapping) Gets/sets the current content filter PDF filter Specifies the output format that Apoc XSL-FO should render to. Currently the only useful format supported is PDF. The XML format is intended for informational/debugging purposes only. Instructs Apoc to output an XML representation. This format is useful only for informational/debugging purposes. Instructs Apoc to output PDF. Clean up used resources. This class can be used to control various properties of PDF files created by the XML tree renderer. Default XML renderer properties Determines if the XMLRenderer should use verbose output This class acts as a bridge between the XML:FO parser and the formatting/rendering classes. It will queue PageSequences up until all the IDs required by them are satisfied, at which time it will render the pages. StreamRenderer is created by Driver and called from FOTreeBuilder when a PageSequence is created, and AreaTree when a Page is formatted. Keep track of the number of pages rendered. The renderer being used. The formatting results to be handed back to the caller. The FontInfo for this renderer. The list of pages waiting to be renderered. The current set of IDReferences, passed to the areatrees and pages. This is used by the AreaTree as a single map of all IDs. The list of extensions. The list of markers. Format the PageSequence. The PageSequence formats Pages and adds them to the AreaTree, which subsequently calls the StreamRenderer instance (this) again to render the page. At this time the page might be printed or it might be queued. A page might not be renderable immediately if the IDReferences are not all valid. In this case we defer the rendering until they are all valid. Try to process the queue from the first entry forward. If an entry can't be processed, then the queue can't move forward, so return. Auxillary function for retrieving markers. Auxillary function for retrieving markers. Auxillary function for retrieving markers. A RenderQueueEntry consists of the Page to be queued, plus a list of outstanding ID references that need to be resolved before the Page can be renderered. The Page that has outstanding ID references. MG - to replace the outer this Java nonsense */ A list of ID references (names). See if the outstanding references are resolved in the current copy of IDReferences. Provides a static method that applies an XSL stylesheet to an XML document Private constructor to prevent instantiation Applies the style sheet xslFile to the XML document identified by xmlFile. Path to an XML document Path to an XSL stylesheet A Stream representing a sequence of XSL:FO elements The files xmlFile and xslFile do not exist or are inaccessible. The XSL file cannot be compiled This method will create a temporary filename in the system's temporary directory, which is automatically deleted when the returned stream is closed. This Class implements the fields and the properties in the FileUploaded server EventArgs. Gets or sets the uploaded file. The uploaded file. Gets or sets the IsValid property. The IsValid property. Gets the upload result. The upload result. This class implements the UploadedFileInfo object and its fields and methods. Copies the file info to IAsyncUploadResult. The result. The file. Gets the fully-qualified name of the file on the client's computer (for example "C:\MyFiles\Test.txt"). A string containing the fully-qualified name of the file on the client's computer. Gets the MIME content type of a file sent by a client. The MIME content type of the uploaded file. Gets the size in bytes of an uploaded file. The length of the file. Gets the last modified date of the uploaded file in JSON format. The property is available only in RadAsyncUpload control when FileApi module is used Last modified date of the uploaded file in JSON format. Gets or sets the index. The index. For internal use only. For internal use only. Gets or sets the is enabled. The IsEnabled. Collection of binary image filters. Extends List of BinaryImageFilter. Access by filter name is available Abstract filter class which is used when creating filters. Filters are used to manipulate the binary data of an image. Process image data by applying the filter transformations data to be processed processed data Gets the filter's name Intended for internal use only Enumerates the different resize modes the control supports The original image will not be resized The image will be resized to fit to the specified control Width and Height, preserving the image's width/height ratio. The image will be cropped and centered if larger than the specified control Width and Height The image will be stretched or shrunk to exactly fit the specified control Width and Height Enumerates the crop positions that can apply when cropping the binary image. The original image will be cropped from top when its height is greater than its width. The original image will be cropped from all sides The original image will be cropped from bottom when its height is greater than its width The original image will be cropped from left when its width is greater than its height The original image will be cropped from right when its width is greater than its height Transformation filter which transform the image. The filter could alter the image width, height and manipulate cropping and interpolation mode Process image data by applying the filter transformations The processed data in bytes Gets the filter's name as string representation The filter name as string Gets or sets the width of the image. The width of the image in pixels. Gets or sets the height of the image. The height of the image in pixels. Gets or sets the interpolation mode which specifies the algorithm that is used when images are scaled or rotated The interpolation mode which specifies the algorithm that is used when images are scaled or rotated. Gets or sets the resize mode of the image. The resize mode of the image. Gets or sets the crop position that can apply when cropping the binary image. The crop position that can apply when cropping the binary image. Represents a control which is capable of displaying images from a binary data Adds HTML attributes and styles that need to be rendered to the specified . This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Binds a data source to the invoked server control and all its child controls. Saves any state that was modified after the method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Gets the value that corresponds to this Web server control. This property is used primarily by control developers. One of the enumeration values. Gets or sets the alignment of the control in relation to other elements on the Web page. Gets or sets the alternate text displayed in the Image control when the image is unavailable. Browsers that support the ToolTips feature display this text as a ToolTip. The URL for the file that contains a detailed description for the image. The default is an empty string (""). Gets or sets a value indicating whether the control generates an alternate text attribute for an empty string value. The default value is false Gets or sets a value indicating whether the image data will be persisted if control is invisible Gets or sets the location of an image to display in the control. Applicable only when property is not set. Specifies the URL of the HTTPHandler from which the image will be served Gets the instance which is responsible for saving and loading image's data This should be an instance of same type as 's ImagePersister Gets or sets binary data to which control will be bound to Contains collections of which will be applied to image's data Specifies the resize mode that will use to resize the image. Default value is BinaryImageResizeMode.None, indicating no resizing will be performed. Specifies the crop position will use when cropping the image. This property has a meaning only when the ResizeMode property is set to BinaryImageResizeMode.Crop. Default value is BinaryImageCropPosition.Center. Get or set the name of the file which will appear inside of the SaveAs browser dialog When set to true enables support for WAI-ARIA Set whenever to render <img> tag when the image src is empty string. Default value is true. Specifies if the HTML image element's dimensions are inferred from image's binary data Represents an object which can server 's content Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Gets the instance which is responsible for saving and loading image's data This should be an instance of same type as 's ImagePersister Intended for internal use only Represents an object which contains RadBinaryImage's data content Gets or sets the binary image data container data. The data in bytes. Gets or sets the name of the image. The name of the image. Represents an object which can handle image data's storage and retrieval using HTTPCache Generates an Uri at which the image's data can be accessed URL of the HTTPHandler from which image data should be served Generated Uri Saves a image's data to storage Image's binary data Retrieves image binary data from storage image's data Gets portion of generated Uri which represents image's identification key value Gets portion of generated Uri which represents image's identification key name Gets current instance Gets or sets the name of the image file. The name of the image file. The class holding the settings for the animations. Duration and the type of the animation could be changed. Gets or sets the animation duration in milliseconds. An integer representing the animation duration in milliseconds. The default value is 300 milliseconds. Gets or sets the calendar animation type Summary description for CalendarAnimationType. Fade - The calendar or timeview fades in and out Slide - The calendar or timeview slides in and out The calendar or timeview fades in and out The calendar or timeview slides in and out This spam protector implements different strategies for automatic robot discovery. Interface defining a spam protector Add the child controls for this spam protector to the main container with controls The main container with controls Load the post back data for the spam protector The main container with controls Validate the post back data Customize ASP.NET PreRender event Gets an indicator whether the user is validated or not Is the spam protector visible in the captcha control or not. Initializes a new instance of the class. Add the child controls for this spam protector to the main container with controls The main container with controls Load the post back data for the spam protector The main container with controls Validate the post back data List of all enabled automatic robot discovery strategies Gets an indicator whether the user is validated or not Gets or sets the hidden text box strategy. The hidden text box strat. Gets or sets the minimum submission time strategy. The minimum submission time strategy. Interface defining an auto bot discovery strategy Initializes a new instance of the class. Add the child controls for this spam protector to the main container with controls The main container with controls Load the post back data for the spam protector The main container with controls Validate the post back data Removes the GUID from cache. Gets an indicator whether the user is validated or not Gets or sets an error message displayed when the user is not validated Gets or sets the label text. The label text. Gets or sets the GUID of the previous session. The GUID of the previous session. Bot trap stream HttpModule. Adds Bot Guids to the cache. You *MUST* enable this HttpHandler in your web.config, like so: <httpHandlers> <add verb="GET" path="BotHandler.axd" type="Telerik.Web.UI.BotTrapLinkHandler, Telerik.Web.UI" /> </httpHandlers> Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Gets a value indicating whether another request can use the instance. true if the instance is reusable; otherwise, false. Auto bot discovery strategy relying on whether a hidden textbox in the form will be filled or not in order to determine the session as being from a human or not. Add the child controls for this spam protector to the main container with controls The main container with controls Load the post back data for the spam protector The main container with controls Validate the post back data Gets an indicator whether the user is validated or not Gets or sets the label text. The label text. This automatic robot discovery strategy relies on the submission time of the form. If it is less than a predefined time, then this session is considered to be from a robot. Adds the child controls. The container. Loads the post back data. The container. Validates the post back data. Gets an indicator whether the user is validated or not Gets or sets the minimum time in which the form should not be submitted. The minimum time in which the form should not be submitted. Gets or sets the time this instance was rendered at. The time this instance was rendered at. Determines whether the RadCaptcha control is valid. The bool value indicating whether the Captcha is valid. Gets or sets the name of the validation group to which this validation control belongs. The parent captcha control, which the custom validator belongs to. Captcha audio stream HttpModule. "Speaks" the Captcha code, renders them to memory and streams it to the browser. To use this handler, add it in your web.config, like so: Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Gets a value indicating whether another request can use the instance. true if the instance is reusable; otherwise, false. Amount of random font warping to apply to rendered text. No font warping will be applied. Low font warping will be applied. Medium font warping will be applied. Height font warping will be applied. Extreme font warping will be applied. Amount of background noise to add to rendered image. No background noise will be added. Low background noise will be added. Medium background noise will be added. Height background noise will be added. Extreme background noise will be added. Amount of curved line noise to add to rendered image. No curved line noise will be added. Low curved line noise will be added. Medium curved line noise will be added. High curved line noise will be added. Extreme curved line noise will be added. The character set from which the CaptchaImage text is randomly generated. The CaptchaImage text will be generated from letters and numbers. The CaptchaImage text will be generated from letters. The CaptchaImage text will be generated from numbers. The CaptchaImage text will be generated from custom character set (the RadCaptcha property 'CharSet' is used to specify the characters). RadCaptcha image generation class Creates an instance of the CaptchaImage class. Creates an instance of the CaptchaImage class. The old CaptchaImage object. An instance of the Random class. The date and time the CaptchaImage was rendered. A GUID that uniquely identifies the CaptchaImage. Creates an instance of the CaptchaImage class. The old CaptchaImage object. An instance of the TelerikRandom class. The date and time the CaptchaImage was rendered. A GUID that uniquely identifies the CaptchaImage. Forces a new Captcha image to be generated using current property value settings. Returns a random font family from the font whitelist Checks whether the current code is an offensive word. True if the word is offensive. Generates a new RadCaptcha code. Bool value that indicates whether or not bad words will be filtered. RadCaptcha has a built-in list of words that should not appear on the image. Generates a new RadCaptcha code. Generates random text for the RadCaptcha. Returns a random point within the specified x and y ranges. Returns a random point within the specified rectangle. Returns a GraphicsPath containing the specified string and font. Returns the RadCaptcha font in an appropriate size. Renders the RadCaptcha image. Warps the provided text GraphicsPath by a variable amount. Add a variable level of graphic noise to the image. Add variable level of curved lines to the image Gets a GUID that uniquely identifies this CaptchaImage Gets the date and time this image was last rendered Gets or sets bool value that indicates whether the RadCaptcha Image will only be rendered on the page (without the textbox and Label). Bool value indicating whether the RadCaptcha will only be rendered on the page. Gets or sets the font used to render RadCaptcha text. The name of the font used to render RadCaptcha text. Gets or sets a bool value indicating whether a random font will be used to generate the CaptchaImage text. Bool value indicating whether a random font will be used to generate the CaptchaImage text. Gets or sets the amount of random font warping used on the RadCaptcha text. The amount of random font warping used on the RadCaptcha text. Gets or sets the amount of background noise to generate in the RadCaptcha image. The amount of background noise to generate in the RadCaptcha image. Gets or sets the line noise level to the RadCaptcha image. The line noise level to the RadCaptcha image. Gets or sets the characters used to render RadCaptcha text. A character will be picked randomly from the string. The characters used to render RadCaptcha text. A character will be picked randomly from the string. Gets or sets a custom Character Set, from which the characters used to render RadCaptcha, are randomly chosen. The TextChars property must be set to CustomCharSet. The custom characters used to RadCaptcha text. A character will be picked randomly from the string. Gets or sets the color of the RadCaptcha text. The color of the RadCaptcha text. Gets or sets the background color of the CaptchaImage. The background color of the CaptchaImage. Gets or sets the number of CaptchaChars used in the RadCaptcha text. Number of CaptchaChars used in the RadCaptcha text. Gets the randomly generated RadCaptcha text. Gets or sets the width of the RadCaptcha image. The width of the RadCaptcha image. Gets or sets the height of the RadCaptcha image. The height of the RadCaptcha image. Gets or sets a semicolon-delimited list of valid fonts to use when no font is provided. Gets or sets the RadCaptcha image alternative text. The RadCaptcha image alternative text. Gets or sets the RadCaptcha image CSS class. The RadCaptcha image CSS class. Gets or sets the bool value indicating whether the CaptchaAudio will be enabled. Gets or sets the bool value indicating whether the CaptchaAudio will be enabled. Gets or sets the path to the directory where the audio (.wav) files are located. The default value is ~/App_Data/RadCaptcha. The path to the directory where the audio (.wav) files are located. Use the AudioFilesPath property to specify the directory where the audio (*.wav) files are located, and from which the audio code is generated. The audio files must be named "[Char]".wav (i.e. A.wav, B.wav, C.wav, 1.wav, 2.wav) and should contain the audio that corresponds to the specific character. Place the RadCaptcha folder (provided with the installation) in the App_Data directory of your WebSite. Gets or sets a bool value indicating whether the audio code will be generated by concatenation of the audio files from a given folder. The bool value indicating whether the audio code will be generated by concatenation of the audio files from a given folder. Gets or sets a boolean value indicating whether a noise should be added to the CaptchaAudio. Gets the previous text of the CaptchaImage. Gets or sets a bool value that indicates whether or not the Captcha will persist the code during Ajax requests that do not affect the RadCaptcha control. The default is false, which means a new code will be generated on every trip to the server (no matter if full or partial postback). Note: This property is useful when there is another Ajax panel on the page that does not update the Captcha. Setting it to true will cause the RadCaptcha control to persist its code during the Ajax requests. Captcha image stream HttpModule. Retrieves RadCaptcha objects from cache (or session), renders them to memory, and streams them to the browser. To use this handler, add it in your web.config, like so: Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Gets a value indicating whether another request can use the instance. true if the instance is reusable; otherwise, false. Internal helper class that retrieves the CaptchaImage form the Cache or Session. Used in CaptchaImageHandler and CaptchaAudioHandler classes. Storage medium of the RadCaptcha Image The CaptchaImage is stored in Cache. The CaptchaImage is stored in Session. Defines that a custom CachingProvider will be used. Type of the provider should be defined in the web.config as an AppSetting with key Telerik.Web.CaptchaImageStorageProviderTypeName This spam protector represents a RadCaptcha image with obfuscated text. Initializes a new instance of the class. Add the child controls for this spam protector to the main contrainer with controls The main container with controls Makes sure the correct controls are shown on the RadCaptcha. To show or not the controls. Returns the handler URL that points to the Captcha Audio code Load the post back data for the spam protector The main container with controls Validate the post back data Gets the cached RadCaptcha. The GUID indicating the generated RadCaptcha. Removes the cached RadCaptcha. The GUID indicating the generated RadCaptcha. Validate the user's text against the RadCaptcha text Generate a new RadCaptcha and store it in the ASP.NET Cache by unique GUID Indicator whether the user is validated or not Gets or sets the previous GUID of the RadCaptcha image. The previous GUID of the RadCaptcha image. Gets or sets the maximum number of minutes RadCaptcha will be cached and valid. If you're too slow, you may be a RadCaptcha hack attempt. Set to zero to disable. The maximum number of minutes RadCaptcha will be cached and valid. If you're too slow, you may be a RadCaptcha hack attempt. Set to zero to disable. Gets or sets the CSS class applied to the RadCaptcha input textbox. The CSS class applied to the RadCaptcha input textbox. Gets or sets the RadCaptcha image. The RadCaptcha image. Gets or sets the tab index of the RadCaptcha input text box. The tab index of the RadCaptcha input text box. Gets or sets the RadCaptcha input text box access key. The RadCaptcha input text box access key. Gets or sets the RadCaptcha input text box title. The RadCaptcha input text box title. Gets or sets the label which explains that the user needs to input the RadCaptcha text box. The label which explains that the user needs to input this text box. Gets or sets the CSS class to the label which explains that the user needs to input the RadCaptcha text box. The CSS class to the label which explains that the user needs to input the RadCaptcha text box. Gets or sets a bool value indicating whether the RadCaptcha should ignore the case of the letters or not. Bool value indicating whether the RadCaptcha should ignore the case or not. Gets or sets the storage medium for the CaptchaImage. Gets or sets a value indication where the CaptchaImage is stored. Gets or sets a bool value indicating whether or not the RadCaptchaImage can be refreshed. Gets or sets a bool value indicating whether or not the RadCaptchaImage can be refreshed. Gets or sets the access key for generating new captcha image Gets or sets the access key for the Get Audio Code link Gets or sets the text of the LinkButton that generates new CaptchaImage. Gets or sets the text of the LinkButton that generates new CaptchaImage Gets or sets the code entered by the user when custom textbox is used (internal). Gets or sets the code entered by the user when custom textbox is used. Gets reference to the caching provider used by the control. Defines whether notification panel for missing audio plug-in should be displayed if one is not installed on the client's machine. Gets or sets the text displayed in the MissingPlugin download link. Defines whether Download Audio Code link should be rendered. Gets or sets the text displayed in the Download Audio Code link. Composite property containing decoration options of the inner TextBox control Composite property containing decoration options of the inner Label control Gets a value indicating whether this instance is in design mode. true if this instance is in design mode; otherwise, false. Class that implements the audio code feature of the RadCaptcha control Creates an instance of the CaptchaAudio class The memory stream to which the wave will be outputted. The text (code) to be spoken by the RadCaptcha. Speaks the currently saved text in the TextToSpeak property. Creates the Memory stream to which the wave will be outputted. The path to the current application. Memory stream that contains the audio code. Gets the Memory stream to which the wave will be outputted. Gets the Text (code) to be spoken by the RadCaptcha. Gets or sets a bool value indicating whether the Text (code)should be spoken or concatenated from the provided wav files. Class that combines the audio files (wav) of RadCaptcha to create the audio output. Get information about every audio file. The physical path to the file. Outputs an empty wave file by writing its header. The memory stream of the empty file. Concatenates Audio Files (wav) into a single file. The string array containing the physical path to each file. The MemoryStream of the concatenated audio files. Event arguments when a chart element is clicked. Reverse link to a parent Initializes a new instance of the class. The element. Reverse link to a parent Represents the active region of the chart element/item. Base class implements IStateManager Common interface for a State managed collection items The common interface for all chart elements support View State tracking Loads data from a View State View Sate to load data from Saves object data to a View State Saved View State Tracks view state changes Sets item dirty state Loads data from a view state View state to load data from Saves object data to a view state Saved view state object Tracks view state changes Makes a view state clone StateBag Saves object data to a view state Saved view state object Tracks view state changes Loads data from a view state View state to load data from Sets the item dirty state ToString() override. Used in the properties grid to avoid object type showing. Empty string Gets if view sate should ignore case Sate bag to store view state content Is view state tracking changes Parent chart element List contains all regions for element Creates a new instance of the class. Creates a new instance of the class. Checks whether point lies inside region The point. if set to true [onclick]. Checks whether point lies inside region The point. Opens a web browser to the specified URL Returns true if ActiveRegion contains no data Determine on which elements(if its visually intersect) of chart click occur Click coordinates Container object Active region object collection Has click event or not Called after a Click event Called when [click]. The sender. Reference to the parent. Define a graphic path URL Tooltip Attributes Fires when the chart element to which the active region belongs is clicked. Base Interface for classes which support click feature Active region object Chart graphics class. Wrapper over the System.Drawing.Graphics. Base System.Drawing.Graphics object Fixed displacement for X coordinate Fixed displacement for Y coordinate Default translate transform order Apply TranslateTransform with fixed displacements Apply TranslateTransform with fixed negative displacements Create instance of class System.Drawing.Graphics object Apply TranslateTransform with fixed displacements and sets its Fixed displacement for X coordinate Fixed displacement for Y coordinate Apply TranslateTransform with fixed displacements and sets its Fixed displacement for X coordinate Fixed displacement for Y coordinate Matrix order Changing fixed displacements Fixed displacement for X coordinate Fixed displacement for Y coordinate Adds a comment to the current System.Drawing.Imaging.Metafile. Array of bytes that contains the comment. Saves a graphics container with the current state of this System.Drawing.Graphics and opens and uses a new graphics container. This method returns a System.Drawing.Drawing2D.GraphicsContainer that represents the state of this System.Drawing.Graphics at the time of the method call. Saves a graphics container with the current state of this System.Drawing.Graphics and opens and uses a new graphics container with the specified scale transformation. System.Drawing.Rectangle structure that, together with the srcrect parameter, specifies a scale transformation for the container. System.Drawing.Rectangle structure that, together with the dstrect parameter, specifies a scale transformation for the container. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure for the container. This method returns a System.Drawing.Drawing2D.GraphicsContainer that represents the state of this System.Drawing.Graphics at the time of the method call. Saves a graphics container with the current state of this System.Drawing.Graphics and opens and uses a new graphics container with the specified scale transformation. System.Drawing.RectangleF structure that, together with the srcrect parameter, specifies a scale transformation for the new graphics container. System.Drawing.RectangleF structure that, together with the dstrect parameter, specifies a scale transformation for the new graphics container. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure for the container. This method returns a System.Drawing.Drawing2D.GraphicsContainer that represents the state of this System.Drawing.Graphics at the time of the method call. Clears the entire drawing surface and fills it with the specified background color. System.Drawing.Color structure that represents the background color of the drawing surface. Performs a bit-block transfer of color data, corresponding to a rectangle of pixels, from the screen to the drawing surface of the System.Drawing.Graphics. The point at the upper-left corner of the source rectangle. The point at the upper-left corner of the destination rectangle. The size of the area to be transferred. Performs a bit-block transfer of color data, corresponding to a rectangle of pixels, from the screen to the drawing surface of the System.Drawing.Graphics. The point at the upper-left corner of the source rectangle. The point at the upper-left corner of the destination rectangle. The size of the area to be transferred. One of the System.Drawing.CopyPixelOperation values. CopyPixelOperation is not a member of System.Drawing.CopyPixelOperation. The operation failed. Performs a bit-block transfer of the color data, corresponding to a rectangle of pixels, from the screen to the drawing surface of the System.Drawing.Graphics. The x-coordinate of the point at the upper-left corner of the source rectangle. The y-coordinate of the point at the upper-left corner of the source rectangle. The x-coordinate of the point at the upper-left corner of the destination rectangle. The y-coordinate of the point at the upper-left corner of the destination rectangle. The size of the area to be transferred. Performs a bit-block transfer of the color data, corresponding to a rectangle of pixels, from the screen to the drawing surface of the System.Drawing.Graphics. The x-coordinate of the point at the upper-left corner of the source rectangle. The y-coordinate of the point at the upper-left corner of the source rectangle The x-coordinate of the point at the upper-left corner of the destination rectangle. The y-coordinate of the point at the upper-left corner of the destination rectangle. The size of the area to be transferred. One of the System.Drawing.CopyPixelOperation values. copyPixelOperation is not a member of System.Drawing.CopyPixelOperation. The operation failed Releases all resources used by this System.Drawing.Graphics. Draws an arc representing a portion of an ellipse specified by a System.Drawing.Rectangle structure. System.Drawing.Pen that determines the color, width, and style of the arc. System.Drawing.RectangleF structure that defines the boundaries of the ellipse. Angle in degrees measured clockwise from the x-axis to the starting point of the arc. Angle in degrees measured clockwise from the startAngle parameter to ending point of the arc. Draws an arc representing a portion of an ellipse specified by a System.Drawing.RectangleF structure. System.Drawing.Pen that determines the color, width, and style of the arc. System.Drawing.RectangleF structure that defines the boundaries of the ellipse. Angle in degrees measured clockwise from the x-axis to the starting point of the arc. Angle in degrees measured clockwise from the startAngle parameter to ending point of the arc. Draws an arc representing a portion of an ellipse specified by a pair of coordinates, a width, and a height. System.Drawing.Pen that determines the color, width, and style of the arc. The x-coordinate of the upper-left corner of the rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the rectangle that defines the ellipse. Width of the rectangle that defines the ellipse. Height of the rectangle that defines the ellipse. Angle in degrees measured clockwise from the x-axis to the starting point of the arc. Angle in degrees measured clockwise from the startAngle parameter to ending point of the arc. Draws an arc representing a portion of an ellipse specified by a pair of coordinates, a width, and a height. System.Drawing.Pen that determines the color, width, and style of the arc. The x-coordinate of the upper-left corner of the rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the rectangle that defines the ellipse. Width of the rectangle that defines the ellipse. Height of the rectangle that defines the ellipse. Angle in degrees measured clockwise from the x-axis to the starting point of the arc. Angle in degrees measured clockwise from the startAngle parameter to ending point of the arc. Draws a Bézier spline defined by four System.Drawing.Point structures. System.Drawing.Pen structure that determines the color, width, and style of the curve. System.Drawing.Point structure that represents the starting point of the curve. System.Drawing.Point structure that represents the first control point for the curve. System.Drawing.Point structure that represents the second control point for the curve. System.Drawing.Point structure that represents the ending point of the curve. Draws a Bezier spline defined by four System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and style of the curve. System.Drawing.PointF structure that represents the starting point of the curve. System.Drawing.PointF structure that represents the first control point for the curve. System.Drawing.PointF structure that represents the second control point for the curve. System.Drawing.PointF structure that represents the ending point of the curve. Draws a Bézier spline defined by four ordered pairs of coordinates that represent points. System.Drawing.Pen that determines the color, width, and style of the curve. The x-coordinate of the starting point of the curve. The y-coordinate of the starting point of the curve. The x-coordinate of the first control point of the curve. The y-coordinate of the first control point of the curve. The x-coordinate of the second control point of the curve. The y-coordinate of the second control point of the curve. The x-coordinate of the ending point of the curve. The y-coordinate of the ending point of the curve. Draws a series of Bézier splines from an array of System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and style of the curve. Array of System.Drawing.Point structures that represent the points that determine the curve. Draws a series of Bézier splines from an array of System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and style of the curve. Array of System.Drawing.PointF structures that represent the points that determine the curve. Draws a closed cardinal spline defined by an array of System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.Point structures that define the spline. Draws a closed cardinal spline defined by an array of System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.PointF structures that define the spline. Draws a closed cardinal spline defined by an array of System.Drawing.Point structures using a specified tension. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.Point structures that define the spline. Value greater than or equal to 0.0F that specifies the tension of the curve. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. This parameter is required but ignored. Draws a closed cardinal spline defined by an array of System.Drawing.PointF structures using a specified tension. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.PointF structures that define the spline. Value greater than or equal to 0.0F that specifies the tension of the curve. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. This parameter is required but is ignored. Draws a cardinal spline through a specified array of System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.Point structures that define the spline. Draws a cardinal spline through a specified array of System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.PointF structures that define the spline. Draws a cardinal spline through a specified array of System.Drawing.Point structures using a specified tension. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.Point structures that define the spline. Value greater than or equal to 0.0F that specifies the tension of the curve. Draws a cardinal spline through a specified array of System.Drawing.PointF structures using a specified tension. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.PointF structures that represent the points that define the curve. Value greater than or equal to 0.0F that specifies the tension of the curve. Draws a cardinal spline through a specified array of System.Drawing.PointF structures. The drawing begins offset from the beginning of the array. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.PointF structures that define the spline. Offset from the first element in the array of the points parameter to the starting point in the curve. Number of segments after the starting point to include in the curve. Draws a cardinal spline through a specified array of System.Drawing.Point structures using a specified tension. System.Drawing.Pen that determines the color, width, and height of the curve. Array of System.Drawing.Point structures that define the spline. Offset from the first element in the array of the points parameter to the starting point in the curve. Number of segments after the starting point to include in the curve. Value greater than or equal to 0.0F that specifies the tension of the curve. Draws a cardinal spline through a specified array of System.Drawing.PointF structures using a specified tension. The drawing begins offset from the beginning of the array. System.Drawing.Pen that determines the color, width, and height of the curve Array of System.Drawing.PointF structures that define the spline. Offset from the first element in the array of the points parameter to the starting point in the curve. Number of segments after the starting point to include in the curve. Value greater than or equal to 0.0F that specifies the tension of the curve. Draws an ellipse specified by a bounding System.Drawing.Rectangle structure. System.Drawing.Pen that determines the color, width, and style of the ellipse. System.Drawing.Rectangle structure that defines the boundaries of the ellipse. Draws an ellipse defined by a bounding System.Drawing.RectangleF. System.Drawing.Pen that determines the color, width, and style of the ellipse. System.Drawing.RectangleF structure that defines the boundaries of the ellipse. Draws an ellipse defined by a bounding rectangle specified by a pair of coordinates, a height, and a width. System.Drawing.Pen that determines the color, width, and style of the ellipse. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. Width of the bounding rectangle that defines the ellipse. Height of the bounding rectangle that defines the ellipse. Draws an ellipse defined by a bounding rectangle specified by a pair of coordinates, a height, and a width. System.Drawing.Pen that determines the color, width, and style of the ellipse. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. Width of the bounding rectangle that defines the ellipse. Height of the bounding rectangle that defines the ellipse. Draws the image represented by the specified System.Drawing.Icon within the area specified by a System.Drawing.Rectangle structure. System.Drawing.Icon to draw. System.Drawing.Rectangle structure that specifies the location and size of the resulting image on the display surface. The image contained in the icon parameter is scaled to the dimensions of this rectangular area. Draws the image represented by the specified System.Drawing.Icon at the specified coordinates. System.Drawing.Icon to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Draws the image represented by the specified System.Drawing.Icon without scaling the image. System.Drawing.Icon to draw. System.Drawing.Rectangle structure that specifies the location and size of the resulting image. The image is not scaled to fit this rectangle, but retains its original size. If the image is larger than the rectangle, it is clipped to fit inside it. Draws the specified System.Drawing.Image, using its original physical size, at the specified location. System.Drawing.Image to draw System.Drawing.Point structure that represents the location of the upper-left corner of the drawn image. Draws the specified System.Drawing.Image at the specified location and with the specified shape and size. System.Drawing.Image to draw. Array of three System.Drawing.Point structures that define a parallelogram. Draws the specified System.Drawing.Image, using its original physical size, at the specified location. System.Drawing.Image to draw. System.Drawing.PointF structure that represents the upper-left corner of the drawn image. Draws the specified System.Drawing.Image at the specified location and with the specified shape and size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. Draws the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. Draws the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.RectangleF structure that specifies the location and size of the drawn image. Draws the specified System.Drawing.Image, using its original physical size, at the specified location. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Draws the specified image, using its original physical size, at the location specified by a coordinate pair. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.Point structures that define a parallelogram. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.RectangleF structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.RectangleF structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. System.Drawing.RectangleF structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Width of the drawn image. Height of the drawn image Draws a portion of an image at a specified location. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. System.Drawing.RectangleF structure that specifies the portion of the System.Drawing.Image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Width of the drawn image. Height of the drawn image. Draws a portion of an image at a specified location. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. Draws the specified portion of the specified System.Drawing.Image at the specified location. System.Drawing.Image to draw. Array of three System.Drawing.Point structures that define a parallelogram. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.RectangleF structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Point[],System.Drawing.Rectangle,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort) method according to application-determined criteria. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.RectangleF structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.PointF[],System.Drawing.RectangleF,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort) method according to application-determined criteria. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.Rectangle structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Point[],System.Drawing.Rectangle,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.Int32) method according to application-determined criteria. Value specifying additional data for the System.Drawing.Graphics.DrawImageAbort delegate to use when checking whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Point[],System.Drawing.Rectangle,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.Int32) method. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. Array of three System.Drawing.PointF structures that define a parallelogram. System.Drawing.RectangleF structure that specifies the portion of the image object to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used by the srcRect parameter. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.PointF[],System.Drawing.RectangleF,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.Int32) method according to application-determined criteria. Value specifying additional data for the System.Drawing.Graphics.DrawImageAbort delegate to use when checking whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.PointF[],System.Drawing.RectangleF,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.Int32) method. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Rectangle,System.Single,System.Single,System.Single,System.Single,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort) method according to application-determined criteria. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for image. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Rectangle,System.Int32,System.Int32,System.Int32,System.Int32,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort) method according to application-determined criteria. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Rectangle,System.Single,System.Single,System.Single,System.Single,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.IntPtr) method according to application-determined criteria. Value specifying additional data for the System.Drawing.Graphics.DrawImageAbort delegate to use when checking whether to stop execution of the DrawImage method. Draws the specified portion of the specified System.Drawing.Image at the specified location and with the specified size. System.Drawing.Image to draw. System.Drawing.Rectangle structure that specifies the location and size of the drawn image. The image is scaled to fit the rectangle. The x-coordinate of the upper-left corner of the portion of the source image to draw. The y-coordinate of the upper-left corner of the portion of the source image to draw. Width of the portion of the source image to draw. Height of the portion of the source image to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the units of measure used to determine the source rectangle. System.Drawing.Imaging.ImageAttributes that specifies recoloring and gamma information for the image object. System.Drawing.Graphics.DrawImageAbort delegate that specifies a method to call during the drawing of the image. This method is called frequently to check whether to stop execution of the System.Drawing.Graphics.DrawImage(System.Drawing.Image,System.Drawing.Rectangle,System.Int32,System.Int32,System.Int32,System.Int32,System.Drawing.GraphicsUnit,System.Drawing.Imaging.ImageAttributes,System.Drawing.Graphics.DrawImageAbort,System.IntPtr) method according to application-determined criteria. Value specifying additional data for the System.Drawing.Graphics.DrawImageAbort delegate to use when checking whether to stop execution of the DrawImage method. Draws a specified image using its original physical size at a specified location. System.Drawing.Image to draw. System.Drawing.Point structure that specifies the upper-left corner of the drawn image. Draws a specified image using its original physical size at a specified location. System.Drawing.Image to draw. System.Drawing.Rectangle that specifies the upper-left corner of the drawn image. The X and Y properties of the rectangle specify the upper-left corner. The Width and Height properties are ignored. Draws the specified image using its original physical size at the location specified by a coordinate pair. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Draws a specified image using its original physical size at a specified location. System.Drawing.Image to draw. The x-coordinate of the upper-left corner of the drawn image. The y-coordinate of the upper-left corner of the drawn image. Not used. Not used. Draws the specified image without scaling and clips it, if necessary, to fit in the specified rectangle. The System.Drawing.Image to draw. The System.Drawing.Rectangle in which to draw the image. Draws a line connecting two System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and style of the line. System.Drawing.Point structure that represents the first point to connect. System.Drawing.Point structure that represents the second point to connect. Draws a line connecting two System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and style of the line. System.Drawing.PointF structure that represents the first point to connect. System.Drawing.PointF structure that represents the second point to connect. Draws a line connecting the two points specified by the coordinate pairs. System.Drawing.Pen that determines the color, width, and style of the line. The x-coordinate of the first point. The y-coordinate of the first point. The x-coordinate of the second point. The y-coordinate of the second point. Draws a line connecting the two points specified by the coordinate pairs. System.Drawing.Pen that determines the color, width, and style of the line. The x-coordinate of the first point. The y-coordinate of the first point. The x-coordinate of the second point. The y-coordinate of the second point. Draws a series of line segments that connect an array of System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and style of the line segments. Array of System.Drawing.Point structures that represent the points to connect. Draws a series of line segments that connect an array of System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and style of the line segments. Array of System.Drawing.PointF structures that represent the points to connect. Draws a System.Drawing.Drawing2D.GraphicsPath. System.Drawing.Pen that determines the color, width, and style of the path. System.Drawing.Drawing2D.GraphicsPath to draw. Draws a pie shape defined by an ellipse specified by a System.Drawing.Rectangle structure and two radial lines. System.Drawing.Pen that determines the color, width, and style of the pie shape. System.Drawing.Rectangle structure that represents the bounding rectangle that defines the ellipse from which the pie shape comes. Angle measured in degrees clockwise from the x-axis to the first side of the pie shape. Angle measured in degrees clockwise from the startAngle parameter to the second side of the pie shape. Draws a pie shape defined by an ellipse specified by a System.Drawing.RectangleF structure and two radial lines. System.Drawing.Pen that determines the color, width, and style of the pie shape. System.Drawing.RectangleF structure that represents the bounding rectangle that defines the ellipse from which the pie shape comes. Angle measured in degrees clockwise from the x-axis to the first side of the pie shape. Angle measured in degrees clockwise from the startAngle parameter to the second side of the pie shape. Draws a pie shape defined by an ellipse specified by a coordinate pair, a width, a height, and two radial lines. System.Drawing.Pen that determines the color, width, and style of the pie shape. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie shape comes. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie shape comes. Width of the bounding rectangle that defines the ellipse from which the pie shape comes. Height of the bounding rectangle that defines the ellipse from which the pie shape comes. Angle measured in degrees clockwise from the x-axis to the first side of the pie shape. Angle measured in degrees clockwise from the startAngle parameter to the second side of the pie shape. Draws a pie shape defined by an ellipse specified by a coordinate pair, a width, a height, and two radial lines. System.Drawing.Pen that determines the color, width, and style of the pie shape. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie shape comes. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie shape comes. Width of the bounding rectangle that defines the ellipse from which the pie shape comes. Height of the bounding rectangle that defines the ellipse from which the pie shape comes. Angle measured in degrees clockwise from the x-axis to the first side of the pie shape. Angle measured in degrees clockwise from the startAngle parameter to the second side of the pie shape. Draws a polygon defined by an array of System.Drawing.Point structures. System.Drawing.Pen that determines the color, width, and style of the polygon. Array of System.Drawing.Point structures that represent the vertices of the polygon. Draws a polygon defined by an array of System.Drawing.PointF structures. System.Drawing.Pen that determines the color, width, and style of the polygon. Array of System.Drawing.PointF structures that represent the vertices of the polygon. Draws a rectangle specified by a System.Drawing.Rectangle structure. A System.Drawing.Pen that determines the color, width, and style of the rectangle. A System.Drawing.Rectangle structure that represents the rectangle to draw. Draws a rectangle specified by a System.Drawing.RectangleF structure. ChartGraphics custom method A System.Drawing.Pen that determines the color, width, and style of the rectangle. A System.Drawing.RectangleF structure that represents the rectangle to draw. Draws a rectangle specified by a coordinate pair, a width, and a height. A System.Drawing.Pen that determines the color, width, and style of the rectangle. The x-coordinate of the upper-left corner of the rectangle to draw. The y-coordinate of the upper-left corner of the rectangle to draw. The width of the rectangle to draw. The height of the rectangle to draw. Draws a rectangle specified by a coordinate pair, a width, and a height. System.Drawing.Pen that determines the color, width, and style of the rectangle. The x-coordinate of the upper-left corner of the rectangle to draw. The y-coordinate of the upper-left corner of the rectangle to draw. Width of the rectangle to draw. Height of the rectangle to draw. Draws a series of rectangles specified by System.Drawing.Rectangle structures. System.Drawing.Pen that determines the color, width, and style of the outlines of the rectangles. Array of System.Drawing.Rectangle structures that represent the rectangles to draw. Draws a series of rectangles specified by System.Drawing.RectangleF structures. System.Drawing.Pen that determines the color, width, and style of the outlines of the rectangles. Array of System.Drawing.RectangleF structures that represent the rectangles to draw. Draws the specified text string at the specified location with the specified System.Drawing.Brush and System.Drawing.Font objects. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. System.Drawing.PointF structure that specifies the upper-left corner of the drawn text. Draws the specified text string in the specified rectangle with the specified System.Drawing.Brush and System.Drawing.Font objects. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. System.Drawing.RectangleF structure that specifies the location of the drawn text. Draws the specified text string at the specified location with the specified System.Drawing.Brush and System.Drawing.Font objects. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. The x-coordinate of the upper-left corner of the drawn text. The y-coordinate of the upper-left corner of the drawn text. Draws the specified text string at the specified location with the specified System.Drawing.Brush and System.Drawing.Font objects using the formatting attributes of the specified System.Drawing.StringFormat. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. System.Drawing.PointF structure that specifies the upper-left corner of the drawn text. System.Drawing.StringFormat that specifies formatting attributes, such as line spacing and alignment, that are applied to the drawn text. Draws the specified text string in the specified rectangle with the specified System.Drawing.Brush and System.Drawing.Font objects using the formatting attributes of the specified System.Drawing.StringFormat. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. System.Drawing.RectangleF structure that specifies the location of the drawn text. System.Drawing.StringFormat that specifies formatting attributes, such as line spacing and alignment, that are applied to the drawn text. Draws the specified text string at the specified location with the specified System.Drawing.Brush and System.Drawing.Font objects using the formatting attributes of the specified System.Drawing.StringFormat. String to draw. System.Drawing.Font that defines the text format of the string. System.Drawing.Brush that determines the color and texture of the drawn text. The x-coordinate of the upper-left corner of the drawn text. The y-coordinate of the upper-left corner of the drawn text. System.Drawing.StringFormat that specifies formatting attributes, such as line spacing and alignment, that are applied to the drawn text. Closes the current graphics container and restores the state of this System.Drawing.Graphics to the state saved by a call to the System.Drawing.Graphics.BeginContainer() method. System.Drawing.Drawing2D.GraphicsContainer that represents the container this method restores. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.RectangleF structures that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records of the specified System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. that specifies image attribute information for the drawn image. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Point structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.Point structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display at a specified point using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.PointF structure that specifies the location of the upper-left corner of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records in a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified parallelogram using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. Array of three System.Drawing.PointF structures that define a parallelogram that determines the size and location of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.Rectangle structure that specifies the location and size of the drawn metafile. System.Drawing.Rectangle structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Sends the records of a selected rectangle from a System.Drawing.Imaging.Metafile, one at a time, to a callback method for display in a specified rectangle using specified image attributes. System.Drawing.Imaging.Metafile to enumerate. System.Drawing.RectangleF structure that specifies the location and size of the drawn metafile. System.Drawing.RectangleF structure that specifies the portion of the metafile, relative to its upper-left corner, to draw. Member of the System.Drawing.GraphicsUnit enumeration that specifies the unit of measure used to determine the portion of the metafile that the rectangle specified by the srcRect parameter contains. System.Drawing.Graphics.EnumerateMetafileProc delegate that specifies the method to which the metafile records are sent. Internal pointer that is required, but ignored. You can pass System.IntPtr.Zero for this parameter. System.Drawing.Imaging.ImageAttributes that specifies image attribute information for the drawn image. Updates the clip region of this System.Drawing.Graphics to exclude the area specified by a System.Drawing.Rectangle structure. System.Drawing.Rectangle structure that specifies the rectangle to exclude from the clip region. Updates the clip region of this System.Drawing.Graphics to exclude the area specified by a System.Drawing.Region. System.Drawing.Region that specifies the region to exclude from the clip region. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.Point structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Point structures that define the spline. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.PointF structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.PointF structures that define the spline. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.Point structures using the specified fill mode. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Point structures that define the spline. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.PointF structures using the specified fill mode. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.PointF structures that define the spline. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.Point structures using the specified fill mode and tension System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Point structures that define the spline. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. Value greater than or equal to 0.0F that specifies the tension of the curve. Fills the interior of a closed cardinal spline curve defined by an array of System.Drawing.PointF structures using the specified fill mode and tension. A System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.PointF structures that define the spline. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines how the curve is filled. Value greater than or equal to 0.0F that specifies the tension of the curve. Fills the interior of an ellipse defined by a bounding rectangle specified by a System.Drawing.Rectangle structure. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.Rectangle structure that represents the bounding rectangle that defines the ellipse. Fills the interior of an ellipse defined by a bounding rectangle specified by a System.Drawing.RectangleF structure. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.RectangleF structure that represents the bounding rectangle that defines the ellipse. Fills the interior of an ellipse defined by a bounding rectangle specified by a pair of coordinates, a width, and a height. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. Width of the bounding rectangle that defines the ellipse. Height of the bounding rectangle that defines the ellipse. Fills the interior of an ellipse defined by a bounding rectangle specified by a pair of coordinates, a width, and a height. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse. Width of the bounding rectangle that defines the ellipse. Height of the bounding rectangle that defines the ellipse. Fills the interior of a System.Drawing.Drawing2D.GraphicsPath. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.Drawing2D.GraphicsPath that represents the path to fill. Fills the interior of a pie section defined by an ellipse specified by a System.Drawing.RectangleF structure and two radial lines. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.Rectangle structure that represents the bounding rectangle that defines the ellipse from which the pie section comes. Angle in degrees measured clockwise from the x-axis to the first side of the pie section. Angle in degrees measured clockwise from the startAngle parameter to the second side of the pie section. Fills the interior of a pie section defined by an ellipse specified by a pair of coordinates, a width, a height, and two radial lines. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie section comes. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie section comes. Width of the bounding rectangle that defines the ellipse from which the pie section comes. Height of the bounding rectangle that defines the ellipse from which the pie section comes. Angle in degrees measured clockwise from the x-axis to the first side of the pie section. Angle in degrees measured clockwise from the startAngle parameter to the second side of the pie section. Fills the interior of a pie section defined by an ellipse specified by a pair of coordinates, a width, a height, and two radial lines. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie section comes. The y-coordinate of the upper-left corner of the bounding rectangle that defines the ellipse from which the pie section comes. Width of the bounding rectangle that defines the ellipse from which the pie section comes. Height of the bounding rectangle that defines the ellipse from which the pie section comes. Angle in degrees measured clockwise from the x-axis to the first side of the pie section. Angle in degrees measured clockwise from the startAngle parameter to the second side of the pie section. Fills the interior of a polygon defined by an array of points specified by System.Drawing.Point structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Point structures that represent the vertices of the polygon to fill. Fills the interior of a polygon defined by an array of points specified by System.Drawing.PointF structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.PointF structures that represent the vertices of the polygon to fill. Fills the interior of a polygon defined by an array of points specified by System.Drawing.Point structures using the specified fill mode. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Point structures that represent the vertices of the polygon to fill. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines the style of the fill. Fills the interior of a polygon defined by an array of points specified by System.Drawing.PointF structures using the specified fill mode. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.PointF structures that represent the vertices of the polygon to fill. Member of the System.Drawing.Drawing2D.FillMode enumeration that determines the style of the fill. Fills the interior of a rectangle specified by a System.Drawing.Rectangle structure. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.Rectangle structure that represents the rectangle to fill. Fills the interior of a rectangle specified by a System.Drawing.RectangleF structure. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.RectangleF structure that represents the rectangle to fill. Fills the interior of a rectangle specified by a pair of coordinates, a width, and a height. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the rectangle to fill. The y-coordinate of the upper-left corner of the rectangle to fill. Width of the rectangle to fill. Height of the rectangle to fill. Fills the interior of a rectangle specified by a pair of coordinates, a width, and a height. System.Drawing.Brush that determines the characteristics of the fill. The x-coordinate of the upper-left corner of the rectangle to fill. The y-coordinate of the upper-left corner of the rectangle to fill. Width of the rectangle to fill. Height of the rectangle to fill. Fills the interiors of a series of rectangles specified by System.Drawing.Rectangle structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.Rectangle structures that represent the rectangles to fill. Fills the interiors of a series of rectangles specified by System.Drawing.RectangleF structures. System.Drawing.Brush that determines the characteristics of the fill. Array of System.Drawing.RectangleF structures that represent the rectangles to fill. Fills the interior of a System.Drawing.Region. System.Drawing.Brush that determines the characteristics of the fill. System.Drawing.Region that represents the area to fill. Forces execution of all pending graphics operations and returns immediately without waiting for the operations to finish. Forces execution of all pending graphics operations with the method waiting or not waiting, as specified, to return before the operations finish. Member of the System.Drawing.Drawing2D.FlushIntention enumeration that specifies whether the method returns immediately or waits for any existing operations to finish. XML comment contains invalid XML: End tag 'doc' does not match the start tag 'member'. Object Gets the handle to the device context associated with this System.Drawing.Graphics. Handle to the device context associated with this System.Drawing.Graphics. Gets the nearest color to the specified System.Drawing.Color structure. System.Drawing.Color structure for which to find a match. A System.Drawing.Color structure that represents the nearest color to the one specified with the color parameter. Updates the clip region of this System.Drawing.Graphics to the intersection of the current clip region and the specified System.Drawing.Rectangle structure. System.Drawing.Rectangle structure to intersect with the current clip region. Updates the clip region of this System.Drawing.Graphics to the intersection of the current clip region and the specified System.Drawing.Rectangle structure. System.Drawing.Rectangle structure to intersect with the current clip region. Updates the clip region of this System.Drawing.Graphics to the intersection of the current clip region and the specified System.Drawing.Region. System.Drawing.Region to intersect with the current region. Indicates whether the specified System.Drawing.Point structure is contained within the visible clip region of this System.Drawing.Graphics. System.Drawing.Point structure to test for visibility. true if the point specified by the point parameter is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the specified System.Drawing.PointF structure is contained within the visible clip region of this System.Drawing.Graphics. System.Drawing.PointF structure to test for visibility. true if the point specified by the point parameter is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the rectangle specified by a System.Drawing.Rectangle structure is contained within the visible clip region of this System.Drawing.Graphics. System.Drawing.Rectangle structure to test for visibility. true if the rectangle specified by the rect parameter is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the rectangle specified by a System.Drawing.RectangleF structure is contained within the visible clip region of this System.Drawing.Graphics. System.Drawing.RectangleF structure to test for visibility. true if the rectangle specified by the rect parameter is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the point specified by a pair of coordinates is contained within the visible clip region of this System.Drawing.Graphics. The x-coordinate of the point to test for visibility. The y-coordinate of the point to test for visibility. true if the point defined by the x and y parameters is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the point specified by a pair of coordinates is contained within the visible clip region of this System.Drawing.Graphics. The x-coordinate of the point to test for visibility. The y-coordinate of the point to test for visibility. true if the point defined by the x and y parameters is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the rectangle specified by a pair of coordinates, a width, and a height is contained within the visible clip region of this System.Drawing.Graphics. The x-coordinate of the upper-left corner of the rectangle to test for visibility. The y-coordinate of the upper-left corner of the rectangle to test for visibility. Width of the rectangle to test for visibility. Height of the rectangle to test for visibility. true if the rectangle defined by the x, y, width, and height parameters is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Indicates whether the rectangle specified by a pair of coordinates, a width, and a height is contained within the visible clip region of this System.Drawing.Graphics. The x-coordinate of the upper-left corner of the rectangle to test for visibility. The y-coordinate of the upper-left corner of the rectangle to test for visibility. Width of the rectangle to test for visibility. Height of the rectangle to test for visibility. true if the rectangle defined by the x, y, width, and height parameters is contained within the visible clip region of this System.Drawing.Graphics; otherwise, false. Gets an array of System.Drawing.Region objects, each of which bounds a range of character positions within the specified string. String to measure. System.Drawing.Font that defines the text format of the string. System.Drawing.RectangleF structure that specifies the layout rectangle for the string. System.Drawing.StringFormat that represents formatting information, such as line spacing, for the string. This method returns an array of System.Drawing.Region objects, each of which bounds a range of character positions within the specified string. Measures the specified string when drawn with the specified System.Drawing.Font. String to measure. System.Drawing.Font that defines the text format of the string. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified by the text parameter as drawn with the font parameter. Measures the specified string when drawn with the specified System.Drawing.Font. String to measure. System.Drawing.Font that defines the format of the string. Maximum width of the string in pixels. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified in the text parameter as drawn with the font parameter. Measures the specified string when drawn with the specified System.Drawing.Font within the specified layout area. String to measure. System.Drawing.Font defines the text format of the string. System.Drawing.SizeF structure that specifies the maximum layout area for the text. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified by the text parameter as drawn with the font parameter. Measures the specified string when drawn with the specified System.Drawing.Font and formatted with the specified System.Drawing.StringFormat. String to measure. System.Drawing.Font that defines the text format of the string. Maximum width of the string. System.Drawing.StringFormat that represents formatting information, such as line spacing, for the string. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified in the text parameter as drawn with the font parameter and the stringFormat parameter. Measures the specified string when drawn with the specified System.Drawing.Font and formatted with the specified System.Drawing.StringFormat. String to measure. System.Drawing.Font defines the text format of the string. System.Drawing.PointF structure that represents the upper-left corner of the string. System.Drawing.StringFormat that represents formatting information, such as line spacing, for the string. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified by the text parameter as drawn with the font parameter and the stringFormat parameter. Measures the specified string when drawn with the specified System.Drawing.Font and formatted with the specified System.Drawing.StringFormat. String to measure. System.Drawing.Font defines the text format of the string. System.Drawing.SizeF structure that specifies the maximum layout area for the text. System.Drawing.StringFormat that represents formatting information, such as line spacing, for the string. This method returns a System.Drawing.SizeF structure that represents the size, in the units specified by the System.Drawing.Graphics.PageUnit property, of the string specified in the text parameter as drawn with the font parameter and the stringFormat parameter. Measures the specified string when drawn with the specified System.Drawing.Font and formatted with the specified System.Drawing.StringFormat. String to measure. System.Drawing.Font that defines the text format of the string. System.Drawing.SizeF structure that specifies the maximum layout area for the text. System.Drawing.StringFormat that represents formatting information, such as line spacing, for the string. Number of characters in the string Number of text lines in the string. This method returns a System.Drawing.SizeF structure that represents the size of the string, in the units specified by the System.Drawing.Graphics.PageUnit property, of the text parameter as drawn with the font parameter and the stringFormat parameter. Multiplies the world transformation of this System.Drawing.Graphics and specified the System.Drawing.Drawing2D.Matrix. 4x4 System.Drawing.Drawing2D.Matrix that multiplies the world transformation. Multiplies the world transformation of this System.Drawing.Graphics and specified the System.Drawing.Drawing2D.Matrix in the specified order. 4x4 System.Drawing.Drawing2D.Matrix that multiplies the world transformation. Member of the System.Drawing.Drawing2D.MatrixOrder enumeration that determines the order of the multiplication. Releases a device context handle obtained by a previous call to the System.Drawing.Graphics.GetHdc() method of this System.Drawing.Graphics. Releases a device context handle obtained by a previous call to the System.Drawing.Graphics.GetHdc() method of this System.Drawing.Graphics. Handle to a device context obtained by a previous call to the System.Drawing.Graphics.GetHdc() method of this System.Drawing.Graphics. Releases a handle to a device context. Handle to a device context. Resets the clip region of this System.Drawing.Graphics to an infinite region. Resets the world transformation matrix of this System.Drawing.Graphics to the identity matrix. Restores the state of this System.Drawing.Graphics to the state represented by a System.Drawing.Drawing2D.GraphicsState. System.Drawing.Drawing2D.GraphicsState that represents the state to which to restore this System.Drawing.Graphics. Applies the specified rotation to the transformation matrix of this System.Drawing.Graphics. Angle of rotation in degrees. Applies the specified rotation to the transformation matrix of this System.Drawing.Graphics in the specified order. Angle of rotation in degrees. Member of the System.Drawing.Drawing2D.MatrixOrder enumeration that specifies whether the rotation is appended or prepended to the matrix transformation. Saves the current state of this System.Drawing.Graphics and identifies the saved state with a System.Drawing.Drawing2D.GraphicsState. This method returns a System.Drawing.Drawing2D.GraphicsState that represents the saved state of this System.Drawing.Graphics. Applies the specified scaling operation to the transformation matrix of this System.Drawing.Graphics by prepending it to the object's transformation matrix. Scale factor in the x direction. Scale factor in the y direction. Applies the specified scaling operation to the transformation matrix of this System.Drawing.Graphics in the specified order. Scale factor in the x direction. Scale factor in the y direction. Member of the System.Drawing.Drawing2D.MatrixOrder enumeration that specifies whether the scaling operation is prepended or appended to the transformation matrix. Sets the clipping region of this System.Drawing.Graphics to the Clip property of the specified System.Drawing.Graphics. System.Drawing.Graphics from which to take the new clip region. Sets the clipping region of this System.Drawing.Graphics to the specified System.Drawing.Drawing2D.GraphicsPath. System.Drawing.Drawing2D.GraphicsPath that represents the new clip region. Sets the clipping region of this System.Drawing.Graphics to the rectangle specified by a System.Drawing.Rectangle structure. System.Drawing.Rectangle structure that represents the new clip region. Sets the clipping region of this System.Drawing.Graphics to the rectangle specified by a System.Drawing.RectangleF structure. System.Drawing.RectangleF structure that represents the new clip region. Sets the clipping region of this System.Drawing.Graphics to the result of the specified combining operation of the current clip region and the System.Drawing.Graphics.Clip property of the specified System.Drawing.Graphics. System.Drawing.Graphics that specifies the clip region to combine. Member of the System.Drawing.Drawing2D.CombineMode enumeration that specifies the combining operation to use. Sets the clipping region of this System.Drawing.Graphics to the result of the specified operation combining the current clip region and the specified System.Drawing.Drawing2D.GraphicsPath. System.Drawing.Drawing2D.GraphicsPath to combine. Member of the System.Drawing.Drawing2D.CombineMode enumeration that specifies the combining operation to use. Sets the clipping region of this System.Drawing.Graphics to the result of the specified operation combining the current clip region and the rectangle specified by a System.Drawing.Rectangle structure. System.Drawing.Rectangle structure to combine. Member of the System.Drawing.Drawing2D.CombineMode enumeration that specifies the combining operation to use. Sets the clipping region of this System.Drawing.Graphics to the result of the specified operation combining the current clip region and the rectangle specified by a System.Drawing.RectangleF structure. System.Drawing.RectangleF structure to combine. Member of the System.Drawing.Drawing2D.CombineMode enumeration that specifies the combining operation to use. Sets the clipping region of this System.Drawing.Graphics to the result of the specified operation combining the current clip region and the specified System.Drawing.Region. System.Drawing.Region to combine. Member from the System.Drawing.Drawing2D.CombineMode enumeration that specifies the combining operation to use. Transforms an array of points from one coordinate space to another using the current world and page transformations of this System.Drawing.Graphics. Member of the System.Drawing.Drawing2D.CoordinateSpace enumeration that specifies the destination coordinate space. Member of the System.Drawing.Drawing2D.CoordinateSpace enumeration that specifies the source coordinate space. Array of System.Drawing.Point structures that represents the points to transformation. Transforms an array of points from one coordinate space to another using the current world and page transformations of this System.Drawing.Graphics. Member of the System.Drawing.Drawing2D.CoordinateSpace enumeration that specifies the destination coordinate space. Member of the System.Drawing.Drawing2D.CoordinateSpace enumeration that specifies the source coordinate space. Array of System.Drawing.PointF structures that represent the points to transform. Translates the clipping region of this System.Drawing.Graphics by specified amounts in the horizontal and vertical directions. The x-coordinate of the translation. The y-coordinate of the translation. Translates the clipping region of this System.Drawing.Graphics by specified amounts in the horizontal and vertical directions. The x-coordinate of the translation. The y-coordinate of the translation. Changes the origin of the coordinate system by prepending the specified translation to the transformation matrix of this System.Drawing.Graphics. The x-coordinate of the translation. The y-coordinate of the translation. Changes the origin of the coordinate system by applying the specified translation to the transformation matrix of this System.Drawing.Graphics in the specified order. The x-coordinate of the translation. The y-coordinate of the translation. Member of the System.Drawing.Drawing2D.MatrixOrder enumeration that specifies whether the translation is pretended or appended to the transformation matrix. Base System.Drawing.Graphics object Gets or sets a System.Drawing.Region that limits the drawing region of this System.Drawing.Graphics. A System.Drawing.Region that limits the portion of this System.Drawing.Graphics that is currently available for drawing. Gets a System.Drawing.RectangleF structure that bounds the clipping region of this System.Drawing.Graphics. A System.Drawing.RectangleF structure that represents a bounding rectangle for the clipping region of this System.Drawing.Graphics. Gets a value that specifies how composited images are drawn to this System.Drawing.Graphics. This property specifies a member of the System.Drawing.Drawing2D.CompositingMode enumeration. Gets or sets the rendering quality of composited images drawn to this System.Drawing.Graphics. This property specifies a member of the System.Drawing.Drawing2D.CompositingQuality enumeration. Gets the horizontal resolution of this System.Drawing.Graphics. The value, in dots per inch, for the horizontal resolution supported by this System.Drawing.Graphics. Gets the vertical resolution of this System.Drawing.Graphics. The value, in dots per inch, for the vertical resolution supported by this System.Drawing.Graphics. Gets or sets the interpolation mode associated with this System.Drawing.Graphics. One of the System.Drawing.Drawing2D.InterpolationMode values. Gets a value indicating whether the clipping region of this System.Drawing.Graphics is empty. true if the clipping region of this System.Drawing.Graphics is empty; otherwise, false. Gets a value indicating whether the visible clipping region of this System.Drawing.Graphics is empty. true if the visible portion of the clipping region of this System.Drawing.Graphics is empty; otherwise, false. Gets or sets the scaling between world units and page units for this System.Drawing.Graphics. This property specifies a value for the scaling between world units and page units for this System.Drawing.Graphics. Gets or sets the unit of measure used for page coordinates in this System.Drawing.Graphics. One of the System.Drawing.GraphicsUnit values other than System.Drawing.GraphicsUnit.World. System.Drawing.Graphics.PageUnit is set to System.Drawing.GraphicsUnit.World, which is not a physical unit. Gets or set a value specifying how pixels are offset during rendering of this System.Drawing.Graphics. This property specifies a member of the System.Drawing.Drawing2D.PixelOffsetMode enumeration Gets or sets the rendering origin of this System.Drawing.Graphics for dithering and for hatch brushes. A System.Drawing.Point structure that represents the dither origin for 8-bits-per-pixel and 16-bits-per-pixel dithering and is also used to set the origin for hatch brushes. Gets or sets the rendering quality for this System.Drawing.Graphics. One of the System.Drawing.Drawing2D.SmoothingMode values. Gets or sets the gamma correction value for rendering text. The gamma correction value used for rendering anti aliased and ClearType text. Gets or sets the rendering mode for text associated with this System.Drawing.Graphics. One of the System.Drawing.Text.TextRenderingHint values. Gets or sets a copy of the geometric world transformation for this System.Drawing.Graphics. A copy of the System.Drawing.Drawing2D.Matrix that represents the geometric world transformation for this System.Drawing.Graphics. Gets the bounding rectangle of the visible clipping region of this System.Drawing.Graphics. A System.Drawing.RectangleF structure that represents a bounding rectangle for the visible clipping region of this System.Drawing.Graphics. Provides data for RadChart.Zoom event. This is an class which provides charting functionality for Telerik products. Base class for all objects being calculated Base class for all objects being rendered Common interface for an order list element of rendering container Gets elements order position Sets this object in new render order position new position Remove element from render order list Send element at one step forward in the render order list Sets element at the first position in render order list Send element at one step back in the render order list Send element at the end of render order list Gets or sets the container element Container, that contains the render order for taken up elements (For property) Get this elements order position in container Set this object in new render order position New position Remove this element from render order list Send element at one step forward in the render order list Set element at the first position in render order list Send element at one step back in the render order list Send element at the end of render order list Called after rendering Link to container element Rendering event handler Creates new class instance Container Creates new class instance Appearance Container object Gets element offset Element Offset calculation method delegate (left, right, top, bottom) Offset value Gets left offset Element to get an offset of Offset value Gets top offset Element to get an offset of Offset value Gets right offset Element to get an offset of Offset value Gets bottom offset Element to get an offset of Offset value Calculates element position in container Rendering container dimensions Calculates element position. Makes an additional check for a container object type Tracking view state changes Loads data from a view state Views state to load from Saves settings to a view state Saved view state Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Offset calculation method delegate Previous element in a container's order list Rendering container Previous element's position in a container order list Common interface for a rendering container objects Get elements order position Element Add element at the end of list Element Insert element at specific position in list Element Position index Remove element from list Element for removing Remove element from list by it's index Elements index for remove Re index order list List, that is represent the render order for taken up elements Get a next free order position Title for chart Chart legend Chart plot area Control holder List, that is represent the render order for taken up elements (For IContainer.OrderList property) Provides information whether the chart is used in design-time mode. Data Manager for data binding Series collection Temporary series collection in design time Temporary copy of original series collection in design time Custom palettes collection Users custom figures collection Default figures collection Skins Collection Default constructor for Chart Default method for BeforeLayout event handler Object EventArgs Default method for PrePaint event handler Object EventArgs Constructor from different chart controls IChartComponent Determine on which element of chart click occur Click coordinates Container object Active region object Set type for all series as DefaultType Apply palette for chart Palette name Apply skin for chart Skin name Specifies should apply text wrapping or not AutoTextWrap from text block Boolean Makes a chart's clone Chart's clone Update design-time preview Changes the DataGroupColumn property without DataBind method call Column Name Provide relation between enums TextQuality(Teleriks) and TextRenderingHint(.Net) TextRenderingHint value Provide relation between enums ImageQuality(Teleriks) and SmoothingMode(.Net) SmoothingMode value Returns true if only pie series present Boolean MapPath functionality path path Initialize design-time mode Finalize design-time mode Clearing skin settings Checking property on a default value Return a default value of a property Return a value of a property Load skin from Saving skin Loading chart from XML string wrapped in TextWriter Exports chart to a XML string wrapped in TextWriter Return a full path Return a full path for a data source object Return a full path for a data source object Initialize chart and its properties Chart calculations: Binding series to legend for BeforeLayout Event Chart recalculation Execute BeforeLayoutEventHandler Chart Arguments Execute PrePaintEventHandler Chart Arguments Returns the chart image Returns the chart image Returns the chart image Returns the chart static area as image for zoom feature Returns the chart plot area part as image for zoom feature Get image width when scaling enabled X scale coefficient Y scale coefficient Width in pixels Get image height when scaling enabled X scale coefficient Y scale coefficient Height in pixels Preapare chart for zooming Restore chart after zooming Checking restrictions for when some charts modes enabled Prepare chart elements for AutoLayout feature Restore chart elements setting after drawing in AutoLayout mode Returns an axis image only with ticks and axis items Returns crash-exception image if any Determine on which element of chart click occur Click x coodrinate Click y coodrinate Active region object Determine on which element of chart click occur Click x coodrinate Click y coodrinate Active region object Determine on which element of chart click occur Click coodrinates Active region object Determine on which element of chart click occur Click coodrinates Active region object Get series Series name Series or null Get series Series index Series or null Gets a reference to the data first series by specifying data series color. Series color Series or null Adds a new data series to the chart's data series collection. Series for adding Add series Series to add Add series Series for adding Add series Series for adding Add series Series for adding Add series Series for adding Series for adding Clear series collection Remove series Series Series Remove series Series name Series names Remove series Series index Series indexes Get elements order position Element Add element at the end of list Element Insert element at specific position in list Position Element Remove element from list Element Remove element from list by it's index Position Re-index order list Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Tracking ViewState Loading ViewState data Saving ViewState Copy chart setting Base chart Contains a figures collection . Contains a collection of custom figures. Contains a collection of custom palettes Provides information whether the chart is used in design-time mode. Provides access to the title element of the chart. Provides access to the legend element of the chart. Contains appearance related settings. Contains a chart plot area element. Specifies the default series type. Use this property to access the chart bitmap. Specifies a column which will be used for group by clause. A new series will be created for each unique record in this column. Gets or sets the RadChart's chart series collection object. Specifies the series palette Added just temporary to avoid build warnings Specifies AutoLayout mode to all items on the chart control. Added just temporary to avoid build warnings Specifies AutoTextWrap mode for all wrappable text blocks of the chart control. Added just temporary to avoid build warnings Specifies the skin to use. When true and using a skin, user will not be able to override any of the skin appearance. Exposes advanced data binding options. You can use this property to perform custom data binding at runtime. Specifies the orientation of chart series on the plot area. Toggles the use of the IntelligentLabels feature. Parent application path. Temporary images path. Specifies the image rendering format. Specifies the bitmap resolution. Return factor for wrap mechanism for fixed sides proportion wrap type Event handle for BeforeLayout Event Event handle for PrePaint Event Specifies a design-time series collection Specifies a temporary copy of original series in design-time mode Parent chart element Show enable scale or not List containing the render order of elements. Gets the next free order position. Common chart components definitions MapMath method path path Control clone Chart object Path to the Temp folder Gets or sets the associated with the . The object associated with the component; or null, if the component does not have a site. Represents the method that handles the event of a component. Gets a value indicating whether scaling is enabled. Charting component Updating designer Common charting error Default constructor Message Constructor Message Parent Error For chart exceptions drawing Graphics Message Font Width string Supported series types. Specifies a bar data series. Specifies a stacked bar data series. Specifies a stacked 100 bar data series. /// Specifies a line data series. Specifies an area data series. Specifies a stacked area data series. Specifies a stacked 100 area data series. /// Specifies a pie data series. /// Specifies a gantt data series. Specifies a bezier data series. Specifies a spline data series. Specifies a bubble data series. Specifies a point data series. Specifies an spline area data series. Specifies a stacked spline area data series. Specifies a stacked 100 spline area data series. Specifies a candlestick data series. Specifies a stacked line data series. Specifies a stacked spline data series. RenderType of DataTable Horizontal Alignment of text in DataTable cells Vertical Alignment of text in DataTable cells DataTable. Shows the series data in a tabular format. Contains DataTable data PlotArea to which DataTable related to Cells' width Cells' height Markers of series Should be recalculated when AutoLayout Fill data by series' items values Reset to default Initialize DataTable's data Wrap DataTable text using factor for wrap mechanism Text that should be wrapped RenderEngine of chart Wrapped string Wrap DataTable text Text that should be wrapped RenderEngine of chart Fixed width of wrapped text Wrapped string Calculate size of DataTable RenderEngine of chart Calculate position RenderEngine of chart Create new instance of ChartDataTable class PlotArea to which DataTable is related to Create new instance of ChartDataTable class PlotArea to which DataTable is related to Container of DataTable Cells' widths array Cells' heights array Plot area to which DataTable is related Data stored in cells Visibility of DataTable Visible and not calculate Appearance options Markers of series Helper class used for an Arrays data binding Common helper class. Implements most of ICommonDataHelper members Contains common members that should be implemented in the data source helpers for supported data sources Gets the column index by column name in the Data Source object Column name Column index if column found or -1 if column not found This method is not supported by all data sources Gets the column name if it is supported by data source Column index Column name if found or an empty string Return the double value at the given row and column Row position index Column index Double value at given column and row Return the object value at the given row and column Row position index Column index Object value at given column and row from data source Return the string value at the given row and column Row position index Column index String value at given column and row of a data source Return unique column's content Column index Objects array with unique column values Return sorted unique column's content Column index Objects array with unique column values sorted ascending Returns true if given column contains numeric values Column index True if data source column contains numeric values Returns true if given column contains string type values Column index True if data source column contains string values Returns true if value at the given position is numeric Row position index of data item in a data source Column index of data item in a data source True if data item contains numeric value at given row and column Returns possible groups column used for automatic data binding Automatically found possible column with repeating values for a data grouping Only the first found numeric column will be checked. If such column is not found or does not contain repeatable values the -1 will be returned Returns possible column used as labels source when group column present DataGroupColumn index in a data source Column index that can be used as a series item labels source Returns possible series items X values column Possible series items X values column's index or -1 if no proper column found Returns possible series items Y values column Possible numeric columns array available for a data binding Returns all possible series items Y values columns Possible numeric columns array available for a data binding Returns possible Gantt series items values columns array Data source columns array available for a Gantt series data binding (X, Y, X2, Y2 values) Gets the data source rows count Gets the data source columns count Returns true if data source supports columns naming or false in other cases Return the double value at the given row and column Row position index Column index Double value at given column and row Return the object value at the given row and column Row position index Column index Object value at given column and row from data source Return the string value at the given row and column Row position index Column index String value at given column and row of a data source Returns true if given column contains numeric values Column index True if data source column contains numeric values Returns true if given column contains string type values Column index True if data source column contains string values Gets the column index by column name in the Data Source object Column name Column index if column found or -1 if column not found This method is not supported by all data sources Gets the column name if it is supported by data source Column index Column name if supported by a data source Returns true if value at the given position is numeric Row position index of data item in a data source Column index of data item in a data source True if data item contains numeric value at given row and column Returns possible column used as labels source when group column present DataGroupColumn index in a data source Column index that can be used as a series item labels source Returns possible groups column used for automatic data binding Automatically found possible column with repeating values for a data grouping Only the first found numeric column will be checked. If such column is not found or does not contain repeatable values the -1 will be returned Return unique column's content Column index Objects array with unique column values Return sorted unique column's content Column index Objects array with unique column values sorted ascending Gets possible series items X values column Possible series items X values column's index or -1 if no proper column found Gets possible series items Y values column Possible series items Y values column's index or -1 if no proper column found Returns all possible series items Y values columns Possible numeric columns array available for a data binding Returns all possible data source columns that could be used as Gantt series items Data source columns array available for a Gantt series data binding Checks is given type is Nullable Type to check True if type is Nullable, or False Checks whether the type given is numeric Type to check True if Type is numeric Checks whether the value's type is numeric Value to check True if given object can be converted to number Checks whether the type given is string type Type to check True if given type is string Checks whether the value's type is String Object to check True if object can be converted to string Returns the data helper class accordingly to the data source type Data source Data Member (i.e. Table name) Design mode pointer ICommonDataHelper-compartable object Returns the data source rows count Returns the data source columns count Returns true if data source supports columns naming or false in other cases Indices matrix accordingly to a data array Rank Data column index Array DataHelper constructor Data array Return the object value at the given row and column Row position index Column index Returns true if given column contains numeric values Returns true if given column contains string type values Returns column index in a data array by column name Column name in data array Unsupported by current DataHelper Always returns -1 Returns column name in a data array by column index Column index Empty string, because it is unsupported by current DataHelper Gets the data source rows count Gets the data source columns count Returns false, because current data source does not support columns naming Acquires and manipulates data from databases or other sources. Populates the SeriesCollection of the chart control. Top data sources rows used during design-time data binding General column's index detection method Column index or name Data source column type accordingly to ColumnType enumeration Column index in a data source Returns possible column index in data source DataGroupColumn index if present or -1 if not Data source column type accordingly to ColumnType enumeration Column index or -1 if impossible to find column Gets the groups column index from data source DataGroupColumn index if present or -1 if not Groups column index or -1 if data grouping disabled When the groups column has not been set it will be found automatically Gets the labels column index in data source DataLabelsColumn index if present or -1 if not Series labels column index When the labels column has not been set it will be found automatically Gets the series X, Y, X2, Y2, Y3, Y4 values columns DataGroupColumn index if present or -1 if not Column name Data source column type accordingly to ColumnType enumeration Column with numeric values. It can be used as X, Y, X2, Y2, Y3, Y4 values source. If impossible to find a column or data helper is NULL it returns -1 When the series X, X2 or Y2 values column has not been set it will be found automatically Should automatic column search be used or not Gets the series Y values columns array Y values columns array. Can contain as column names as indexes Should auto mode be applied Y values columns indexes array When the series Y values column has not been set it will be found automatically Gets the axis labels column index Axis labels column index or name Column index Returns either chart series name or series item name DataGroupColumn index True if group column contains numeric values only Series Labels column index Y Values columns array Data item's row index in a data source Data item's column index in a data source Item type Series or SeriesItem Chart item name for an auto created Series or SeriesItem Data bind X Axis labels DataGroupColumn index if present or -1 in other case Compares two series items Item to compare Item to compare True if items represent the same data and have same names Populates existing chart series collection with data. Automatically populates chart series collection with data. Returns new chart series DataGroupColumn index or -1 if grouping is not used True if group column contains numeric values only Data item's row index in a data source Data item's column index in a data source Values columns array New ChartSeries instance Creates new Chart Series item from data source Data item's row index in a data source Data item's column index in a data source DataGroupColumn index or -1 if grouping is not used Series items labels column Values columns array Assign name and label for a series item or not New ChartSeriesItem instance with data from a data source Returns a Data item from a data source Data item's row index in a data source Data item row or null in other cases Validates data source object passed Data Source The data source should implement the IEnumerable interface Calls an ItemDataBound event Series Series item Data Source Forces the data to be refreshed Clears the Data Source used Copies settings from another data manager Source DataManager to copy settings from Default constructor Parent chart object Sets the necessary using or not the automatic data binding at the design time Returns true if possible to use the automatic X Axis data binding Does the chart series support the X Values Does the chart series support the Y2 Values Does the chart series support the X2 Values Does the chart series support the X2 and Y2 Values Does the chart series support the Y3 Values Does the chart series support the Y4 Values Type of the currently processed series Active DataHelper Parent Chart object's reference Event raised after the each series item's data binding Chart Data Source object Gets or sets the name of the list of data that the data-bound control binds to, in cases where the data source contains more than one distinct list of data items. Returns true if DataBind method has been called The data source column used as chart labels source The data source column used as series items X coordinate The data source columns array used as series items Y coordinate source This array could be used to set the Gantt chart data source columns. The columns should be added in the following order: X, Y, X2, Y2 Enables or disables the series grouping feature Default value is True Data source columns indexes used for a series data binding Possible data source columns' types Chart item type Series or SeriesItem Class containing event data for an ItemDataBound event Class constructor Data bound series item Parent series Current data source object Real data source object for a chart. Chart series Series item DataTable data source helper class Default constructor DataTable objects as chart's data source Return the object value at the given row and column Row position index Column index Object value at given column and row from data source Returns true if given column contains numeric values Column index True if data source column contains numeric values Returns true if given column contains string type values Column index True if data source column contains string values Gets the column index by column name in the Data Source object Column name Column index if column found or -1 if column not found Gets the column name Column index Gets the data source rows count Gets the data source columns count Returns true, because current data source supports columns naming Gets the DataTable object Sample object. Used for a data binding demonstration only Sample business logic object. Used for a data binding demonstration only Returns products list Sample class returns DataSet for an ObjectDataSource data binding demo Constructor. Loads sample data in DataSet Destructor Gets data as DataSet object DataSet with sample data Sample class returns DataSet with several columns which could be used as Y values source. Used for a data binding demonstration only Shows products sales by month. Constructor. Loads sample data in DataSet Class destructor Gets data DataSet with sample multicolumn data IBindingList example. Used for a data binding demonstration only Collection base object example. Used for a data binding demostration only Data load method Simple data sources examples class. Used for a data binding demonstration only Double Array example Object array without groups column example Object array with groups column example Main class constructor Strong typed double list example Helper class for data binding on the strongly typed lists of objects that can be accessed by index Constructor Data source that implements IList interface Return the object value at the given row and column Row position index Column index Object value at given column and row from data source Returns true if given column contains numeric values Column index True if data source column contains numeric values Returns true if given column contains string type values Column index True if data source column contains string values Returns column index in a data list by column name Column name in data list Unsupported by current DataHelper Always returns -1 Returns column name in a data list by column index Column index Empty string, because it is unsupported by current DataHelper Gets the data source rows count Gets the data source columns count Returns false, because current data source does not support columns naming Base class for all labels ChartLabel text Graphic marker Parent element List, that represent the render order for taken up elements (For IContainer.OrderList property) Active region Create new instance of ChartBaseLabel class. Create new instance of ChartBaseLabel class. Container of the label Create new instance of ChartBaseLabel class. Parent element Container of the label Create new instance of ChartBaseLabel class. Parent element Create new instance of ChartBaseLabel class. Text of TextBlock Create new instance of ChartBaseLabel class. TextBlock Create new instance of ChartBaseLabel class. Parent element Container of the label TextBlock Create new instance of ChartBaseLabel class. Parent element Container of the label TextBlock Style of label Gets whether Label is real visible Label's visibility Measure label Render Engine of chart Calculated size of Label Calculates position RenderEngine of chart Gets elements order position Element Add element at the end of list Element Insert element at specific position in list Position Element Remove element from list Element Remove element from list by it's index Position Re-index order list Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load ViewState ViewState with data Save to ViewState Saved data Clone this object New instance of ChartBaseLabel class with the same fields as this object ChartLabel TextBlock Graphic marker of label Gets and sets Parent element Element that should be Parent for this Gets and sets Direction of label position in auto mode Direction of label position. Gets and sets Active region Active region to set Gets and sets label's visibility Visible label or not List, that represent the render order for taken up elements Gets a next free order position Base class for labels with style Create new instance of ChartLabel class Create new instance of ChartLabel class. Parent Element Create new instance of ChartLabel class. Text of label Create new instance of ChartLabel class. Style of label Create new instance of ChartLabel class. Style of label Parent element Create new instance of ChartLabel class. Style of label Text Create new instance of ChartLabel class. Style of label TextBlock of label Create new instance of ChartLabel class. Style of label TextBlock of label Parent element Create new instance of ChartLabel class. Parent element Container element Create new instance of ChartLabel class. Parent element Container element Style of chart TextBlock of label Text of label Gets visibility of label Visible or not Link to visualization and design properties Base class for extended labels Inside labels collection Create new instance of Extended label class. Create new instance of Extended label class. Parent element Create new instance of Extended label class. Text of label Create new instance of Extended label class. Style of label Create new instance of Extended label class. Style of label Parent element Create new instance of Extended label class. Style of label Text Create new instance of Extended label class. TextBlock Create new instance of Extended label class. Parent element Container TextBlock Create new instance of Extended label class. Parent element Container Style of label TextBlock Text of elemnt Gets Available Content Size Size without margins and paddings Gets visibility of label Visibility of label Measure label RenderEngine of chart Size of label Clear LabelItems collection Add inside labels Inside label to add Inside labels to add Add inside labels Inside labels to add Add inside labels Inside labels to add Add inside labels Inside labels to add Get inner label at specified position Position to get label Label at specified position Removes all inner labels Removes inner labels Label to remove Labels to remove Removes inner labels Position where label should be removed Positions where labels should be removed Track ViewState load ViewState ViewState with data Save ViewState Saved data Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Gets style of label Gets and sets LabelItem at specified position Item position Item at specified position Item to set at specified position Items collection. Base class for labels in label collection Whether item is bound to series New instance of LabelItem class. New instance of LabelItem class. Parent element New instance of LabelItem class. Text of label New instance of LabelItem class. Style of label New instance of LabelItem class. Style of label Parent element New instance of LabelItem class. Style of chart Text New instance of LabelItem class. Style of chart TextBlock New instance of LabelItem class. Parent element Style of chart TextBlock Text of label Gets and sets Label name in collection Name of label Is current item bound item or custom item Class for bindable legend items Object to which items are bindable Create new instance of BindableLegendItem class. Style of label Parent element Source object item bound to Series item label Connection point for label Center of label Rectangle of label Create new instance of SeriesItemLabel class. Create new instance of SeriesItemLabel class. Series to which label belongs Checks if label intersect bounds of PlotArea PlotArea for checking Whether label intersect bounds of PlotArea Move part of label in PlotArea PlotArea to move in Side of label which is not in PlotArea Set label outside item Item rectangle If Location is auto(Location - Auto, Outside, Inside) Set label inside item Item rectangle Visibility of label Series to which label belongs Visibility of label Calculate position Location point Connection point Visibilit of label connectors RenderEngine of chart Moves label inside PlotArea PlotArea Relocate connection point for pie series Angle of pie part Connection point Corrected connection point Clone this object Create new instance of SeriesItemLabel class with the same fields as this object Connection point for label Center of label to connect to Visualization and design properties Axis label base Create new instance of AxisLabelHidden Create new instance of AxisLabelHidden Parent element Create new instance of AxisLabelHidden Text of label Create new instance of AxisLabelHidden Parent element Container element Style of label TextBlock Text of label Gets and sets Visibility of label Visibility of label X Axis label Create new instance of AxisLabel Create new instance of AxisLabel Parent element Container element Y axis label Create new instance of AxisYLabel Create new instance of AxisYLabel Parent element Container element MarkedZone label class Create new instance of MarkedZoneLabel Create new instance of MarkedZoneLabel Style of label Create new instance of MarkedZoneLabel Style of label Parent element Create new instance of MarkedZoneLabel Style of label Text Create new instance of MarkedZoneLabel Parent element Container element Collection of labels Base class for all collections support view state tracking Collection item type Describes the elements collection which can be de-serialized using StyleSerializer Populates collection with items from imported Xml code XmlElement to import from Item index in collection Item to get index of Index Inserts item at the given index Index Item to insert Removes item from collection at given index Index to remove at Adds new item in collection Item to add Adds items range in collection Items array to add Clears collection Checks does collection contain the given item Item to check True if item is a collection member Copies the entire System.Collections.Generic.List<T> to a compatible one-dimensional array, starting at the specified index of the target array. The one-dimensional System.Array that is the destination of the elements The zero-based index in array at which copying begins Removes item from collection Item to remove True in case of success Returns an enumerator that iterates through the System.Collections.Generic.List>T<. A System.Collections.Generic.List>T<.Enumerator for the System.Collections.Generic.List>T<. Returns an enumerator that iterates through the collection An System.Collections.IEnumerator object that can be used to iterate through the collection Loads collection from view state View state to load from Loads collection from view state View state to load from Saves collection to a view state Saved state bag object Saves collection to a view state Saved state bag object Tracks view state changes Sets is item in the dirty state Marks collection item dirty Item to mark Adds new item in the IList Item to add Item index in IList Clears IList items Checks does IList contain the given value Value to check True if contains Gets the index of the object value in an IList Value to check Index in IList or -1 if IList does not contain given value Inserts new value in IList at given index Index to insert to Value to insert Removes value from IList Value to remove Removes value from IList at the given index Index to remove value at Copies the entire ICollection to a compatible one-dimensional array, starting at the specified index of the target array. The one-dimensional System.Array that is the destination of the elements The zero-based index in array at which copying begins Item before insert event Index to insert at Value to insert Item after insert event Index to insert at Value to insert Item before remove event Index to insert at Value to insert Item after remove event Index to insert at Value to insert Before collection clearing event Collection after clean event Populates collection from XML element XmlElement to import from Populates collection from XML element XmlElement to import from ToString() override. Used in the properties grid to avoid object type showing. Empty string Items list Link to first item in collection Link to last item in collection Gets the collection item at given index Index Item of type "T" Gets items count in collection Gets true if collection is read-only Gets the view state tracking status Is IList fixed size. Returns False Is IList is read-only Gets or sets the value from/to IList at the give index Index to give element at Value from IList Gets the collection items count Checks is collection synchronized Gets the collection root Parent element Create new instance of ChartLabelsCollection class. Clear bindable items from collection Copy bindable items to collection Collection of items copy to Visibility of items collection Whether any item is visible Add LabelItem at the collection LabelItem for adding Clear collection Insert LabelItem in collection at the specific position Position LabelItem Remove LabelItem from collection LabelItem Remove LabelItem in the specific position from collection Position Remove item at specified index Clear items Insert item in collection Index to insert in Value to insert Save data to ViewState Saved data Load data from ViewState ViewState with data Parent element Gets or sets a LabelItem at the specific position in Labels collection. Position in the collection LabelItem at the specific position Base class for a different markers representation Parent Chart element Active region Create new instance of ChartMarker class. Create new instance of ChartMarker class. Parent lement Create new instance of ChartMarker class. Container element Create new instance of ChartMarker class. Parent element Container element Copy fields from specified object Marker to copy from Track ViewState Load data to ViewState ViewState with data Save data to ViewState Saved data Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Gets and sets visibility Visibility of marker Gets and sets Parent element Parent element LabelAppearance properties Active region Intelligence labels engine. Used to automatically series labels relocation to avoid their overlapping. Distribute labels Distribute labels Filters labels Label for checking whether it is in visible part of chart Visible area Intersection testing Rectangles for checking whether intersection takes place Rectangle to check intersection with other rectangles Point of rectangle that intersect other rectangle Rectangle that specified rectangle intersects True if rectangle intersect specified rectangles Move rect to new location Rectangle to move New point location Calculates distance between two points First point Second point Distance between two points Define an object that containes an information about moving required One label rectangle Second label rectangle Intersection point MoveData object Define an object that containes an information about moving required One label rectangle Second label rectangle Intersection point MoveData object Define a side in which moving require Array of distances Index for Direction enum Check if vertical moving takes place Direction to move True if vertical moving takes place Where label should be moved Moving related data holder Distance to move label Direction where to move Gets and sets Moving distance Distance for moving Gets and sets Moving direction Direction for moving Label text properties Max length of text Contains specified parameters for wrapping text Wrapped text Parent element Default text of text block Create new instance of TextBlock class. Create new instance of TextBlock class. Style of TextBlock Create new instance of TextBlock class. Text Create new instance of TextBlock class. Style of TextBlock Text Create new instance of TextBlock class. Parent element Container element Create new instance of TextBlock class. Parent element Container element Text Create new instance of TextBlock class. Parent element Container element Style of TextBlock Create new instance of TextBlock class. Parent element Container element Style of textblock Text Forms ToolTip if text length greater than max length Forms ToolTip if text length greater than max length Text Check if tooltip should be changed when max length changed Measure TextBlock RenderEngine of chart Size of TextBlock Calculate TextBlock position RenderEngine of chart get a and sets visibility of TextBlock Visibility of TextBlock Parent chart element Parent element Contained text data Text Text field style Style of TextBlock Visible text with MaxLength applied Gets TextBlock visibility Chart title text container properties Create new instance of TextBlockTitle class. Create new instance of TextBlockTitle class. Parent element Container element Measure TextBlock RenderEngine of chart Size of TextBlock Contained text data Empty Series message text container properties Create new instance of TextBlockEmptySeriesMessage class. Create new instance of TextBlockEmptySeriesMessage class. Parent element Container element Measure TextBlock RenderEngine of chart Size of TextBlock Contained text data Axis item text container properties Create new instance of TextBlockAxisItem class. Create new instance of TextBlockAxisItem class. Parent element Container element Define Max Length RenderEngine of chart Measure TextBlock RenderEngine of chart Size of TextBlock Series label text container properties Create new instance of TextBlockSeriesItem class. Create new instance of TextBlockSeriesItem class. Parent element Container element Chart title text container properties Create new instance of TextBlockHidden class. Create new instance of TextBlockHidden class. Parent element Container element Gets and sets visibility of TextBlock Visibility of TextBlock Chart Y Axis text container properties Create new instance of TextBlockYAxisLabel class. Create new instance of TextBlockYAxisLabel class. Parent element Container element Measure TextBlock RenderEngine of chart Size of TextBlock Contained text data Chart X Axis text container properties Create new instance of TextBlockXAxisLabel class. Create new instance of TextBlockXAxisLabel class. Parent element Container element Measure TextBlock RenderEngine of chart Size of TextBlock Contained text data Legend item's text block Create new instance of TextBlockLabelItem class. Create new instance of TextBlockLabelItem class. Style of TextBlock Create new instance of TextBlockLabelItem class. Text Create new instance of TextBlockLabelItem class. Style of chart Text Create new instance of TextBlockLabelItem class. Parent element Container element Create new instance of TextBlockLabelItem class. Parent element Container element Text Create new instance of TextBlockLabelItem class. Parent element Container element Style of TextBlock Create new instance of TextBlockLabelItem class. Parent element Container element Style of TextBlock Text Measure TextBlock RenderEngine of chart Size of TextBlock Chart title text container properties Create new instance of TextBlockLegend class. Create new instance of TextBlockLegend class. Parent element Container element Measure TextBlock RenderEngine of chart Size of TextBlock MarkedZone label's text container properties Create new instance of TextBlockMarkedZone class. Create new instance of TextBlockMarkedZone class. Parent element Container element Measure TextBlock RenderEngine of chart size of TextBlock The helper class for a text wrapping feature. Represents the text string Defines whether it is first string or not Defines whether it is last string or not Parent element Collection of words in text Height of string Width of string Create instance of ChartString Create instance of ChartString with specified height Height of string Calculate string width Move last word to next string Clone this object New instance with the same properties values as current class instance Defines whether it is first string or not Defines whether it is last string or not Parent element Get next string Get previous string Get width of string Get height of string Collection of words Strings collection Parent element Create new instance of ChartStringCollection class Parent element Add new string to collection String to add Index of added string Get next string after specified one String for search Next string after specified one Get previous string before specified one String for search Previous string before specified one Clone of this object New instance with the same fields Get string with specified index Index to get string String with specified index Get the first string Get the last string Parent element Helper class for a text wrapping feature. Represents the text to wrap Word separator Text divided into strings Inner text Font of text Used for measuring text Create new instance of the class. Create new instance of the class. Text Font of text Graphics object for measuring string Breaks text into lines Used to make decision for breaking Determines which of parameters(height, width) is fixed Breaks text into lines Used to make decision for breaking Fixed width of text Breaks text into lines Used to make decision for breaking String representation String representation Breaks text into lines with fixed proportions Factor(Height-Width proportion) to make decision Breaks text into lines with fixed Height Factor(Height-Width proportion) to make decision Max Strings Count Breaks text into lines with fixed width Fixed width Add new string to text of fixed width Inner text String should be added Separator between text and new string Fixed width Gets the longest string The longest string Clone this object New instance of ChartText class with the same fields as this object Concat lines to one text Inner text Text without new lines delimiters Word separator Height of text Width of text Used to make decision for breaking text into lines Helper class for a text wrapping feature. Represents the one word Word width Text of one word Parent element Create new instance of ChartWord Create new instance of ChartWord. Text of word. Width of word. Clone this object New instance of ChartWord with the same fields as this object Gets and sets Parent element Element that should be parent for this object Gets Width of word Gets Word text Parent element Create new instance of the object. Parent element Add new word to collection Word for adding Index of added word Remove last word from collection Last word that was removed Insert word at the beginning of collection Word to insert Clone this object New instance of ChartWordCollection class with the same fields as this one Gets and sets Parent element Element that should be Parent for this object Gets and sets word from/to collection Index of word in collection Word from collection with specified index Word that should be placed on specified position Gets last word in collection Helper enumeration with a text wrapping modes Text wrapping context object Width of container Height of container Type demonstrate which of parameters is fixed Create instance of WrapContext class Width of container Height of container Type Create instance of WrapContext class Dimensions of container object Type Gets container width Width of container Gets container height Height of container Gets Type of WrapContext Type that shows what parameter is fixed Specifies the location of the RadChart's elements. The chart element is placed inside plot area. The chart element is placed outside plot area. Chart legend. Shows the series names or series labels listing. Can contains custom items. Labels for bindable items collection Constructor Constructor Reference to a parent object (Current Chart instance) Element container Clears bound items collection Should automatically created bound items be removed or not Creates new legend item bound to series or series item RenderEngine Chart series Series item How series will be represented in Legend: Series names, Series items or hidden (Nothing) Series index in collection Series item index in collection New LegendItem bound to a chart object: series or series item Creates bound items collection RenderEngine Adds custom item to Legend Custom legend item text FillStyle Figure for an item marker Reference to a label item by its index in items collection Label item's index LabelItem at given index Bound items collection The base class with common functionality needed by web chart controls for an image maps creation Gets a string of element path in a parent control order list hierarchy. For example, Legend has an index 4 in a Chart's order list, first legend item has an index 0 in Legend's order list. So result string will look like "4, 0" IOrdering element ArrayList with parent indexes Generates the image map HTML code HTML code with created image map Creates chart axes specific image maps code Chart axis StringBuilder to populate with image map HTML code Generates an image map string for a given IOrdering object and appends it to a given StringBuilder object IOrdering element The target StringBuilder object Disables a JavaScript post back function creation if only tool tip creation required Gets a figure name for a image map type for a different series types Series item The Active region index in a regions list Figure name Gets an appropriate HTML shape name by an internal figure name The charting Figure string value HTML shape name (rect, circle, poly) Gets the image maps coordinates Graphics Path object to get coordinates from Charting figure String of element coordinates in the image map separated by comma Returns a string that can be used in a client event to cause post back to the server. The reference string is defined by string argument of additional event information. A string of optional arguments to pass to the control that processes the post back. A string that, when treated as script on the client, initiates the post back. Checks if chart control has a Click event enabled True or False Generates image map HTML string HTML string Axis segment in case of ScaleBreaks enabled Start point of segment End point of segment Segments rectangle Axis visible values Items count in this segment Array of two elements with segments lines as GraphicsPath Value indicate: how much percents of axis this segment is take up Creates a new class instance Creates a new class instance Segment name Gets X coordinate Series value to get coordinate of Coordinate Gets Y coordinate Series value to get coordinate of Coordinate Recalculates items values in collection Series items with values in current segment diapason Should max value optimization be done or not Getting the better value Number Should get biggest number or not Number Create axis items Axis Final value Check segments on a intersections Any other segment True if segments intersect Return a path around segments rectangle Path depending of scale break line type Should start segment line as scale break line type be created Should end segment line as scale break line type be created Plot area series orientation, true if horizontal Segments path Segments name in collection Segment minimum value at the axis Maximum segment's value at the axis Axis items step for a current Segment Segment start point Segment end point Segment's bound rectangle Pixels per one value Segments collection Check segment and add it into collection Segment for adding Searches for a segment where value is located Value to check AxisSegment Searches for a segment where value is located Value to check Null values exclusion reason AxisSegment Sorts segments Checks if series item in current segment SeriesItemsCollectionv True if value is in segment Gets true if just one negative value presents in segment Gets true if just one positive value presents in segment Gets true if segment contains axis zero value Gets the nearest to Zero axis value Segments comparer Segments order comparison First segment Second segment 0 if segments are equal, -1 if first segment should be rendered at top of the second segment at axis, 1 if second segment should be rendered at top of the first segment at axis Chart axis types enumeration Base chart axis class ChartAxis style ChartAxis main label ChartAxis items Parent element Show only negative values Show positive values only Is axis zero based Min axis item value Max axis item value Minimum series value Maximum series value Axis start point Axis zero value end point Pixels per value field. Cached zero coordinate value. Tracking ViewState Loading ViewState data Saved state bag Saves data to a State Bag Saved axis data to a state bag Gets distance between points First point Second point Distance Calculates grid lines and ticks positions Excludes the excessive serialization of axis items properties Used to correct initial axis label AlignedPosition for AutoLayout Position Used to automatically correct the axis item AlignedPosition in AutoLayout Position Gets the largest axis item width Width value Gets the largest axis item height Height value Formats the axis item value with a selected ValueFormat value Item value Formatted string Gets value coordinate at axis Value Coordinate Gets value coordinate at axis Value Pixels per value Make a coordinate value rounding or not Coordinate Return the base value of the axis. Axis zero value Gets the coordinate of zero value Coordinate Gets the start value coordinate Coordinate Gets the end value coordinate Coordinate Saves the initial axis label and common axis items positions settings Restores the initial axis label and common axis items positions settings Recalculates items values in collection Checks the range values Min axis value Max axis value Axis step value Restores initial values of cached axis settings Gets the axis item's max bound: horizontally or vertically Axis item Rotation angle's value Max bound value Gets axis image rectangle Start point End point Used with client-zoom in ASP.NET Ajax chart Rectangle Gets axis image rectangle Used with client-zoom in ASP.NET Ajax chart Rectangle Gets the half of the first axis item's largest dimension Half of the largest dimension Gets the half of the last axis item's largest dimension Half of the largest dimension Calculates axis layout settings RenderEngine Initialize the axis items collection Calculates axis label's layout settings RenderEngine Checks the axis item visibility Axis item True if item should be rendered Checks the axis item visibility The Boolean value Sets the min axis range value Value to set The axis MinValue design time serialization reason True is value have to be serialized Resets the MinValue to default The axis MaxValue design time serialization reason True is value have to be serialized Resets the MaxValue to default Sets the maximum axis range value Value to set The axis Step design time serialization reason True is value have to be serialized Resets the Step value to default Creates a new instance of the ChartAxis class. Creates a new instance of the ChartAxis class. Initializes the axis with min and max values. Auto determines the min and max value of the axis Axis Step calculation method for AutoScaled axes Min range value Max range value Calculated Step value Adjusting min/max value according to the set axis properties Min range value Max range value Rounding digits limit Sets the minimum and maximum axis range values Min range value Max range value Adds a ChartAxisItem to the axis. Adds a ChartAxisItemsCollection to the axis. Adds ChartAxisItems to the axis. Adds ChartAxisItems to the axis. Gets the item at the specified index. Removes all items Removes the ChartAxisItem specified. Removes the ChartAxisItems at the specified indexes. Removes the ChartAxisItem at the specified index. item's index Removes the last item from the axis. Clears data values of the axis. Automatically adds new axis items in AutoScale mode. Min range value Max range value Axis step value Adds a new ChartAxisItem object to the axis with the specified label and color. Axis label Item text color Adds a new ChartAxisItem object to the axis with the specified label and color. Axis label Item text color Visibility Adds a new ChartAxisItem object to the axis with the specified label. Axis label text Adds a new ChartAxisItem object to the axis with the specified label. Axis label text Axis item value Sets new label text for the axis item at the specified position. Item index in collection Axis item label text Sets new label for the axis item at the specified position. Item index in collection Axis item Sets new color for the axis item text at the specified position. Item index in collection Item text color Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Gets the longest tick length Gets the major axis ticks visibility Gets the minor axis ticks visibility Gets the axis ticks visibility Gets or Sets the start point of axis line Gets or Sets the end point of axis line Gets the larger value of axis items dimensions: height or width Pixels per axis unit. Reference to a Chart class instance Gets the PlotArea's rectangle Gets the axis type: X, Y and Y2 axis Gets if PlotArea should be rendered or not Specifies whether the axis should be rendered. Returns the axis item at the specified position. Enables or disables automatic axis scaling. ChartAxis style ChartAxis label Parent element (PlotArea) Specifies the min value of the axis range. Specifies the max value of the axis range. Specifies the step at which axis values are calculated Specifies whether the axis begins from 0. Gets or sets maximal count of the axis items when auto scaling. Determines the type of shown values Draw each 1,2,...,n item Returns a collection of axis items. Bar charts ordering modes Represents the X Axis. Cached pixel step value. Creates a new instance of the ChartXAxis class. Creates a new instance of the ChartXAxis class. Axis ticks points Axis grid lines points Ticks points' types Grid points' types in array Returns axis step in pixels Gets value coordinate at axis Value Coordinate Gets the X coordinate of the axis which corresponds to the base value (0, min (if positive), max (if negative)) Coordinate Gets the start value coordinate Coordinate Gets the end value coordinate Coordinate Axis items count without min and max value Integer Tick marks count Gets coordinate of the first axis item in a different LayoutModes Coordinate Restores initial values of cached axis settings Gets axis image rectangle Start point End point Used with client-zoom in ASP.NET Ajax chart Rectangle Gets axis image rectangle Rectangle Gets the half of the first axis item's largest dimension Half of the largest dimension Gets the half of the last axis item's largest dimension Half of the largest dimension Gets the larger value of axis items dimensions: height or width Initialize axis items collection in dependency of series items collection values limits Calculates axis layout settings Render Engine reference Checks the axis item visibility Axis item True if item should be rendered Calculates axis items layout settings Render Engine reference Already calculated ItemsBound value Calculates grid lines and ticks positions Adds a new axis item. Item text Adds a new axis item. Item text Item text color Clears all data bound settings for axis The data source column used as axis items labels source Gets whether X ChartAxis data bound or not Specifies the layout style of the axis. Specifies whether the axis is auto shrink or not. Max axis item coordinate (X or Y). Farther value. Define bar's series ordering mode Pixels count per value Axis type value: XAxis Gets the minor axis ticks visibility Always false for XAxis Gets the major axis ticks visibility Specifies the Y axis modes. Sets default Y axis mode. Extends the axis when AutoScale property is set to true. Primary or Secondary Specifies primary Y-Axis Specifies secondary Y-Axis Represents a chart Y Axis. Scale break settings Tracks view state changes Loads Y axis settings from view state View state Saves axis settings to a state bag Creates a new instance of the ChartYAxis class. Calculates grid lines and ticks positions Initializes the axis with min and max values. Makes preparations for an axis segmentation in case of Scale Breaks enabled Creates axis segments when Scale breaks enabled Replaces overlapped segments with one segment Calculated segments Series items Optimized axis segments collection without overlapped segments Calculates segments positions Gets value coordinate at axis Value Coordinate Gets the coordinate of zero value Coordinate Gets the start value coordinate Coordinate Gets the end value coordinate Coordinate Return the base value of the axis. Axis zero value Gets axis image rectangle Start point End point Used with client-zoom in ASP.NET Ajax chart Rectangle Gets axis image rectangle Used with client-zoom in ASP.NET Ajax chart Rectangle Gets the half of the first axis item's largest dimension Half of the largest dimension Gets the half of the last axis item's largest dimension Half of the largest dimension Gets the larger value of axis items dimensions: height or width Initialize axis items collection in dependency of series items collection values limits Calculates axis layout settings Render Engine reference Calculates axis items layout settings Render Engine reference Should method calculate the ItemsBound value only Already calculated ItemsBound value Gets pixels between two axis items Axis item value. Can be used to detect if value is located in the any axis segment Distance in pixels Creates rendering areas for a several axis segments in case of Scale breaks Render Engine reference Use Logarithmic scale or not. Specifies the min value of the axis range. Specifies the max value of the axis range. Specifies the step at which axis values are calculated Logarithm base. Min possible value is 2 Segments collection Scale breaks settings Defines a type of YAxis Gets or sets the style of the Y axis. Max axis item coordinate (X or Y). Farther value. Points array for a major ticks and grid lines Points array for a minor ticks and grid lines Gets the axis type: Y or Y2 axes Segments sorting support structure Axis item types enumeration Simple axis item Segment start axis item Segment end axis item Represents an axis item. Creates a new instance of the class. Creates a new instance of the class. Creates a new instance of the class. Creates a new instance of the class. Item text Item text color Creates a new instance of the class. Item text Item text color Visibility Creates a new instance of the class. Item text Item text color Visibility Item container object Gets the bound rectangle RectangleF Bound rectangle's height Height value Bound rectangle's height Include top margin value in target height or not Include bottom margin value in target height or not Bound rectangle's width Width value Bound rectangle's width Include left margin value in target width or not Include right margin value in target width or not Width value Corrects text block's aligned position value Reason to correct Calculates the text block's size RenderEngine reference Axis item with default settings to compare with current item SizeF Specifies whether the axis item should be rendered. Specifies the value of the axis. A collection to store axis items. Parent element Creates a new instance of the ChartAxisItemsCollection class. Creates a new instance of the ChartAxisItemsCollection class. Creates a new instance of the AxisItems class with the specified default item font. Axis item's Font settings Creates a new instance of the AxisItems class with the specified default item color. Axis item text color settings Creates a new instance of the AxisItems class with the specified default item font and color. Axis item's Font settings Axis item text color settings Removes axis item from collection Item index to delete at Gets axis item's rotation angle Axis item Rotation angle value Gets widest axis item's width Width value Gets highest axis item's height Height value Adds a chart axis item to the collection. Axis item to add Parent element Gets or sets a ChartAxisItem element at the specified position. Possible axis scale break's line types Y Axis scale break Parent element Tracking view state changes Loads settings from a view state Saved state bag Saves settings to a view state Saved state bag Constructor Gets the scale break line Line length Is series orientation horizontal (true) or vertical (false) Graphics path with an appropriate line inside Is scale break feature enabled Break line's appearance settings Max scale breaks count Value tolerance in percents Space width between two break lines Break line appearance settings Segments collection. Used with ScaleBreak feature enabled Parent element reference (ChartAxis) Plot area - series rendering canvas. Collection of Marked zones X Axis Y Axis Secondary Y Axis Link to a chart object Label for empty series notification Temporary (for rendering process) contains common drawing region of plot area based on both (main and secondary) axis scale breaks Temporary (for rendering process) contains drawing region of plot area based on Y axis scale breaks Temporary (for rendering process) contains drawing region of plot area based on secondary Y axis scale breaks Temporary (for rendering process) list of series items labels List for save series popular values. Used for render strict bar series Table that contain series data List, that represents the render order list for taken up elements (For IOrdering.Container property) Track ViewState Load ViewState ViewState with data Save Track ViewState Object data as array Shoulds the serialize intelligent labels enabled. Create instance of the class Create instance of the class Chart Initialize object properties Fill order list Updated axes orientation accordingly to the SeriesOrientation Series collection on current plot area Series collection Series collection on plot area filtered by Y axis type Series collection Axis initialization Create rectangles in the series items labels for Intelligent engine Clearing automatic properties for axis items Return position for starting bars drawing Series Position Return position for starting bars drawing Series Local(true) or global(false) Position Restore default settings Drop plot area clip regions Prepare plot area for scale feature Prepare plot area for scale feature X scale coefficient Y scale coefficient Restore plot area settings after scaling Returns the width of the bars according to the number of bar series and overlap ratio between them. Bar width Returns the width of the bars according to the number of bar series and overlap ratio between them. Series Bar width Position calculation Instance of RenderEngine object Calculate plot area relative data table Instance of RenderEngine object Visual container width Visual container height Get elements order position Element Add element at the end of list Element Insert element at specific position in list Position Element Remove element from list Element Remove element from list by it's index Position Re-index order list Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Temporary (for rendering process) list of series items labels Common rendering region Rendering region for a primary Y Axis series Rendering region for a secondary Y Axis series Marked zones collection Visibility Table that contain series data Specifies the orientation of chart series on the plot area. Intelligent labels engine switch Specifies empty series message text Gets XAxis. Primary YAxis. Secondary YAxis Parent element Style Link to chart object Popular values collection List, that is represent the render order for taken up elements Get a next free order position Empty series message Visible if no or empty series present Create instance of the class Create instance of the class Plot area Create instance of the class Rendering container element Create instance of the class Plot area Rendering container element Checks if empty series message should be visible or not Should be visible or not Visibility Enum describe a marked zone types Y axis based marked zone X axis based marked zone Both axis based marked zone Class describe a Marked zone functionality Appearance properties for marked zone Marked zone label Tracking ViewState for Marked zone object Loading ViewState data into Marked zone object Saving Marked zone object into ViewState Create a instance of object Container object Create a instance of object Create a instance of object Name for marked zone Marked zone to String Marked zone name Define and return a marked zone type Marked zone type Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Visibility Marked zone label Appearance properties Marked zone name Marked zone Y Axis type Marker start position X Marker end position X Marker start position Y Marker end position Y Marked zones collection Parent element Create instance of class Create instance of class ChartPlotArea object as parent Add MarkerZone in the collection GridMarker for adding Clear collection Insert GridMarker in collection at the specific position Position GridMarker Remove GridMarker from collection GridMarker Remove GridMarker in the specific position from collection Position Parent element Gets or sets a GridMarker at the specific position in GridMarkers collection. Position in the collection GridMarker at the specific position Support class for defining the most popular values in a series items Series item value Count of series item whit this value X position Use for stacked series, max positive value Use for stacked series, min negative value Create instance of class Series item value Count of items with this value X-position Create instance of class Series item value Count of items with this value X-position Use for stacked series, max positive value Use for stacked series, min negative value X position Use for stacked series, max positive value Use for stacked series, min negative value Series item value X position Collection of Popular objects Copy list of pop values to targeted list Popular collection Getting popular values from all series and form list with pop values, his coordinates and number of his popularity Chart object Popular values collection object Get popularity number by value Value Number Get index by value in list of Popularity objects value Index Series Link to visualization and design properties ChartSeries items collection Plot area element for series drawing Parent element Returns whether there is an active region associated with the series. Set series parent Creates a new instance of ChartSeries class. Creates a new instance of ChartSeries class with given name Name of series Creates a new instance of ChartSeries class with given name and type. Name of series Type of series Creates a new instance of ChartSeries class. Name of series Type of series Parent of series Creates a new instance of ChartSeries class. Name of series Type of series Parent of series YAxisType(Primary or Secondary) Style of series Creates a new instance of ChartSeries class. Name of series Type of series Parent of series YAxisType(Primary or Secondary) Style of series DataSource column that is used to data-bind to the series YValue DataSource column that is used to data-bind to the series XValue DataSource column that is used to data-bind to the series YValue2 DataSource column that is used to data-bind to the series XValue2 DataSource column that is used to data-bind to the series YValue3 DataSource column that is used to data-bind to the series YValue4 DataSource column (member) that will be used as ChartSeries names source when Y-values are taken from one column for a several chart ChartSeries Creates a new instance of ChartSeries class. Parent of series Resets active region properties values Search item index in series collection Item which index should to find Index of item Sets the legend item's formatted text Gets a Y value for empty points Series item Series item index Empty point y value Gets a Y value for empty points Performs check for a required Bezier series items amount Error message Bezier series items amount is proper Creates Pie series labels Points where labels should be located Labels text Angles PieCenter point PieRadius RenderEngine of chart Filters X dependent series items without X value Sum of series items' Y values Sum of series items' Y values Custom format string String should be formatted Format expression Formated string Return a sum value of items values Series item Sum Replaces string String that should be changed Expression for formatting Item Value Default format Returns text for item label Item which label should be taken Label text Clears all series items from the data series. Removes a series item(s) from the series. Item for removing Items for removing Removes a series item(s) from the series. Index of item should be removed Indexes of items should be removed Adds a series item(s) to the series. Item to add Items to add Adds a series item(s) to the series. Items to add Adds a series item(s) to the series. Items to add Adds a series item(s) to the series. Items to add Adds a new series item to the data series by specifying its value. YValue of new item Adds a new series item to the data series by specifying its value and label. YValue of new item Label of new item Adds a new series item to the data series by specifying its value, label and color. YValue of new item Label of new item Color of new item Adds a new series item to the data series by specifying its value, label, color and explosion. YValue of new item Label of new item Color of new item If item is exploded Sets a new color to the series item at the specified index. Index of item to change color New color of item Sets a new value for the series item at the specified index. Index of item to change YValue New YValue Sets a new label for the series item at the specified index. Index of item to change label New label Sets a new explode status for the series item at the specified index. Index of item Shoul be exploded or not Sets new values to the data series by passing an array of real values. Old values are cleared. New values Sets new colors to the items in the data series. New colors Sets new labels to the items in the data series. New labels Sets exploded statuses to the items in the data series. New exploded values Sets new SeriesItems objects to the data series. New Items to replace old items in series Removes the SeriesItem object at the specified index. Index to remove Removes data binding links from series Overridden Series name Copies settings from given series Series to copy from Copies series items from given series Series that items should be copied Return new ChartSeries instance with copied all properties from source object and cloned Items collection New instance of ChartSeries with copied fields Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load ViewState ViewState with data Save Track ViewState Object data as array Returns whether there is an active region associated with the series. Default attributes for series items' active regions Default tooltip for series items' active regions Default url for series items' active regions Specifies whether to render the series or not. Specifies the visual appearance of series items. Gets or sets the type of the series. Plot area element for series drawing Parent element Link to Chart object Gets or sets the name of the DataSource column (member) that is used to data-bind to the series X-value Gets or sets the name of the DataSource column (member) that is used to data-bind to the series X2-value Gets or sets the name of the DataSource column (member) that is used to data-bind to the series Y-value Gets or sets the name of the DataSource column (member) that is used to data-bind to the series Y2-value Gets or sets the name of the DataSource column (member) that is used to data-bind to the series Y3-value (High for CandleStick chart). Gets or sets the name of the DataSource column (member) that is used to data-bind to the series Y4-value (Low for CandleStick chart). Gets or sets the name of the DataSource column (member) that will be used as ChartSeries names source when Y-values are taken from one column for a several chart ChartSeries Determines whether the series is configured as data bound or not. Gets or sets the name of the data series. Specifies the default value for the series items labels. Current series index in the series collection Y Axis used by series Gets or sets a ChartSeries SeriesItem object at the specified index. Gets a collection of series items. Formatted text string for a Legend Defines whether series can be used with zoom or not If series depends of X value If current series type is x dependent Determines whether the series is stacked and not stacked100 or not. Determines whether the series is stacked100 or not. Determines whether the series is stacked or not. Determines whether the series is line-type. Determines whether the series is spline area-type. Determines whether the series is normal area-type. Determines whether the series is stacked line-type. Determines whether the series is stacked area-type. Determines whether the series is stacked area-type. Determines whether the series is stacked area-type. Determines whether the series has items with empty values Series collection Parent element Creates a new instance of the ChartSeriesCollection class. Creates a new instance of the ChartSeriesCollection class. Parent for collection Gets minimum Stacked 100 series item value Series Type Minimum Stacked 100 series item value Gets maximum Stacked 100 series item value Maximum Stacked 100 series item value Gets the min value of the stacked series of a specifies type. Series Type Min value of the stacked series of a specifies type. Gets the max value of the stacked series of a specified type. Series Type Max value of the stacked series of a specified type Compares two doubles and return minimum value First value to compare Second value to compare Less value Should NAN values be compared as 0 or not Compares two doubles and return maximum value First value to compare Second value to compare Greater value Should NAN values be compared as 0 or not Checks if collection contains only Bezier series Whether collection contains only Bezier series Returns true if collection contains only pie series Define items label text for each item for the all series in the collection Clear auto generated items label text for each item in the collection Check if collection contains proper data Text of error Returns True if series is a stacked type Is series a stacked type Returns True if series is a stacked100 type Is series a stacked100 type Gets maximum series items count of specified type Type of series Maximum series items count of specified type Gets series count of specified type Series type Series count of specified type Gets series items sum Item index for calculating summary Series items sum Return a sum value of items values Series Dictionary of value and sum Checks if any series item has X value Checks if any series item has X value Gets value limits Value limits Clears all series's style main and secondary colors Returns True if all series have no items True if all series have no items Count of specified type series Type of series Start index to search Count of specified type series Collection of series of specified type Type of series to select Collection of series of specified type Collection of series of specified types Types of series to select Collection of series of specified types Collection of series that use and have XValues Collection of series that use and have XValues Clone X-dpended series collection Clone X-dpended series collection Collection of series that use YAxis Collection of series that use YAxis Prepare series after AutoScale, add fake X values Restore series after AutoScale, remove fake X values Final code for series insertion Index where series should be insert Value to insert Add ChartSeries at the collection ChartSeries to add Clears items in all series Removes the all data series from the series collection. Insert ChartSeries in collection at the specific position Position ChartSeries Insert ChartSeries in collection at the specific position Position ChartSeries Find series by name ChartSeries name ChartSeries Returns a reference to the ChartsSereis object at the specified index. Index of series Series with specified index Returns the number of items in the longest data series. Number of items in the longest data series Removes data binding links from series Gets all series related to the given Y ChartAxis YAxisType(Primary, Secondary) All series related to the given Y ChartAxis Gets the minimal item value of all series. Minimal item value of all series Gets the maximal item value of all series. Maximal item value of all series Load ViewState ViewState with data Parent element (chart) Gets or sets a ChartSeries at the specific position in ChartSeries collection. Position in the collection ChartSeries at the specific position Property is true if all series in collection is X depended Returns the number of bar series which are drawn next to each other. StackedBars, StackedBars100 are counted as 1 bar series. Cont of bar series Defines whether all series in collection are scalable Defines whether all series in collection are unscalable Specifies legend items presentation. The legend does not show any information from the series. The legend shows the series name. The legend shows the names of the series items. Series orientation Specifies Vertical Orientation Specifies Horizontal Orientation Class describe a value limits for axis calculation Min X value Max X value Min Y value Max Y value Creates instance of ChartValueLimits class. Minimal x value Maximal x value Minimal y value Maximal y value Represents the base element of RadChart's series. Link to visualization and design properties Point mark style Item Label Parent element Relative value used for Stacked100 series ActiveRegion Defines if item has user-defined XValue or XValue was generated Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the empty ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Creates a new instance of the ChartSeriesItem class. Define items label text for item Clear auto generated items label text for item Returns XValue or 0 if it was not set XValue or 0 if it was not set Add item label to collection of PlotArea's labels for further their rendering Label text Item's rectangle to calculate label position RenderEngine of chart Created Label Locate item label Label to correct position depend on SeriesOrientation SeriesOrientation of chart Returns if item is inside PlotArea Rectangle that contains item Whether item is inside PlotArea Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Tracking ViewState data Loading ViewState data ViewState with data Saving ViewState data Saved in View state data Clone this object New instance of ChartSeriesItem class that is copy of this object Specifies whether the series item should be rendered. Relative value used for Stacked100 series Active region Link to visualization and design properties Item label Parent element Is series item contains empty value Main X value Second x value for item Main Y value for item Second y value for item Third y value for item (could be used in CandleStick charts as High value) Fourth y value for item (could be used in CandleStick charts as Low value) Return value by item value type name Value type name value ChartSeriesItem name Point appearance settings Index in items collection Design-time series item Main X for design created item Second X for design created item Main Y for design created item Second Y for design created item Third Y value for design created item (could be used in CandleStick charts as High value) Third Y value for design created item (could be used in CandleStick charts as Low value) Random generator for design items Constructor to initialize random generator Creates new instance of the class. Specifies parent for item Creates new instance of the class. Name of item Parent of item Initialize item X and Y values Clear X and Y values of the item Use needed X and Y values depend on type of series Series items collection Parent element Creates a new instance of the ChartSeriesItemsCollection class. Creates a new instance of the ChartSeriesItemsCollection class. Parent of the collection Define items label text for each item in the collection Clear auto generated items label text for each item in the collection Get item with max YValue not greater than specified Item which YValue is limit for searching Item with max YValue not greater than specified Get item with min YValue not less than specified Item which YValue is limit for searching Item with min YValue not less than specified Count of items with YValues in specified range Min limit for searching Max limit for searching Count of items with YValues in specified range Min YValue in specified range Min limit for searching Max limit for searching Min YValue in specified range Max YValue in specified range Min limit for searching Max limit for searching Max YValue in specified range Sort items Filter items by YAxis VisibleValues(All, Negative, Positive) YAxis VisibleValues(All, Negative, Positive) Clear for all items Region Add Item at the collection Item to add Adds a collection of series items to the items collection. Items to add Load ViewState data ViewState with data Parent element Gets or sets a Item at the specific position in Items collection. Position in the collection Item at the specific position Method for comparing ChartSeriesItems First SeriesItem Second SeriesItem Difference between YValues Chart Title Creates a new instance of the ChartTitle class. Creates a new instance of the ChartTitle class. Chart Creates a new instance of the ChartTitle class. Chart Elements container Layout zone types Vertical layout zone Horizontal layout zone Virtual chart area for a chart elements placement in auto-layout Creates new class instance Export zone to rectangle RectangleF Layout zone to Position Position Layout zone to Dimensions Creates Layout zone from chart object Zone container dimensions Chart element like ChartTitle or Legend LayoutZone Creates new layout zone from a space available for a chart element Chart dimensions Chart element Existing layout zones LayoutZone Relocates existing layout zones to avoid their overlapping ChartTitle layout zone Legend LayoutZone DataTable layout zone Corrects element position to place it inside zone Element position Calculates element position Chart element Element dimensions Current element position Relocates current layout zone elements inside of layout zone Gets the DataTable from Layout zone DataTable or null Gets ChartTitle from Layout zone ChartTitle or null Gets Legend from Layout zone Legend or null Remove duplicates from layout zone Layout zones array Fixes layout zone dimensions Layout zone to fix Is layout zone already used Layout zones array Layout zone to check Start index True if zone already used Get Y offset of the element in zone Element Left offset value Gets element's bound rectangle height Height Fix X coordinate and Width of two layout zones First Layout zone Second Layout zones Corrects element position position Position Sets the layout zone dimension including appropriate margins Bound rectangle Element margins Sets the layout zone dimension Container object dimensions Corrects the element position to place it inside Layout Zone Zone element position Zone container dimensions Adds chart element in current layout zone Element to add X coordinate Y coordinate Zone width Zone height Zone type IOrdering list element by index Element index Zone aligned position Encryption utility class Encrypts string using AES algorithm Text string to encrypt Encryption key array IV array Encrypted byte array Decrypts bytes array to a string using AES algorithm Encrypted bytes array Encryption key array IV array Encrypted byte array Common chart utility methods Class constructor Xml support method. Gets the Xml attribute value Target string to save the value XmlNode to get attribute from Xml attribute name True in case of success Sets the XmlAttribute value XmlElement to set attribute value Attribute name Value to set Value type if value is Enumeration Compares two Color arrays First array to compare Second array to compare True if arrays are equal Compares two float arrays First array to compare Second array to compare True if arrays are equal Calculates sum of a float array members Array Sum value Default properties values constants Rounding digits limit Minimum possible axis step value Default main colors array Default secondary colors array Gets main color from a colors array at the specified index Colors index in an array Color Gets secondary color from a colors array at the specified index Colors index in an array Color Supporting class for Visual Studio design mode. Used for manipulations of content of axis segments collection Parent object of axis segments collection Create a instance of AxisSegmentsCollectionEditor class Type descriptor Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value returned value Creates a new instance of a column for custom collection Type descriptor new instance Supporting class for Visual Studio design mode. Used for manipulations of content of axis items collection Parent object of axis items collection Create a instance of ChartAxisItemsCollectionEditor class Type descriptor Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value returned value Creates a new instance of a column for custom collection Type descriptor new instance Supporting class for Visual Studio design mode. Used for select palette Object that provide an interface for a System.Drawing.Design.UITypeEditor to display Windows Forms or to display a control in a drop-down area from a property grid control in design mode. ListBox for palette selection Create a instance of ChartPaletteEditor class Return edit style for ListBox Object which provide contextual information about a component Edit style Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Added to automatically close dropdown after user selection Object which generate a event Event arguments Dispose Dispose True - if should disposing For resize ability Supporting class for Visual Studio design mode. Used for palette collection changes Chart component object Create a instance of CustomPaletteCollectionEditor class Type descriptor Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Creates a new instance of a column for custom collection Type descriptor New instance Supporting class for Visual Studio design mode. Used for series collection content manipulations Chart as component object Create a instance of SeriesCollectionEditor class Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Creates a new instance of a column for custom collection Type descriptor New instance Supporting class for Visual Studio design mode. Used for series items collection changes Series Create a instance of CustomPaletteCollectionEditor class Type descriptor Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Creates a new instance of a column for custom collection Type descriptor New instance Supporting class for Visual Studio design mode. Used for skins collection changes Object which Provides an interface for a System.Drawing.Design.UITypeEditor to display Windows Forms or to display a control in a drop-down area from a property grid control in design mode. ListBox for select value Create a instance of ChartSkinEditor class Return edit style for ListBox Object which provide contextual information about a component Edit style Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Added to automatically close dropdown after user selection Object which generate a event Event arguments Return a component for changes Object which defines a mechanism for retrieving a service object. Object which provides functionality required by all components Dispose object Dispose object Should dispose Used for resize ability Supporting class for Visual Studio design mode. Used for edit complex gradient Create a instance of ColorBlendEditor class Creates a new instance of a column for custom collection Type descriptor New instance Supporting class for Visual Studio design mode. Used for comments(additional labels) collection changes Chart component object Create a instance of CustomPaletteCollectionEditor class Type descriptor Called to edit a value in collection editor Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Supporting class for Visual Studio design mode. Used for DataColumn changing Object which Provides an interface for a System.Drawing.Design.UITypeEditor to display Windows Forms or to display a control in a drop-down area from a property grid control in design mode. ListBox for select value Previous value Return edit style for ListBox Object which provide contextual information about a component Edit style Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Filling listbox Data DataMember Added to automatically close dropdown after user selection Object which generate a event Event arguments Dispose object Dispose object Should dispose Supporting class for Visual Studio design mode. Used for figure change Object which Provides an interface for a System.Drawing.Design.UITypeEditor to display Windows Forms or to display a control in a drop-down area from a property grid control in design mode. ListBox for select value Previous value Style object Create new instance of FiguresEditor class Return edit style for ListBox Object which provide contextual information about a component Edit style Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Added to automatically close dropdown after user selection Object which generate a event Event arguments Dispose object Dispose object Should dispose Supporting class for Visual Studio design mode. Used for custom figures collection changes Chart component object Collection of custom figures True after cancel button click Create new instance of FiguresEditor class Type Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Return collection to previous state Custom figures collection Drop changes Creates a new instance of a column for custom collection Type New instance Supporting class for Visual Studio design mode. Used for labels collection changing Extended label Create new instance of FiguresEditor class Type Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Creates a new instance of a column for custom collection Type New instance Supporting class for Visual Studio design mode. Used for marked zones collection changes Plot area Create new instance of FiguresEditor class Type Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Creates a new instance of a column for custom collection Type New instance Supporting class for Visual Studio design mode. Used for DataColumn with numeric data changing Filling listbox Data DataMember Supporting class for Visual Studio design mode. Used for palette items collection changes Palette for changing Create new instance of FiguresEditor class Type Call when value change Object which provide contextual information about a component Object which define a mechanism for retrieving a service object Value New value Return collection to previous state Custom figures collection Common interface for a ordering collections Adds IOrdering elements list in the collection IOrdering list to add The starting index at collection to add elements to Adds only visible items to collection IOrdering list to add The starting index at collection to add elements to Adds only visible item to collection IOrdering element to add The starting index at collection to add element to Gets the IOrdering element from collection at the given index Element index IOrdering element A strongly-typed resource class, for looking up localized strings, etc. Returns the cached ResourceManager instance used by this class. Overrides the current thread's CurrentUICulture property for all resource lookups using this strongly typed resource class. Event arguments when a chart element is clicked. Reverse link to a parent Chart series Chart Series Item Create instance of the class Parent object series series item Create instance of the class Parent object series Create instance of the class Parent object Reverse link to a parent Chart series Chart Series Item Main Image object Main Graphics object Chart that should be rendered Temporary series list for rendering Show if only bound of axis items be calculated Resolution of resulting bitmap Temporary series list Create instance of class Chart Image width Image height Create instance of class Chart Image width Image height Resolution Create instance of class Chart Image width Image height Value that indicate should initialize graphics object or not Destructor Scaling graphic path Path for scale Width Height Scaled path Moving graphic path Path for moving New X coordinate New Y coordinate Moved path Translate local elements coordinates to global Chart element Global positio Translate elements visual setting to Pen object Border style Pen Alignment Pen Translate elements visual setting to Pen object Elements border style Pen Translate elements visual setting to Pen object Elements line style Color Width Pen Translate elements visual setting to Brush object Fill style of elements Element bound rectangle Brush Translate elements visual setting to Brush object Elements bound rectangle Elements fill setting Brush Return a angle for diagonal in rectangle Rectangle Angle Normalize rectangle Rectangle Normalize corners round coefficient Round coefficient Type of corner Type of corner Width Height Round coefficient Rounding corners for rectangle elements Corners X coordinate Y coordinate Width Height Graphics Path with rounded corners Rounding corners for rectangle elements Corners Rectangle Series Graphics Path with rounded corners Compare list of SizeF object and return the largest of them List of sizes Max size String manipulation use in PrepareForHorisontalOverflow and PrepareForVerticalOverflow methods Graphics Result string String for adding Spacer Width Font String Prepare text for vertical overflow Graphics String Font Width String Return area (Region object) for clipping Type of YAxis Region Return area(Region object) for clipping Chart element Region Rendering chart and/or its elements Chart element Rendering PlotArea and its elements Value that indicate should render grid lines or not Value that indicate should render ticks or not Drawing ScaleBreacks Y Axis Rendering MarkedZones Label Rendering all MarkedZones Rendering chart axis items Axis Rendering chart axis Axis Rendering YAxis Y axis Rendering chart axis label Axis label Rendering MarkedZone Marked zone X Axis Y Axis Change x to y and y to x Point Grids line drawing Array of points Pen Ticks drawing Array of points Length Pen Ticks drawing Ticks drawing Axis Ticks drawing Axis Grids line drawing Grids line drawing Axis Grids line drawing Axis Rendering TextBlock Text block element Rendering chart elements Chart element Rendering chart elements Chart element Series item Rendering chart elements Chart element Value that indicate should drawing fill or not Value that indicate should drawing border or not Rendering chart Rendering chart data table border Data table Rendering chart data table Data table Translate elements visual setting to Brush object FillStyle object X coordinate of element Y coordinate of element Elements width Elements height Image Brush Translate elements visual setting to Brush object X coordinate Y coordinate Width Height Image Brush Returns a base point for rotation aligned elements Rectangle Aligned position Point Return a list of all ancestry elements Element Parents list Return global Rotation angle Chart element Path Rotation angle Initializing elements of chart Prepare chart elements (calculating sizes, positions, etc) for rendering Scaling PlotArea for zoom feature X scale coefficient Y scale coefficient Prepare chart elements (calculating sizes, positions, etc) for rendering IContainer chart element Create layout zone (for AutoLayout feature) based on chart label element Label Is label visible Labels Layout zone Prepare chart elements (calculating sizes, positions, etc) for rendering Chart object Creating graphics stage for EMF file format Image width Image Height Image MetaFile First rendering engine initialization Image width Image height Succses Renders default chart image and returns it Renders default chart image. Could return image clone. Value that indicate should create clone of result image or not Renders Plot area image only Value that indicate should create clone of result image or not Rendering chart background area image without plot area Value that indicate should create clone of result image or not Value that indicate use background or not Value that indicate should render title or not Value that indicate should legend or not Value that indicate should render plot area border or not Value that indicate should render XAxis or not Value that indicate should render YAxis or not Value that indicate should render YAxis2 or not Rendering chart axis image with ticks and items Value that indicate should create clone of result image or not Axis type Image Renders the entire chart image Value that indicate should create clone of result image or not Image Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. Show if need render only shadows Common bars width Common bars width ratio Selected Palette Rendering chart and/or its elements Series Series index Rendering Bar - type chart Series Series index Series item Series item index Bars rectangle Rendering series shadow for Bar - type chart Series Series item Bars rectangle Rendering series for Bar - type chart Series Series index Bar ordering mode Rendering series for StackedBar - type chart Series type Bar ordering mode Modifications in StackedBars for strict mode Series item Bars overlap ratio Item index Bars x position Bar width Modifications in StackedBars (with positive values) for strict mode Series item Series item value Bar width Bars overlap ratio Bars x position Bar width Minimal value Total positive value Value Modifications in StackedBars (with negatives values) for strict mode Series item Series item value Bar width Bars overlap ratio Bars x position Bar width Minimal value Total negative value Value Returns array of points Array of points Array of points Returns array of points for drawing points Marks Array of points Items count Array of points Create path for Area-type series Series Series index Max items count Array of points Area path Create ActiveRegion for Area-type series item Point for first item Point for second item Value of first item Value of second item Series Orientation Path for active region Area item active region path Rendering series for Area - type chart Series Series index Rendering series for StackedArea - type chart Series type Rendering series for Line - type chart Series Series index Rendering series for Pie - type chart Series Series index Rendering Empty point Series Series item Series item index Axis start value Rendering series for Gantt - type chart Series Series index Rendering series for Point - type chart Series Series index Rendering point label and marker Series Series item Series index Series item index Point Rendering series for Bubble - type chart Series Series index Rendering series for CandleStickr - type chart Series Series index Ordering mode Rendering Series labels Rendering point marks Series Array of points Checking YAxis type for Series Series PlotArea YAxis Visible Values Rendering shadow for Line - type chart Pen for shadow drawing Series Path Removing unnecessary zeros from lists' end List Rendering series for Line - type chart Series Series index Array of points Rendering series for Bezier - type chart Series Serie index Array of points Rendering lines for Area - type chart Series Series index Array of points Rendering polygon for area-types chart series Translate elements visual setting to Brush object Series Series index Series item Series item index Item rectangle Brush Gets the empty brush. The series. The rect. Translate elements visual setting to Fill Series Series index Series item Series item index FillStyle Return a default color Fill style of elements Elements(series or series item) index Translate elements visual setting to Pen object Series Series index Series item StyleBorder Translate elements visual setting to Pen object Series Series index Series item Pen Returns empty Pen object Series Series index Series item Pen Drop clip area Set correct ordering mode for x axis Checking a series. Should be applied categorical x axis or not BarOrderingMode Checks if error message rendered Signal Aligned positions listing Assign the right position for element Assign the left position for element Assign the top position for element Assign the bottom position for element Assign the center position for element Assign the top right position for element Assign the top left position for element Assign the bottom right position for element Assign the bottom left position for element Define auto wrap option for text Means that value of auto text wrap will be inherit of parent element. Means that auto text wrap will be applied. Means that auto text wrap will not be applied. Specifies different axis styles for positioning of item labels and marks. Sets the default axis layout style. Sets the endmost axis items inside the axis. Sets axis items between axis marks. Define visibility option for axis Means that axis will be visible if it is XAxis or any series belongs to it. Means that axis will be visible. Means that axis will be not visible. Axis visible values range positive / negative All values will be visible. Only positive values will be visible. Only negative values will be visible. Specifies that no default format string is specified. Uses CustomFormat if is . Default format string is set to currency : "C". Default format string is set to scientific : "E". Default format string is set to general : "G". Default format string is set to number : "N". Default format string is set to percent : "P". Converts to short date using ShortDatePattern set in CurrentCulture. Uses CustomFormat if is set. Converts to short time using ShortTimePattern set in CurrentCulture. Uses CustomFormat if is set. Converts to long date using LongDatePattern set in CurrentCulture. Uses CustomFormat if is set. Converts to long time using LongTimePattern set in CurrentCulture. Uses CustomFormat if is set. Gradient element Create new instance of GradientElement class. Create new instance of GradientElement class. Color Position Reset to default parameters Comparing to objects Object for comparing Whether objects are equal or not Gets hash code Hash code Clone this object. New instance of GradientElement class with the same fields as this one Gets and sets Color Color Gets and sets Position Position Defines arrays of elements and positions used for interpolating GradientElement blending in a multicolor gradient. Container element Create new instance of ColorBlend class. Create new instance of ColorBlend class. Colors to add Create new instance of ColorBlend class. Colors to add to the object Container element Create new instance of ColorBlend class. Colors to add to the object. Positions of colors. Container element Create new instance of ColorBlend class. Colors to add to the object Positions of colors Create new instance of ColorBlend class. Container element. Adds a range of elements to the collection. Object that contains element to add Load pairs colors\positions from specified object. Object to load from. Gets ColorBlend's colors. ColorBlend's colors. Gets ColorBlend's positions. ColorBlend's positions. Gets color at specified position. Position to get color. Color at specified position. Returns gradient brush Rectangle of brush Angle of brush. Gradient brush Comparing two objects. Object to compare. Whether objects equal or not Color blends comparer First object for comparing Second object for comparing Whether objects equal or not Clone this object. New instance of ColorBlend class with the same fields as this one. Sets the edge type of rectangular shapes. Container object Create new instance of Corners class. Container object Create new instance of Corners class. Create new instance of Corners class. RoundSize for coners Create new instance of Corners class. Type of top left corner Type of top right corner Type of bottom left corner Type of bottom right corner RoundSize of corners Implicitly creates a Corners from the specified string. The string to parse Object of corners type Converts the specified string to Corners. The string to convert. Corners that represents the specified string. Converts the specified string to a Corners. The string to convert. CultureInfo used Object of corners type Set specified type for all corners Type of corners Compare two objects of Corners type Object to compare with Whether objects equal Gets HashCode HashCode Clone this object New instance of Corners type Copy fields from specified object Object to copy from Reset all settings to default Gets and sets the type of the top left corner of the rectangular shape. Type of top left corner Gets and sets the type of the top right corner of the rectangular shape. Type of top right corner Gets and sets the type of the bottom left corner of the rectangular shape. Type of bottom left corner Gets and sets the type of the bottom right corner of the rectangular shape. Type of bottom right corner Gets and sets the round size of the corner. Round size of corners Check whether all corners are of Rectangle type. Check whether can convert an object of the given type to the type of this converter, using the specified context Context for types converting Type to convert Can convert an object or not Conversion of an object to the type of this converter Context for types converting To use at the current culture Object to convert Converted object Conversion of an object to the specified type Context for types converting To use at the current culture Object to convert Type to convert the value parameter to converted object Get Properties Supported Context Properties Supported Gets Properties of type Context Properties of this type Get Create Instance Supported Context Get Create Instance Supported Create new instance Context Properties New instance Corner type Specifies a sharp corner. Specifies a rounded corner. Represents custom shape of an element. Represents element shape. Base class for specialized shapes such as EllipseShape, RoundRectShape, Office12Shape, etc. Serializes properties. Required for serialization mechanism of telerik framework. Deserializes properties. Required for the deserialization mechanism of telerik framework. Initializes a new instance of the CustomShape class. Initializes a new instance of the CustomShape class using a container. Creates a path using a ractangle for bounds. Serializes properties. Required for telerik serialization mechanism. Deserializes properties. Required for telerik deserialization mechanism. Gets a List of Shape points. Gets or sets a Rectangle indicating the dimension of the shape. Represents a shape editor control. Required designer variable. Clean up any resources being used. true if managed resources should be disposed; otherwise, false. Required method for Designer support - do not modify the contents of this method with the code editor. Required designer variable. Clean up any resources being used. true if managed resources should be disposed; otherwise, false. Required method for Designer support - do not modify the contents of this method with the code editor. Represents a shape point. Represents a base class of the ShapePoint class. Initializes a new instance of the ShapePointbase class. Initializes a new instance of the ShapePoint class using X and Y coordinates. Initializes a new instance of the ShapePoint class using a Point structure. Initializes a new instance of the ShapePoint class using an instance of the ShapePointBase class. Sets the X and Y coordinates of the shape point. Sets the point position from a Point structure. Retrieves a Point structure corresponding to the point position. Retrieves a string representation of the ShapePointBase class. Gets or sets a float value indicating the X coordinate of the shape point. Gets or sets a float value indicating the Y coordinate of the shape point. Gets or sets a value indicating the anchor style. Gets or sets a boolean value indicating whether the shape point is locked. Initializes a new instance of the ShapePoint class. Initializes a new instance of the ShapePoint class from the X and Y coordinates of the point. Initializes a new instance of the ShapePoint class from a Point structure. Initializes a new instance of the ShapePoint class using a ShapePoint instance. Creates a Bezier curve between the current point and the point given as a parameter. Gets or sets the first control point. Gets or sets the second control point. Exposes the line direction. Exposes the line position. Indicates horizontal position. Indicates vertical position. Represents element shape converter. Represents round rectangle shape. Initializes a new instance of the RoundRectShape class. Initializes a new instance of the RoundRectShape class using a radius. Greates round rectangle like path. Serializes properties. Required for telerik serialization mechanism. Deserializes properties. Required for telerik deserialization mechanism. Gets or sets the radius of the shape. Defaults Dimensions base class Interface that sizable objects implement. Gets and sets auto size mode. Gets and sets height value. Gets and sets width value. Gets and sets margins. Gets and sets paddings. Specifies the margins properties Specifies the paddings properties Gets if Height property should be serializable. If Height property should be serializable. Reset Height to default value. Gets if Width property should be serializable. If Width property should be serializable. Gets if Width property should be serializable. If Width property should be serializable. Create new instance of Dimensions class. Container element Create new instance of Dimensions class. Create new instance of Dimensions class. Width of element Height of element Create new instance of Dimensions class. Width of element Height of element Create new instance of Dimensions class. Margins of element Create new instance of Dimensions class. Paddings of element Create new instance of Dimensions class. Margins of element Paddings of element Container element. Copy of this object. Resets to default values Checks if objects are equal without margins and paddings. Object to compare If objects are equal without margins and paddings Sets the new Width and Height values Width of element Height of element Sets the new Width and Height values Width of element Height of element Copy dimensions from the object. Object tot copy from. Comparing of two objects. Object to compare with. Whether objects are equal. Gets hash code. Hash code. Returns True if dimensions width and height are zero values True if dimensions width and height are zero values Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Clone this object. New instance of Dimensions class with the same fields as this object. Track ViewState. Load data from ViewState. ViewState with data Save data to ViewState. Saved data Gets and sets Auto sizing mode True if auto size, false - if not. Specifies the height property Height value of Unit type. Specifies the width property Width value of Unit type Specifies the margins properties Margins for element Specifies the paddings properties Paddings for element Gets property value by name. Name of property. Value of property. Specific series point marks dimensions Create new instance of DimensionsSeriesPointMark class. Container element. Create new instance of DimensionsSeriesPointMark class. Resets Height to default values Resets Width to default values Resets to default values Clone this object. New instance of DimensionsSeriesPointMark class with the same fields as this object. Specifies Height of element. Specifies Width of element. Specifies margins of element. Specifies paddings of element. Chart title's dimensions Create new instance of DimensionsTitle class. Reset to default values. Specifies margins of element. Specifies paddings of element. Default plot area's dimensions Create new instance of DimensionsPlotArea class. Reset to default settings Specifies margins of element. Chart's dimensions Reset Height to default settings Reset Width to default settings Default height Default width Reset to default settings Specifies Height of element Specifies Width of element Legend's dimensions Create new instance of DimensionsLegend Reset to default settings Specifies margins of element Specified paddings of element Marker's default dimensions Create new instance of DimensionsMarker class. Container element Create new instance of DimensionsMarker class. Create new instance of DimensionsMarker class. Width of element Height of element Reset Height to default settings Reset Width to default settings Reset to default settings Specifies paddings of element Gets and sets Auto size mode of element Specifies height of element Specifies width of element PointMark's default dimensions Clone this object. New instance of DimensionsPointMarker class with the same fields as this object. Specifies margins of element Empty values representation mode Empty value Empty value point appearance Line, Spline, Bezier series line style Specifies an empty bar fill style Create new instance of EmptyValue class. Reset all settings to default. Clone this object. New instance of the object EmptyValue with the same fields as this object has. Track ViewState. Load data from ViewState. ViewState with data Save data to ViewState. Saved data. Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Gets and sets Empty values representation mode Gets and sets Empty line style Gets and sets Empty value point mark Specifies an empty bar fill style User-defined figure Creates new instance of CustomFigure class. Creates new instance of CustomFigure class. Name of figure Data in string format used for figure creation Gets String representation String representation Gets and sets Figure's name Name of figure Gets and sets Figure's source Data in string format needed to restore object Custom figures collection Gets or sets a custom figures collection item. Index to get figure Figure at specified index Gets or sets a custom figures collection item. Name of figure to get Figure with specified name Adds a custom figure to the collection. Figure for adding Adds an array of figure items to the figures collection. Figures for adding Indicates whether the specified figure item exists in the collection. Figure name Whether the specified figure item exists in the collection or not Returns the index of the specified figure item. Name of figure Index of figure with specified name Removes figure with specified name Name of figure Default figures' names List of default figures' names Gets whether list contains figure with specified name Name of figure Whether list contains figure with specified name or not Get graphics path of figure with specified name Name of figure Graphics path Create graphics path for star figure Count of points in star Rectangle of star figure Ratio Graphics path of star figure Default figures List of figures Create new instance of FiguresCollection class. Create new instance of FiguresCollection class. Chart to add figures into collection Add list of figures into collection List of figures Add figure with specified name Name figure for adding Gets graphics path of figure with specified name Name of figure Graphics path Gets graphics path of figure with specified name in chart's custom figures Name of figure Chart with custom figures Graphics path Gets list of figures Specifies the direction of a linear gradient. Fill settings Specifies the blend colors for Gradient fill Create new instance of FillSettings class. Container object Create new instance of FillSettings class. Constructor for FillSettings for the Linear gradient fill mode Linear gradient fill mode Linear gradient fill angle Specifies the blend colors for Gradient fill Constructor for FillSettings for the Hatch fill mode Hatch style Constructor for FillSettings for the Image fill mode Image mode Image path Alignment of image Flip mode Container element Reset to default values Get background image of chart Chart to get image Image from resources Clone this object New instance of FillSettings class with the same fields as this object. Comparing two objects. Object for comparing Whether objects are equal or not Gets hash code Hash code Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Specifies the Linear gradient fill mode Specifies the Linear gradient fill angle Specifies the blend colors for Gradient fill Specifies the style of hatch fill type Specifies how image should be drawing Specifies the URL of Image file Specifies the Image align mode Specifies the image flip settings Gets property value by name Name of property Value of property Vertical gradient default fill settings Reset values to default Specifies the Linear gradient fill mode Fill style base class Fill settings Create new instance of FillStyle class. Create new instance of FillStyle class. Container element Create new instance of FillStyle class. Main color Create new instance of FillStyle class. Main color Second color Create new instance of FillStyle class. Main color One of FillType values(Solid, Gradient, ComplexGradient, Image,Hatch) Create new instance of FillStyle class. Main color Second color One of FillType values(Solid, Gradient, ComplexGradient, Image,Hatch) Create new instance of FillStyle class. Main color Second color Fill settings Specifies whether gamma correction should be used One of FillType values(Solid, Gradient, ComplexGradient, Image,Hatch) Container element Reset to default settings Clone of this object New instance of FillStyle class with the same fields as this object Comparing of two objects Object to compare Whether objects are equal or not Gets hash code Hash code Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Gets and sets the main color of figure background Gets and sets the second color of figure background Gets and sets fill settings Gets and sets the main color opacity coefficient Gets and sets the second color opacity coefficient Specifies whether gamma correction should be used Specifies which of fill styles (Hatch, Solid, Image, Gradient) should be used Gets value of property by its name Name of property Value of property Series fill style FillStyleSeries with default settings Create new instance of FillStyleSeries class. Create new instance of FillStyleSeries class. Container element(series) Reset to default values Gets or sets the color of the data series. Gets or sets the color of the data series. Series points fill style Create new instance of FillStyleSeriesPoint class. Container element Create new instance of FillStyleSeriesPoint class. Reset to default values Chart's background fill style Create new instance of FillStyleChart class. Reset to default values Specifies which of fill styles (Hatch, Solid, Image, Gradient) should be used Gets or sets the color of the data series. Create new instance of FillStylePlotArea class. Default value of Main color Default value of Second color Reset to default values Chart plot area main color Chart plot area second color Specifies which of fill styles (Hatch, Solid, Image, Gradient) should be used Title's background fill style Reset to default values Chart title main color Specifies which of fill styles (Hatch, Solid, Image, Gradient) should be used Marked zone fill style Reset to default values Chart marked zone main color Specifies which of fill styles (Hatch, Solid, Image, Gradient) should be used Fill types listing Element is filled by one color. Element is filled by two color. Element is filled by colors at specified positions. Element is filled by Hatch type(standard). Element is filled by image. Image is located at Top of element. Image is located at Bottom of element. Image is located at Right of element. Image is located at Left of element. Image is located at Center of element. Image is located at TopRight of element. Image is located at TopLeft of element. Image is located at BottomRight of element. Image is located at BottomLeft of element. Image is aligned by specified alignment. Stretch image. Flip image. Fill element by image that repeats by X and Y. Fill element by image that flips by X. Fill element by image that flips by Y. Fill element by image that flips by X and Y. Interface that objects with position implement. Gets position. Specifies how marker and text block are situated related to each other. Marker at left, TextBlock - at right Marker at right, TextBlock - at left Marker at top, TextBlock - at bottom Marker at bottom, TextBlock - at top Marker and TextBlock use Position-AlignedPosition. Default value. Base class for a chart Margins and Paddings Container element Creates new instance of LayoutDecoratorBase class. Container element Creates new instance of LayoutDecoratorBase class. Creates new instance of LayoutDecoratorBase class. Container element Top side Right side Bottom side Left side Creates new instance of LayoutDecoratorBase class. Top side Right side Bottom side Left side Creates new instance of LayoutDecoratorBase class. Top side Right side Bottom side Left side Creates new instance of LayoutDecoratorBase class. Value in pixels or percents of all sides Reset to default settings. Set value in pixels or percents of all sides Value in pixels or percents of all sides Checks whether objects are equal Object to compare Result of comparing Gets hash code Hash code Operator comparing First object for comparing Second object for comparing Result of comparing Operator not equal First object for comparing Second object for comparing Whether objects are not equal Clone this object New instance of LayoutDecoratorBase class with the same fields as this one Copy fields from object Object to copy from Sets the left side in pixels or percents of the chart's width. Sets the right side in pixels or percents of the chart's width. Sets the top side in pixels or percents of the chart's height. Sets the bottom side in pixels or percents of the chart's height. Base appearance settings for any element being calculated Base style class Specifies the shadowStyle property Specifies the border for style Style container object Chart style related to Creates new instance of Style class. Container object element Creates new instance of Style class. Creates new instance of Style class. Style border Creates new instance of Style class. Style border Visibility Creates new instance of Style class. Style border Visibility Shadow style Gets element visibility Element visibility to check Visibility of the specified element Reset settings to default Set pixels value to width and height properties of element Element to calculate pixel values Container of element Set pixels value to width and height properties of element Element to calculate pixel values Container's width Container's height Set pixels value to width and height properties of element's dimensions Element's dimensions Container's width Container's height Calculate bounds of element depend on its rotation and previous dimensions Dimensions of element Rotation angle Clone this object Cloned object Gets property value of element by name Element to get property Property name Property value of specified element Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState to load data Save data to ViewState Saved data Specifies the border style Specifies the shadow settings Specifies visibility Gets property value by name Name of property Value of property Specifies chart style related to Position of element Dimensions of element Creates new instance of LayoutStyle class. Container object Creates new instance of LayoutStyle class. Position of element Creates new instance of LayoutStyle class. Dimensions of element. Creates new instance of LayoutStyle class. Position of element Dimensions of element. Creates new instance of LayoutStyle class. Border of element Visibility of element Shadow Position Dimensions Reset to default settings Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Specifies the elements Position property Specifies the elements Dimensions property Border style Style container object Determines whether this instance is visible. true if this instance is visible; otherwise, false. Creates new instance of StyleBorder class Container object Creates new instance of StyleBorder class Creates new instance of StyleBorder class Border visibility Creates new instance of StyleBorder class Border color Creates new instance of StyleBorder class Border color Border width Creates new instance of StyleBorder class Border color Border width Border PenStyle Reset to default settings Compare two objects Object tot compare Result of comparing Gets hash code Hash code Clone this object Object with the same fields as this one Specifies the line color property Specifies the pen style property Specifies the width property Visibility Gets property value by name Name of property Value of property Common lines style Creates new instance of LineStyle class Container object Creates new instance of LineStyle class Creates new instance of LineStyle class Line visibility Creates new instance of LineStyle class Line color Creates new instance of LineStyle class Line color Line width Creates new instance of LineStyle class Line color Line width Line PenStyle Creates new instance of LineStyle class Line color Line width Line PenStyle Line end cap Reset to default settings Compare two objects Object tot compare Result of comparing Gets hash code Hash code Clone this object Object with the same fields as this one Specifies the end cap property Specifies the start cap property Gets property value by name Name of property Value of property Line series specific style Line series color Reset to default settings Gets or sets the width of the series line. Width of line Gets or sets PenStyle of the series line PenStyle of line Checks if line belongs to StyleEmptyLineSeries class. Gets or sets color of the series line Color of line Line series visibility (same as Series.Visible) Visibility of line Empty Line series specific style Reset to default settings Gets or sets color of the series line Color of line Gets or sets PenStyle of the series line PenStyle of line Series border specific style Creates new instance of StyleSeriesBorder class. Series object Reset to default settings Gets or sets PenStyle of the series border PenStyle of line Gets or sets color of the series border Color of line Title border specific style Legend border specific style Reset to default settings Gets and sets border color Legend's border color Chart border specific style Reset to default settings Gets and sets border color Chart's border color Data table's border specific style Reset to default settings Gets and sets border color DataTable's border color Series item label connector line specific style Creates new instance of StyleItemLabelConnector class. Reset to default settings Gets and sets item label connector's color Item label connector'scolor Scale breaks line specific style Reset to default settings Gets and sets ScaleBreak's color ScaleBreak's color Margins base class Creates new instance of ChartMargins class. Container object Creates new instance of ChartMargins class. Creates new instance of ChartMargins class. Container object Top margin in pixels or percents Right margin in pixels or percents Bottom margin in pixels or percents Left margin in pixels or percents Creates new instance of ChartMargins class. Top margin in pixels or percents Right margin in pixels or percents Bottom margin in pixels or percents Left margin in pixels or percents Creates new instance of ChartMargins class. Top margin in pixels Right margin in pixels Bottom margin in pixels Left margin in pixels Creates new instance of ChartMargins class. Value to set for all margins Implicitly creates a new instance of ChartMargins from the specified string. The string to parse New instance of ChartMargins from the specified string Converts the specified string to an instance of ChartMargins. The string to convert from. New instance of ChartMargins from the specified string Converts the specified string to an instance of ChartMargins. The string to convert from. Culture info New instance of ChartMargins from the specified string Title's margins Creates new instance of ChartMarginsTitle class. Reset to default settings Sets the right margin in pixels or percent of the chart's width. Sets the top margin in pixels or percent of the chart's height. Sets the bottom margin in pixels or percent of the chart's height. Sets the left margin in pixels or percent of the chart's width. Plot area's margins Creates new instance of ChartMarginsPlotArea class. Reset to default settings Sets the left margin in pixels or percent of the chart's width. Sets the right margin in pixels or percent of the chart's width. Sets the top margin in pixels or percent of the chart's height. Sets the bottom margin in pixels or percent of the chart's height. Legend's margins Creates new instance of ChartMarginsLegend class. Reset to default settings Sets the right margin in pixels or percent of the chart's width. Specifies a horizontal drawing Specifies a vertical drawing Not set Full auto resizing by contents Horizontal auto resizing by contents Vertical auto resizing by contents No auto resizing Base paddings class Creates new instance of ChartPaddings class. Container element Creates new instance of ChartPaddings class. Creates new instance of ChartPaddings class. Container object Top padding in pixels or percents Right padding in pixels or percents Bottom padding in pixels or percents Left padding in pixels or percents Creates new instance of ChartPaddings class. Top padding in pixels or percents Right padding in pixels or percents Bottom padding in pixels or percents Left padding in pixels or percents Creates new instance of ChartPaddings class. Top padding in pixels Right padding in pixels Bottom padding in pixels Left padding in pixels Creates new instance of ChartPaddings class. Value to set for all paddings Implicitly creates an instance of ChartPaddings class from the specified string. The string to parse Instance of ChartPaddings class from the specified string Converts the specified string to an instance of ChartPaddings class. The string to convert from. Instance of ChartPaddings class from the specified string Converts the specified string to an instance of ChartPaddings class. The string to convert from. Culture info Instance of ChartPaddings class from the specified string Chart title's paddings Creates new instance of ChartPaddingsTitle class. Reset to default values Specifies the left padding Specifies the right padding Specifies the top padding Specifies the bottom padding Chart title's paddings Creates new instance of ChartPaddingsLegend class. Reset to default values Specifies the top padding Specifies the right padding Specifies the bottom padding Specifies the left padding User-defined palettes collection Create new instance of CustomPalettesCollection class. Indicates whether the specified palette item exists in the collection. Name of palette Whether the specified palette item exists in the collection Returns the index of the specified palette item. Name of palette Index of the specified palette item Removes palette with specified name from collection Name of palette Returns a reference to the Palette object at the specified index. Index to get palette Palette at specified index Returns a reference to the Palette object by the specified name. Name of palette Palette object with specified name Series color palette. Used for an automatic series items colors assignment Palette items collection that palette contains Create new instance of Palette class. Create new instance of Palette class. Name of palette Create new instance of Palette class. Name of palette Main colors of palette items Second colors of palette items Create new instance of Palette class. Name of Palette Additional colors of palette Create new instance of Palette class. Name Colors of items If true than second and main colors are equal Fill items collection from two color arrays Main colors of items Second color of items Gets palette item with specified index Index where palette item should be get Palette item Gets string representation String representation Clone this object New instance with the same fields as this one Track ViewState Load data from ViewState ViewState data Save data into ViewState Saved data Gets and sets Palette item at specified index Index to get palette item Palette item at specified index Palette item Gets Palette Items Collection Specifies the palette name Palette name Palette item Defines arrays of colors and positions used for interpolating color blending Create new instance of PaletteItem class. Create new instance of PaletteItem class. Colors with positions Create new instance of PaletteItem class. Name of item Colors with positions Create new instance of PaletteItem class. Name of item Main color of item Second color of item Create new instance of PaletteItem class. Main color of item Second color of item Reset all settings to default Gets string representation String representation Track ViewState Load data from ViewState ViewState with data Save data into ViewState Saved data Clone this object New instance with fields equal to these ones Defines arrays of colors and positions used for interpolating color blending Specifies the main color for palette item Main color of item Specifies the second color for palette item Second color of item Specifies the name for palette item Name of item Palette items collection Create new instance of PaletteItemsCollection class. Gets Palette item at specified index Index to get palette item Palette item at specified index Default palettes Default color palettes listing Creates object of PalettesCollection class Returns default palette by name Name of palette Checks whether palette name exist in default palettes list Name of palette Whether palette name exist in default palettes list or not Returns custom palette by name Name of palette Chart to get custom palettes Direction of label position in auto mode Horizontal label's direction Vertical label's direction Represents the element position in the container Contains elements' calculated position X for speed optimization Contains elements' calculated position Y for speed optimization Contains True if calculation of Positions is needed Copy of positions Manages design-time serialization of X True if value should be serialized Reset X coordinate to default Manages design-time serialization of Y True if value should be serialized Reset Y coordinate to default Creates an instance of Position class. Container element Creates an instance of Position class. Creates an instance of Position class. X coordinate Y coordinate Creates an instance of Position class. Aligned position of element Creates an instance of Position class. Aligned position of element X coordinate Y coordinate Container element Reset to default settings Resets the cached position Aligned Positions correction for AutoLayout Determines whether the specified System.Object is equal to the current System.Object. Object to compare Result of comparing Gets hash code Hash code Clone this object Cloned object Defines if position is Top (Top, TopLeft, TopRight, None) Defines if position is Bottom (Bottom, BottomLeft, BottomRight) Defines if position is Left (Left, BottomLeft, TopLeft) Defines if position is Right (Right, TopRight, BottomRight) Defines if position is None Gets and sets copy of positions Positions to copy Automatic positioning Specifies aligned position in comprehensive figure Specifies the X coordinate of the figure position Specifies the Y coordinate of the figure position Gets value of property by name Property name Object Gets and sets X calculated position used for speed optimization Gets and sets Y calculated position used for speed optimization Defines whether position coordinates were already calculated Specific Position object with predefined AlignedPosition.Center Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.Top Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.Bottom Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.TopLeft Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.Right Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.TopRight Reset to default settings Specifies aligned position in comprehensive figure Specific Position object with predefined AlignedPosition.Left Reset to default settings Specifies aligned position in comprehensive figure Represents the custom property attribute used to mark property as skinable and being used with a skin application Defines whether attribute is skinable Create new instance of SkinnablePropertyAttribute class. Gets whether attribute is skinable XML document to save and load style data Should serialize all properties or only that have skinable property attributes Save specified object to XML Object which properties should be save to XML Saved XML text Serialize properties to XML Object which properties should be save to XML Elemnt created in XML Serialize properties to XML Object which properties should be save to XML Name that created element in XML should have Elemnt created in XML Serialize specified property to XML Abstraction of property style Parent element Object which properties should be save to XML Serialize complex object Abstraction of property style Parent element Object which properties should be save to XML Load elements and properties from XML String that contains XML representation of the object Object which properties should be load from XML Deserialize element from XML Root element Object which properties should be load from XML Deserialize property from XML Abstraction of property on a one of styles class Property element that should be deserialized Object which properties should be load from XML Deserialize element of ColorBlend type Root element ColorBlend object High index limit for which deserialization should take place Checks if property has default value Abstraction of property on a one of styles class Style container object Whether property has default value or not Gets the default value for specified property Abstraction of property on a one of styles class Default value Gets the default value for specified property Abstraction of property on a one of styles class Style container object Default value Gets and sets XML document Should serialize all properties or only that have skinable property attributes Shadow settings Create new instance of ShadowStyle class. Create new instance of ShadowStyle class. Shadow color Shadow blur Shadow distance Shadow position Reset to default settings Comparing of two objects Object to compare Result of comparing Gets hash code Hash code Clone this object New instance with the same fields as this one Specifies the shadow color property The main color opacity coefficient Specifies the shadow position property Specifies the shadow blur property Specifies the shadow distance property Common shadow settings Chart shadow related to Create new instance of ShadowStyleChart class. Parent chart element Sets blur for all chart elements Blur to set Sets position for all chart elements Position to set Sets distance for all chart elements Distance to set Sets color for all chart elements Color to set Specifies the shadow blur property Specifies the shadow color property Specifies the shadow distance property Specifies the shadow position property Shadow rendering support class Draw shadow for line Chart graphics object Pen used for line shadow Points that create line's path Type of line(0-Line, 1-Bezier, 2-Spline) Width of line PlotArea's width PlotArea's height Shadow's distance Shadow's color Shadow's blur Shadow's position type Draw shadow for line Chart graphics object Pen used for line shadow Line's path Line's width PlotArea's width PlotArea's height Shadow's distance Shadow's color Shadow's blur Shadow's position type Set shadow start point position by shadowPosition parameter and shadowDistance Shadow's position type Calculated shadow position Shadow's distance Corrected shadow position depended on distance and position type Draws shadow for polygon ChartSeries that contains shadow style Garphics path of polygon ChartGraphics object PlotArea's width PlotArea's height Draw shadow for polygon ChartSeries that contains shadow style Points that form polygon ChartGraphics object PlotArea's width PlotArea's height Draw shadow for polygon Garphics path of polygon ChartGraphics object PlotArea's width PlotArea's height Shadow's distance Shadow's color Shadow's blur Shadow's position type Draw shadow for polygon Points that form polygon ChartGraphics object PlotArea's width PlotArea's height Shadow's distance Shadow's color Shadow's blur Shadow's position type Method creates shadow for path, based on shadow parameters and Gaussian blur logic for render shadow Path, that describe a figure Brush, that used for drawing a shadow (define shadow color and transparency) Pen, that used for drawing a shadow Distance from object to it shadow Blur coefficient Size for image, that contain shadow Draw figure type Image that contains shadow with blur Creates pixels array from image using managed code Source bitmap to get pixels Weight of bitmap Height of bitmap Pixels colors Creates pixels array from image using unmanaged code Data about bitmap locked in memory Weight of bitmap Height of bitmap Pixels colors Creates pixels array from image Source bitmap to get pixels Data about bitmap locked in memory Weight of bitmap Height of bitmap Can unmanaged code be used Pixels colors Updates image from pixels array Source bitmap to get pixels Pixels colors Blur top point Blur height Blur left point Blur width Pixels colors as one-dimensioned array Weight of bitmap Height of bitmap Data about bitmap locked in memory Can unmanaged code be used Updates image from pixels array using managed code Source bitmap to get pixels Pixels colors Blur top point Blur height Blur left point Blur width Pixels colors as one-dimensioned array Weight of bitmap Height of bitmap Updates image from pixels array using unmanaged code Source bitmap to get pixels Pixels colors Blur top point Blur height Blur left point Blur width Pixels colors as one-dimensioned array Weight of bitmap Height of bitmap Data about bitmap locked in memory Gaussian blur algorithm for bitmap image Image, that can be degraded Blur coefficient Degraded bitmap Blur rectangle Blur image Support function for blur, generate one dimensional array with coefficients Blur coefficient Array with blur coefficients Sets pixels colors to image Image to set pixels colors Pixels colors as two-dimensioned array Blur top point Blur height Blur left point Blur width Pixels colors as one-dimensioned array Image width Image height Types for drawing figures Only lines Only fills Lines and fills Describe a 4-byte color and functionality that works with color and byte arrays Red channel Green channel Blue channel Alpha (transparency) channel Create new instance of BColor class Red component Green component Blue component Transparency channel New instance of BColor class Create new instance of BColor class New instance of BColor class Create new instance of BColor class Red channel value Green channel value Blue channel value Alpha (transparency) channel value Convert BColor object to string representation String Get pixels colors from image Iamge to get pixels Width of image Height of image Pixels colors from image Transform one dimensional byte array to two dimensional BColor array, that describe the image Array of 4 channel image bytes Image width Image height Two dimensional BColor array, that describe the image Convert two-dimensioned array of pixels colors to one-dimensioned array Two-dimensioned array of pixels colors Top Height Left Width One-dimensioned array of pixels colors Pixels colors represented as one-dimensioned array each four elements of it contain information about pixel color(r,g,b,a) Two-dimensioned array of pixels colors Top Height Left Width Pixels colors as one-dimensioned array Image height Image width Possible shadow positions listing Assign the right position for shadow Assign the left position for shadow Assign the top position for shadow Assign the bottom position for shadow Assign the top right position for shadow Assign the top left position for shadow Assign the bottom right position for shadow Assign the bottom left position for shadow Assign the behind position for shadow Chart skin Skin name XML document that contains skin properties. Create new instance of ChartSkin class. Create new instance of ChartSkin class with specified name. Name of skin. Create new instance of ChartSkin class. XML document that contains skin properties. Checks if skin is not specified for chart. Skin name Whether skin is not specified for chart or not Applies skin to given chart Chart to apply skin Grabs skin from given chart Chart to get skin Skin name Gets and sets skin name. Name of skin Gets and sets XML document that contains skin properties. Chart skins collection A strongly-typed resource class, for looking up localized strings, etc. Skins listing. New skin name should be added here Resource that holds skins. Gets the names of the skins in the collection. Names of skins in collection. Resource manager. Provides information about resource. Returns the cached ResourceManager instance used by this class. Overrides the current thread's CurrentUICulture property for all resource lookups using this strongly typed resource class. Embedded background images for skins. A strongly-typed resource class, for looking up localized strings, etc. Get image with specified name of specified skin. Name of image. Skin name. Image from resource Resource manager. Provides information about resource. Returns the cached ResourceManager instance used by this class. Overrides the current thread's CurrentUICulture property for all resource lookups using this strongly typed resource class. Chart background image of Inox skin. Chart background image of Mac skin. Chart background image of Marble skin. Chart background image of Metal skin. Chart background image of Wood skin. PlotArea background image of Inox skin. PlotArea background image of Marble skin. PlotArea background image of Metal skin. Possible style properties Axis appearance Specifies the orientation property Default style for axis label Default axis items text properties style Axis minor ticks style Axis major ticks style Major Grid Lines options Minor Grid Lines options Reset to default settings Creates new instance of StyleAxis class Axis related to Creates new instance of StyleAxis class Creates new instance of StyleAxis class Axis orientation Creates new instance of StyleAxis class Axis orientation Axis related to Creates new instance of StyleAxis class Axis orientation Visibility of axis Creates new instance of StyleAxis class Axis orientation Visibility of axis Axis orientation Creates new instance of StyleAxis class Axis orientation Visisbility of axis Line style of axis Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Major Grid Lines options Minor Grid Lines options Specifies the orientation property Color of Axis Specifies the axis visibility option Specifies a predefined numerical format string. Default style for all axis items ChartAxis minor ticks style ChartAxis major ticks style Specifies a custom numerical format string. Specifies the width of the axis. Common axis items labels text blocks settings Gets property value by name Name of property Value of property Y axis specific style Creates new instance of StyleAxisY class Axis related to Reset to default settings Specifies the orientation property X axis specific style Creates new instance of StyleAxisX class Axis related to Reset to default settings Specifies minor ticks options Specifies major ticks options Specifies the orientation property Specifies the quality at which text is rendered. Specifies that each character is drawn using its glyph bitmap, with the system default rendering hint. The text will be drawn using whatever font smoothing settings the user has selected for the system. Specifies that each character is drawn using its glyph bitmap. Hinting is not used. Specifies that each character is drawn using its glyph bitmap. Hinting is used to improve character appearance on stems and curvature. Specifies that each character is drawn using its anti aliased glyph bitmap without hinting. Better quality due to anti aliasing. Stem width differences may be noticeable because hinting is turned off. Specifies that each character is drawn using its anti aliased glyph bitmap with hinting. Much better quality due to anti aliasing, but at a higher performance cost. Specifies that each character is drawn using its glyph CT bitmap with hinting. The highest quality setting. Used to take advantage of ClearType font features. Specifies the quality at which image is rendered. Specifies the default mode. Specifies anti aliased rendering. Specifies high quality, low speed rendering. Specifies no anti aliasing. Main chart appearance settings Specifies the corners for background rectangle Specifies the background property Creates new instance of StyleChart class. Chart related to. Creates new instance of StyleChart class. Chart dimensions FillStyle of chart Corners of chart Chart border style Chart shadow style Visibility of chart Reset to default settings Clone this object Cloned object Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewSatate with data Save data to ViewState Saved data Determines the width of bars. Determines how much of the bar's area is overlapped in multiple bar charts. Specifies the quality at which text in chart is rendered. Specifies the quality at which chart image is rendered. Specifies the corners for background rectangle Specifies the background property Specifies the figure property Gets visibility of chart Gets positions Gets property value by name Name of property Value of property DataTable appearance settings Specifies the background property Specifies the text properties Specifies the corners for background rectangle Style parent object Creates a new instance of StyleChartDataTable class. Creates a new instance of StyleChartDataTable class. Parent element Creates a new instance of StyleChartDataTable class. DataTable's dimensions DataTable's fillStyle DataTable's position DataTable's textProperties DataTable's border DataTable's shadowStyle DataTable's visiblity Reset to default settings Save DataTable's dimensions Save DataTable's dimensions and positions for auto layout Restore dimensions Restore margins Clone this object Cloned object Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Specifies DataTable visibility Specifies data table cell width Specifies data table cell height Specifies data table rendering type Should horizontal lines be rendered Should vertical lines be rendered Hide/show all lines Specifies text vertical alignment Specifies text horizontal alignment Specifies the figure property Specifies the background property Specifies text wrap property for texts in Data Table Specifies the text properties Specifies RadChart's styles for the grid lines layout. Sets normal grid lines. Sets expanded grid lines. Grid line specific style Checks whether grid line be rendered or not Reset to default settings Should grid lines be hidden with axis or not Default value is true Gets or sets the width of the grid line. Specifies the pen style used for grid lines' drawing. Specifies the color of the grid lines. Reset to default settings Gets and sets grid lines' visibility Reset to default settings Reset to default settings Specifies the pen style used for grid lines' drawing. Base label appearance style Specifies the corners for background rectangle Specifies the background property Specifies that style has container object Creates new instance of StyleLabel class. Style container element Creates new instance of StyleLabel class. Creates new instance of StyleLabel class. FillStyle of label Creates new instance of StyleLabel class. Label's position Creates new instance of StyleLabel class. FillStyle of label Label's position Creates new instance of StyleLabel class. FillStyle of label Label's position Label's dimensions Creates new instance of StyleLabel class. FillStyle of label Corners of label Label's position Label's dimensions Creates new instance of StyleLabel class. CompositionType to specify textblock and marker positions Label's dimensions Label's figure FillStyle of label Label's position Rotation angle Corners of label Label's border Shadow style of label Label's visibility Reset to default settings Copy dimensions Restore saved dimensions value Restore margins initial value Save dimensions and positions for autolayout Clone this object Cloned object Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Specifies the corners for background rectangle Specifies the background property Specifies the figure property Specifies the rotation angle property Specifies the label's items composition type Specifies tha label's visibility Specifies that style has container object Gets property value by name Name of property Property value Creates new instance of StyleLabelHidden class. Container element Creates new instance of StyleLabelHidden class. Creates new instance of StyleLabelHidden class. FillStyle of label Creates new instance of StyleLabelHidden class. Label's position Creates new instance of StyleLabelHidden class. FillStyle of label Label's position Creates new instance of StyleLabelHidden class. FillStyle of label Label's position Label's dimensions Reset to default settings Specifies tha label's visibility Specifies label item's style Specifies label item's marker's style Specifies label item's textblock's style Creates new instance of StyleExtendedLabel class Container element Creates new instance of StyleExtendedLabel class Creates new instance of StyleExtendedLabel class FillStyle of label Creates new instance of StyleExtendedLabel class Position of label Creates new instance of StyleExtendedLabel class FillStyle of label Position of label Creates new instance of StyleExtendedLabel class FillStyle of label Position of label Label's dimensions Creates new instance of StyleExtendedLabel class Composition type of label items Label's dimensions Label's figure Label's fillstyle settings Layout of label items Label's position Label's rotation angle Label's corners Label's border Label's shadow style Label's visibility Dispose object Clone this object Cloned object Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Specifies label location (InsidePlotArea, OutsidePlotArea) Specifies item label's style Specifies item label's text's style Specifies item label's marker's style Specifies the behavior when overflow occurred Specifies the series names format shown in Legend when data grouping being used and names are digits. Supported format strings as "#VALUE" / "#NAME" Series item appearance style Style of connector line Specifies that style has container object Creates new instance of StyleSeriesItemLabel class. Creates new instance of StyleSeriesItemLabel class. Style container element Reset to default settings Clone this object Cloned object Track ViewState Load data from ViewState ViewState with data Save data to ViewState Saved data Label distance from series when LabelLocation equals Auto Specifies labels' visibility Gets label's connector's style Specifies label's layout Gets property value by name Name of property Value of property Inside item Outside item Auto Inside PlotArea location Outside PlotArea location Legend appearance style Creates new instance of StyleLabelLegend class. Reset to default settings Save dimensions and positions for AutoLayout Gets label's figure Specifies label's overflow Axis label style Creates new instance of StyleAxisLabel class. Reset to default settings Axis label style Reset to default settings Specifies label's rotation angle Chart title style Creates new instance of StyleLabelTitle class. Creates new instance of StyleLabelTitle class. Style container object Reset to default settings Save dimensions and positions for AutoLayout Empty series message style Creates new instance of StyleLabelEmptySeriesMessage class. Reset to default settings Specifies label' visibility Marked zone. Used to mark the values ranges at the plot area. Specifies the FillStyle property Creates a new instance of StyleMarkedZoneclass. Creates a new instance of StyleMarkedZoneclass. FillStyle of Marked Zone Marked Zone's border Marked Zone's shadow style Visibility of Marked Zone Reset to default settings Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Specifies the FillStyle property Get property value by name Name of property Value of property Base marker's style Specifies the corners of background rectangle Specifies the FillStyle property Creates a new instance of StyleMarker class. Style container object Creates a new instance of StyleMarker class. Creates a new instance of StyleMarker class. Marker's figure name Creates a new instance of StyleMarker class. Marker's figure name Width and height of marker Creates a new instance of StyleMarker class. Marker's figure name Dimensions of marker Marker's fillstyle settings Creates a new instance of StyleMarker class. Dimensions of marker Marker's figure name Marker's fillstyle settings Marker's positions Marker's rotation angle Corners of marker Border of marker Marker's shadow style Marker's visibility Reset to default settings Comparing of two objects Object to compare Result of comparing Gets hash code Hash code Clone this object Cloned object Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Specifies marker's visibility Specifies the corners of background rectangle Specifies the FillStyle property Specifies the Rotation angle Specifies the Figure property Gets property value by name Name of property Value of property Specific series point markers style Creates a new instance of StyleMarkerSeriesPoint class. Series that is style container object Creates a new instance of StyleMarkerSeriesPoint class. Specifies marker's positions Specifies marker's visibility Specifies Figure Specific series point markers style Creates a new instance of StyleMarkerLegend class. Reset to default settings Specifies marker's figure Specifies marker's visibility Specific empty point marker style Creates a new instance of StyleMarkerEmptyValue class. Reset to default settings Specifies marker's visibility Specifies marker's figure Specific empty point marker style Creates a new instance of StyleMarkerPositionNone class. Reset to default settings Specifies marker's visibility Plot area's appearance Parent element Specifies the corners for background rectangle Specifies the background property Margins for auto layout Creates a new instance of StylePlotArea class. Creates a new instance of StylePlotArea class. Dimensions of PlotArea FillStyle settings PlotArea's position Palette used in PlotArea PlotArea's corners Border of PlotArea PlotArea's shadow style PlotArea's visibility Reset to default settings Save dimensions for auto layout Save dimensions Restore previous saved dimensions Restore previous saved dimensions Restore previous saved margins Cloned this object New instance of StylePlotArea class with the same fields as this one Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Specifies parent element Specifies the corners for background rectangle Specifies the background property Specifies the figure property Specifies the series palette Gets property value by name Name of property Value of property Series appearance Default size of bubbles Default series legend display mode Specifies the corners for background rectangle Specifies the background property Default series items labels style Default series item labels' text style Point marks style Line, Spline, Bezier series line style Style of empty values Parent series element Dimensions of points in Point series Reset to default settings Constructor for Series's style Parent series element Creates new instance of StyleSeries class. Creates new instance of StyleSeries class. FillStyle of series Series default labels' settings Style of Point marker Items' corners Border of series Series' shadow style Visibility of series Cloned this object New instance of StyleSeries class with the same fields as this one Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Determines the width of bars. Specifies the corners for background rectangle Specifies the background property Specifies the shape for point series Specifies the dimensions of points in point series Specifies the Rotation angle Legend visualization mode Specifies whether the item labels should be shown or not. Specifies whether a line should be drawn between the label and the item. Gets or sets the start angle of the pie. Zero angle is identical with the X axis direction. Gets or sets the pie's diameter length according to the size of the plot area. Gets or sets the explode percent of the exploded items. Specifies the x offset of the pie center. Specifies the y offset of the pie center. Default bubble size Gets or sets the common settings for the series items labels Line, Spline, Bezier series line style Series points appearance Gets or sets the common text settings for the series items Empty value point mark Specifies the border Specifies visibility of series Series item appearance Specifies the background property Specifies the corners for background rectangle Dimensions of points in Point series Creates new instance of StyleSeriesItem class. Style container object Creates new instance of StyleSeriesItem class. Reset to default settings Cloned this object New instance of StyleSeriesItem class with the same fields as this one Track ViewState Load data from ViewState ViewState with data Saved data to ViewState saved data Specifies item's shadow Specifies the background property Exploded of item in Pie series Specifies the corners for background rectangle Specifies the figure property for point series Specifies the Rotation angle Specifies the dimensions of points in point series Text block appearance Specifies the corners of background rectangle Specifies the FillStyle property Specifies the Rotation angle Specifies the Text properties Specifiers the overflow behavior Text string formatting properties Should the MaxLength property be serialized or not True if should be serialized Sets the default value for a MaxLength property Creates a new class instance Creates a new class instance Fill style settings Creates a new class instance Fill style settings Position settings Creates a new class instance Text appearance settings Creates a new class instance Fill style settings Text appearance settings Creates a new class instance Fill style settings Position settings Text appearance settings Creates a new class instance Fill style settings Position settings Text appearance settings Dimensions Creates a new class instance Fill style settings Position settings Text appearance settings Dimensions Rotation angle Corners appearance Border settings Shadow settings Visibility settings Sets the text alignment accordingly to the AlignedPosition property value Sets the default values for a properties Creates the object's clone Clone Releases unmanaged and - optionally - managed resources true to release both managed and unmanaged resources; false to release only unmanaged resources. Tracks view state changes Loads class settings from a view state ViewState to load from Saves class data to a view state Saved view state Max number of visible characters. Rest will be truncated Full string will be added to parent label's ActiveRegion.Tooltip MaxLength property changed event Specifies the corners of background rectangle Specifies the FillStyle property Specifies the Figure property Specifies the Text properties Gets the property value by its name Name of the property. String Object Gets or sets the automatic text wrapping functionality switch Gets the string format Series item label text block's appearance Creates a new class instance Creates a new class instance Chart series Sets the default values for a properties Gets should the MaxLength value be serialized True if can be serialized, overwise returns false Sets the default value Axis item label text block's appearance Creates a new class instance Sets the default values for a properties Gets should the MaxLength value be serialized True if can be serialized, overwise returns false Sets the default value Title text block's appearance Creates a new class instance Sets the default values for a properties Error text block's appearance Creates a new class instance Sets the default values for a properties Hidden text block's default appearance Sets the default values for a properties Visibility. False by default Hidden text block's default appearance Creates a new class instance Sets the default values for a properties Base axis ticks appearance settings Creates the new class instance Creates the new class instance Tick length in pixels Creates the new class instance Tick length in pixels Tick visibility Creates the new class instance Tick length in pixels Tick visibility Tick line color Sets the default values for a class properties Specifies the Length of tick Tick line color Tick line width Gets the property by its name Property name. String Object or null Minor ticks style Creates a new class instance Creates a new class instance Minor ticks count Creates a new class instance Visibility value Creates a new class instance Minor tick visibility Minor tick length Minor ticks count between two major ticks Sets the default values for a properties Minor ticks count between the two major ticks Specifies the Length of tick Gets the property value by its name Name of the property Object or null Major ticks visual style Specifies the text rendering direction Assign the right to left text direction Assign the left to right text direction Assign the left to right top to bottom text direction Assign the left to right bottom to top text direction Base text appearance settings class (Font, Color) Creates a new class instance Creates a new class instance Text color Creates a new class instance Text color Text font Creates a new class instance Text color Font family Font size in EM Font style Graphics measurement unit Class instance container Sets the default values Creates an object clone object Determines whether the specified System.Object is equal to the current System.Object. The System.Object to compare with the current System.Object true if the specified System.Object is equal to the current System.Object; otherwise, false. Serves as a hash function for a TextProperties type. A hash code for the current class instance Specifies the text color property Specifies the text font properties Gets the property by its name Property name. String Object Default Title's text properties Sets the default values for a properties Specifies the text font properties Default value is Verdana, 15pt Errors text properties Sets the default values for a properties Specifies the text color property Specifies the text font properties Default value is Verdana, 10pt, style=Bold Axis item label text properties Sets default values for a properties Specifies the text color property Axis item label text properties Sets default values for a properties Specifies the text color property Series item label text properties Sets default values for a properties Specifies the text color property Specifies the axis Ticks location relatively to plot area Inside of plot area Outside of plot area (default value) Tick line crosses the axis line Provides a type converter to convert IList objects to and from a different representations Checks the possibility to convert from a different object type An System.ComponentModel.ITypeDescriptorContext that provides a format context. The type to convert from True if conversion is possible Converts the given object to the type of this converter, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. Current culture settings The System.Object to convert. An System.Object that represents the converted value. Returns whether this converter can convert the object to the specified type, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Type that represents the type you want to convert to. true if this converter can perform the conversion; otherwise, false. Converts the given value object to the specified type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Globalization.CultureInfo. If null is passed, the current culture is assumed. The System.Object to convert. The System.Type to convert the value parameter to. An System.Object that represents the converted value. Provides a unified way of converting Double type values to other types, as well as for accessing standard values and sub properties. Checks the possibility to convert from a different object type An System.ComponentModel.ITypeDescriptorContext that provides a format context. The type to convert from True if conversion is possible Converts the given object to the Double type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. Current culture settings The System.Object to convert. An System.Object that represents the converted value. Converts the given Double object to the specified type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Globalization.CultureInfo. If null is passed, the current culture is assumed. The System.Object to convert. The System.Type to convert the value parameter to. An System.Object that represents the converted value. Provides a unified way of converting ChartMargins type values to other types, as well as for accessing standard values and sub properties. Checks the possibility to convert from a different object type An System.ComponentModel.ITypeDescriptorContext that provides a format context. The type to convert from True if conversion is possible Converts the given object to the ChartMargins, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. Current culture settings The System.Object to convert. An System.Object that represents the converted value. Converts the given value object to the specified type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Globalization.CultureInfo. If null is passed, the current culture is assumed. The System.Object to convert. The System.Type to convert the value parameter to. An System.Object that represents the converted value. Creates an instance of the type that this MarginsConverter is associated with, using the specified context, given a set of property values for the object. An System.ComponentModel.ITypeDescriptorContext that provides a format context. An System.Collections.IDictionary of new property values. An System.Object representing the given System.Collections.IDictionary, or null if the object cannot be created. Returns whether changing a value on this object requires a call to System.ComponentModel.TypeConverter.CreateInstance(System.Collections.IDictionary) to create a new value, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. true Returns whether this object supports properties, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. true Returns a collection of properties for the type of array specified by the value parameter, using the specified context and attributes. An System.ComponentModel.ITypeDescriptorContext that provides a format context. An System.Object that specifies the type of array for which to get properties. An array of type System.Attribute that is used as a filter. A System.ComponentModel.PropertyDescriptorCollection with the properties that are exposed for this data type, or null if there are no properties. Provides a unified way of converting ChartMargins type values to other types, as well as for accessing standard values and sub properties. Checks the possibility to convert from a different object type An System.ComponentModel.ITypeDescriptorContext that provides a format context. The type to convert from True if conversion is possible Converts the given object to the ChartPaddings, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. Current culture settings The System.Object to convert. An System.Object that represents the converted value. Converts the given value object to the specified type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Globalization.CultureInfo. If null is passed, the current culture is assumed. The System.Object to convert. The System.Type to convert the value parameter to. An System.Object that represents the converted value. Creates an instance of the type that this PaddingsConverter is associated with, using the specified context, given a set of property values for the object. An System.ComponentModel.ITypeDescriptorContext that provides a format context. An System.Collections.IDictionary of new property values. An System.Object representing the given System.Collections.IDictionary, or null if the object cannot be created. Returns whether changing a value on this object requires a call to System.ComponentModel.TypeConverter.CreateInstance(System.Collections.IDictionary) to create a new value, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. true Returns whether this object supports properties, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. true Returns a collection of properties for the type of array specified by the value parameter, using the specified context and attributes. An System.ComponentModel.ITypeDescriptorContext that provides a format context. An System.Object that specifies the type of array for which to get properties. An array of type System.Attribute that is used as a filter. A System.ComponentModel.PropertyDescriptorCollection with the properties that are exposed for this data type, or null if there are no properties. Provides a unified way of converting Units type values to other types, as well as for accessing standard values and sub properties. Checks the possibility to convert from a different object type An System.ComponentModel.ITypeDescriptorContext that provides a format context. The type to convert from True if conversion is possible Returns whether this converter can convert the object to the specified type, using the specified context. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Type that represents the type you want to convert to. true if this converter can perform the conversion; otherwise, false. Converts the given object to the Unit type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. Current culture settings The System.Object to convert. An System.Object that represents the converted value. Converts the given value object to the specified type, using the specified context and culture information. An System.ComponentModel.ITypeDescriptorContext that provides a format context. A System.Globalization.CultureInfo. If null is passed, the current culture is assumed. The System.Object to convert. The System.Type to convert the value parameter to. An System.Object that represents the converted value. Specifies the unit of measurement. Measurement is in pixels. Measurement is a percentage relative to the parent element. Represents a length measurement. Represents an empty Unit. This field is read-only. Compares two Unit objects to determine whether they are not equal. The Unit on the left side of the operator. The Unit on the right side of the operator. true if the Unit objects are not equal; otherwise, false. Compares two Unit objects to determine whether they are equal. The Unit on the left side of the operator. The Unit on the right side of the operator. true if both Unit objects are equal; otherwise, false. Implicitly creates a Unit of type Pixel from the specified float. A float that represents the length of the Unit. A Unit of type Pixel that represents the specified by the n parameter. Converts the specified string to a Unit. The string to convert. A Unit that represents the specified string. Creates a Unit of type Pixel from the specified 32-bit signed integer. A 32-bit signed integer that represents the length of the Unit. A Unit of type Pixel that represents the length specified by the n parameter. Creates a Unit of type Percentage from the specified double-precision floating-point number. A double-precision floating-point number that represents the length of the Unit A Unit of type Percentage that represents the length specified by the double-precision floating-point number. Gets the string representation of the Unit type Unit type value to get string of System.String with unit type value Gets the UnitType by its string representation Unit type string UnitType Creates a class instance Creates a class instance UnitType specifies the target Unit type Initializes a new instance of the Unit with the specified double precision floating point number. A double precision floating point number that represents the length of the Unit in pixels. Initializes a new instance of the Unit with the specified double precision floating point number. A float precision floating point number that represents the length of the Unit in pixels. Initializes a new instance of the Unit with the specified 32-bit signed integer. A 32-bit signed integer that represents the length of the Unit in pixels. Initializes a new instance of the Unit with the specified 32-bit signed integer and the target type A 32-bit signed integer that represents the length of the Unit in pixels. Unit type Initializes a new instance of the Unit with the specified double precision floating point number and the target type A double precision floating point number that represents the length of the Unit in pixels. Unit type Initializes a new instance of the Unit with the specified double precision floating point number and the target type. A float precision floating point number that represents the length of the Unit in pixels. Unit type (Pixel / Percentage) Initializes a new instance of the Unit with the specified length. A string that represents the length of the Unit. Initializes a new instance of the Unit with the specified length. A string that represents the length of the Unit. CultureInfo Initializes a new instance of the Unit with the specified length. A string that represents the length of the Unit. CultureInfo Unit type Returns a hash code for this Unit. Hash code Compares this Unit with the specified object. The specified object for comparison. true if the Unit that this method is called from is equal to the specified object; otherwise, false. Gets the pixels equivalent of the Unit.Value The parent elements dimension to get the percents of Gets the pixels equivalent of the Unit.Value Creates a Unit clone New Unit class instance Base ToString override String representation of the Unit instance Base ToString override CultureInfo String representation of the Unit instance Gets whether Unit is empty The unit length in Pixels Gets or sets the unit type of the Unit. Gets or sets the length of the Unit. PlotArea scrollable mode. PlotArea will be scrollable by X axis. PlotArea will be scrollable by Y axis. PlotArea will be scrollable by both X and Y axis. PlotArea will not be scrollable. Chart client settings Gets or sets a value indicating whether the zoom assist axis markers are enabled. Gets or sets a value indicating the color of the zoom assist axis markers. Gets or sets a value indicating the size of the axis markers in pixels (size for the YAxis marker represents its width, while size for the XAxis marker -- its height). Gets or sets a value indicating whether the client-side zoom functionality is enabled. Gets or sets a value indicating the color of the zoom rectangle. Gets or sets a value indicating the opacity of the zoom rectangle. Gets or sets a value indicating the plotarea client scroll mode. Gets or sets a value indicating the YAxis scroll offset ratio. YScrollOffset accepts values between 0 and 1. Gets or sets a value indicating the XAxis scroll offset ratio. XScrollOffset accepts values between 0 and 1. Gets or sets a value indicating the plotarea scale value by Y axis. Gets or sets a value indicating the plotarea scale value by X axis. The class represents the base functionality of the RadChart. Adds a new data series to the RadChart's series collection. Creates a new instance of RadChart. Resets current chart's skin to default Loads user skin from a TextWriter object Exports current chart's settings into TextWriter object Saves the chart's state into XML file in the specified by fileName location. Path to the file Loads RadChart's settings and data from external XML file. Loads entire chart settings from a TextWriter object Exports current chart's skin into TextWriter object Removes the data series associated with the chart control. Removes all data series from the series collection without removing axis items. Removes the data series at the specified index. Gets a reference to the data series object at the specified index. Gets a reference to the data series object with the specified name. Gets a reference to the data series object with the specified color. Creates a new chart series and adds it to the series collection. Saves the chart with the specified file name. Saves the chart with the specified file name and the specified image format. Changes the DataSourceID property without DataBind method call Binds a data source to the invoked server control and all its child controls. Gets or sets a value indicating whether RadChart should automatically check for the ChartHttpHandler existence in the system.web section of the application configuration file. Set this property to false if you are running your application under IIS7 Integrated Mode and have set the validateIntegratedModeConfiguration flag that does not allow legacy HttpHandler registration under the system.web configuration section. Gets or sets a value indicating the URL to the ChartHttpHandler that is necessary for the correct operation of the RadChart control. Returns the URL of the ChartHttpHandler. The default value is "ChartImage.axd". Generally the default relative value should work as expected and you do not need to modify it manually here; however in some scenarios where url rewriting is involved, the default value might not work out-of-the-box and you can customize it via this property to suit the requirements of your application. Specifies the custom palettes for chart Chart engine Default chart series type Specifies AutoLayout mode to all items on the chart control. Specifies AutoLayout mode to all items on the chart control. Specifies the series palette Chart style Should skin override user setting or not Data management support object Collection of the chart's data series. Chart height Chart width Gets or sets RadChart's legend object. Specifies the chart's plot area. The chart title message. Enables or disables use of session. Enables or disables use of image maps. Sets folder for the chart's temp images. Gets or sets RadChart's content file path and file name. Specifies the image format in which the image is streamed. The alternate text displayed when the image cannot be shown. Specifies the custom palettes for chart Specifies the orientation of chart series on the plot area. Enables / disables Intelligent labels logic for series items labels in all plot areas. Image maps support Client-side settings. Gets or sets the ID of the control from which the data-bound control retrieves its list of data items. The DataSource object Gets or sets the object from which the chart control retrieves its list of data items Gets or sets the name of the list of data that the data-bound control binds to, in cases where the data source contains more than one distinct list of data items. Gets or sets the name of the DataSource column (member) that will be used to split one column data into several chart Series This property supports the RadChart infrastructure and is not intended for public use. A collection of ColorPickerItem objects in a RadColorPicker control. The ColorPickerItemCollection class represents a collection of ColorPickerItem objects. The ColorPickerItem objects in turn represent Colors items within a RadColorPicker control. Use the indexer to programmatically retrieve a single ColorPickerItem from the collection, using array notation. Use the Count property to determine the total number of Items in the collection. Use the Add method to add Items in the collection. Use the Remove method to remove Items from the collection. Adds colors to the palette of RadColorPicker. A collection of ColorPickerItem objects. Defines the available embedded palettes which can be used by setting the Preset property of the RadColorPicker. No palette will be set. Default palette. Standard palette. Grayscale palette. Web216 palette. ReallyWebSafe palette. Office palette. Apex palette. Aspect palette. Civic palette. Concourse palette. Equity palette. Flow palette. Foundry palette. Median palette. Metro palette. Module palette. Opulent palette. Oriel palette. Origin palette. Paper palette. Solstice palette. Technic palette. Trek palette. Urban palette. Verve palette. The RadColorPickerLocalization class defines the localization strings for the RadColorPicker. Gets or sets the tooltip of the icon. Gets or sets the text in the icon. Gets or sets the text for the no color box. Gets or sets the text for the tab of the Web Palette mode. Gets or sets the text for the tab of the RGB Sliders palette mode. Gets or sets the text for the tab of the HSB palette mode. Gets or sets the text for the tab of the HSV palette mode. Gets or sets the text for the 'Apply' button. Gets or sets the text for the increase handle of the RGB Slider. (This property is added for complete localization of the slider control. By default it is not used.) Gets or sets the text for the decrease handle of the RGB Slider. (This property is added for complete localization of the slider control. By default it is not used.) Gets or sets the text for the drag handle of the RGB Slider. Gets or sets the text for the drag handle of the HSB Slider. Gets or sets the text for the drag handle of the HSV Slider. Gets ot sets the title of the icon when no color is selected. Gets or sets the text for the Custom Color icon tooltip. Gets or sets the text for the Recent Colors label. Gets or sets the text for 'OK' button. Gets or sets the text for 'Cancel' button. Gets or sets the text for the color hexadecimal code input. Specifies the visible modes of the RadColorPicker's palette. A palete with a set of predefined colors. 1 RGB RadSliders which define a point in the RGB color space. 2 HSB (hue, saturation, lightness) representation of points in an RGB color space. 4 HSV (hue, saturation, brightness) representation of points in an RGB color space. 8 Default object behavior: all together. (WebPalette | RGBSliders | HSB | HSV) Represents the animation settings like type and duration for the control. Represents the animation settings like type and duration. Gets or sets the effect that will be used for the animation. On of the AnimationType values. The default value is OutQuart. Use the Type property of the AnimationSettings class to customize the effect used for the animation. To turn off animation effects set this property to None. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. The default value is 450 milliseconds. The Telerik.Web.UI.RadComboBoxFilter enumeration supports three values - None, Contains, StartsWith. Default is None. The Telerik.Web.UI.RadComboBoxSort enumeration supports three values - None, Ascending, Descending. Default is None. Items are not sorted at all. Items are sorted in ascending order (min to max) Items are sorted in descending order (max to min) The localization strings to be used in RadComboBox. Gets or sets the NoMatches. The NoMatches. Gets or sets the show more format string. The show more format string. Gets or sets all items checked string. All items checked string. Gets or sets the items checked string. The items checked string. Gets or sets the check all string. The check all string. This class defines RadComboBoxData and its properties-Text, Value, NumberOfItems, Message, EndOfItems Context and Items. Gets or sets the text. The text. Gets or sets the value. The value. Gets or sets the number of items. The number of items. Gets or sets the end of items. The end of items. Gets or sets the message. The message. Gets or sets the context. The context. Gets or sets the items. The items. This Class inherits ControlItemData class. Gets all script URLs that should be registered by a script manager for the given control A control reference to get scripts from Whether to check child controls as well A list of script URLs This control is used to render a on a dummy page so we can get the actual control scripts when RegisterWithScriptManager is false The CompressedPageState class is used by and to compress / decompress page state. Call this method to compress the state into object of type . The state to be compressed as a object. . Call this method to decompress the state into object. The state data as a object. A property that holds the compressed state. Returns the compressed state as a byte array object. RadCompression is a HttpModule that is designed to automatically compress AJAX and Web Service responses. It also supports some additional features such as state compression, postback compression and excluding particular handlers from compression. A default constructor. Gets value indicating if the HTTP compression is activated Retrieves RadCompression's configuration section from the webconfig. Gets value indicating if the compression filter should be applied on full page postbacks. Gets value indicating whether State compression is activated. Initializes the RadCompression module and prepares it to handle requests. A that provides access to the methods, properties, and events common to all application objects within an ASP.NET application Determines whether the response is already compressed. Indicates if compression type should be explicitly added to content encoding header A container class for the configuration element. A string property that stores a handler that should be excluded from compression. /> configuration element. A boolean property that indicates whether the HandlerPath should be matched exactly as it is defined. /> configuration element. Represents the RadCompressionSettings attribute class. It can be used to setup RadCompression settings on per handler basis (e.g. ) . A default constructor. A property that Gets or Sets the to be used for Http compression. A property that Gets or Sets the to be used for ViewState compression. A property that Gets or Sets whether RadCompression module should compress responses to regular post back requests. Represents the RadCompression section within a configuration file. A default constructor. A boolean property that gets the enablePostbackCompression attribute value from a configuration file. A boolean property that gets the enableTracing attribute value from a configuration file. A property that gets a collection of objects containing the handlers that should not be compressed. Represents a single exclude setting configuration element within a configuration file. Represents request handler name. Gets whether handler's name represents only portion of request handler URL. Default value is true Represents a configuration element containing a collection of elements. A default constructor. Creates a new instance of the class. An instance of the interface. Adds a new to the collection. An instance of the class. Removes an instance of the from the collection. An instance of the class. Removes all instances from the collection. An indexer that allows access to collection members by integer index. A index. The instance for the provided index. An indexer that allows access to collection members by string index. A index. The instance for the provided index. Enumeration used for the different supported compression types. A class that overrides to provide viewstate and controlstate compression in hidden fields. If state compression is enabled returns object which supports compressed state manipulation. Otherwise returns the default persister. A class based on that supports viewstate and controlstate manipulation even if they are compressed. Creates a new instance of the persister for the provided object. A instance which state is to be compressed. Loads viewstate and controlstate even if they are previously compressed. If needed compresses viewstate and controlstate and saves them in hidden fields. Only state greater than 8 KB is compressed. Determines whether the response is already compressed. If return true ViewState data will be compressed even the HTTPCompression is applied.Default is false. A class that overrides to provide viewstate compression in session. If state compression is enabled returns object which supports compressed state manipulation. Otherwise returns the default persister. A class based on that supports viewstate manipulation even if it is compressed. Creates a new instance of the persister for the provided object. A instance which viewstate is to be compressed. Loads viewstate even if it is previously compressed. If needed compresses viewstate and saves it in session. Only viewstate greater than 8 KB is compressed. creates a new instance of the LayoutBuilder class Sets the RowCollection collection using the XML in the TableHtmlXml Returns a XmlDocument object based on the LayoutBuilderRow collection. Returns a Html Table version of current Layout. Saves the Saves the Loads the client state data Saves the client state data Gets or sets the xml file. Gets or sets the width of the Layout. Gets or sets the height of the Layout. Gets or sets the value indicating whether every cell should has id. Gets or sets the current table html source. Gets a XmlDocument in which is loaded the TableHtml. Copied from Reflector Gets the custom attributes which will be serialized on the client. Used internally. Represents an client-side operation (e.g. adding an item, removing an item, updating an item etc.) The type of the item (e.g. , , , , , ) Returns the item (, , , , , ) associated with this client operation. When the of the operation is the Item property will return null (Nothing in VB.NET) in case the items of the control have been cleared. Gets the type of the client operation One of the enumeration values. If the Type property is equal to the type will be used. This enumeration lists the available controls in the file explorer and allows customizing the look of the control. A treeview, which shows the folders in the file explorer. A grid, which shows the files/folders in the current file explorer folder A toolbar, which provides shortcuts for the file explorer commands (delete, new folder, back, forward, etc.) A textbox, which shows the current selected path in the file explorer The grid and treeview context menus, which are shown when the user right clicks inside the controls. The RadListView control to hold the thumbnails view FileList is a the place to show the file list. This could be either Grid, or Thumbnails. Therefore 0x2 + 0x20 = 0x22 The default value for the RadFileExplorer control - all controls are shown This enumeration lists the possible FileExplorer control operation modes. The Default mode renders all controls in the FileExplorer (tree, grid, toolbar, etc.) The FileTree mode renders both files and folders in the tree and removes the grid control. Replaces the grid from the default configuration with a listView, displaying the items as thumbnails Telerik File Explorer control Fired when on all file explorer file and folder operations. an instance of the RadFileExplorerEventArgs event argument. Fired when the grid data is retrieved from the content provider. an instance of the RadFileExplorerEventArgs event argument. Updates the strings that are localizable in the FileExplorer controls. Useful if you change the Localization collection after it has already set the values to the controls. Implemented using ASP.NET 2.0 Callback functionality built into RadTreeView the tree instance event arguments Handle Renaming of folders tree instance rename event arguments Determines if the "MetroTouch" is used by the RadFileExplorer control. True if "MetroTouch" skin is used, false otherwise. Rebinds the tree in the RadFileExplorer control. If there were any nodes in the tree when this method is called, they will be cleared unless you set the RadFileExplorer.Tree.AppendDataBoundItems property to true. This method is used in the RadTreeView1_NodeExpand handler, in the TreeUpdatePanel_AjaxRequest method, when a folder is created and in the TreeUpdatePanel_AjaxRequest method, in order to reach a node in the tree The node to be populated Necessary applying of the Item Container for a TreeNode items, because in scenarios with failing ViewState, the expanded node does not have a TreeView. As a result child nodes are not rendered correctly because their Template is not resolved on time for the DataBind call. The node that should have its ItemContainer updated This method is used in OnNodeEdit handler the virtual path of the new node source node destination node true for a copy operation This method is used in OnNodeEdit handler and in RenameGridItem method to handle renaming the folder and node in tree the virtual path of the new node node to rename new name Create folder when perform this action in tree or in grid parent folder path new folder name delete folder/file(s) from the grid or tree a list of virtual paths to the item being deleted Get the Grid data for the current selected folder in the file explorer tree path to current selected folder sort argument (column and direction) the index of the first item to return (used for paging) the number of items to return (used for paging) if set to true, will return files and folders, otherwise only folders the control that needs the data ("grid" or "tree") out parameter - set to the number of items returned a list of files and folders in the selected path Get the Grid data for the current selected folder in the file explorer tree path to current selected folder sort argument (column and direction) the index of the first item to return (used for paging) the number of items to return (used for paging) if set to true, will return files and folders, otherwise only folders the control that needs the data ("grid" or "tree") out parameter - set to the number of items returned the keyword used to filter the items in the grid a list of files and folders in the selected path Restores view-state information from a previous request that was saved with the System.Web.UI.WebControls.WebControl.SaveViewState() method. An object that represents the control state to restore. Saves any state that was modified after the System.Web.UI.WebControls.Style.TrackViewState() method was invoked. An object that contains the current view state of the control; otherwise, if there is no view state associated with the control, null. Causes the control to track changes to its view state so they can be stored in the object's System.Web.UI.Control.ViewState property. Gets or sets the current FileExplorerMode (e.g. default, show files in the tree, etc.) Gets or sets the current PageSize of the grid When set to true, this property will enable paging in the File Explorer's Grid component. When set to true, renders a textbox used to filter files in the grid. When set to true, performs the filtering after the "Enter" key is pressed. EnableFilterTextBox should be set to true (i.e. filtering enabled) to enable filtering. Gets or sets the text of the label displayed next to the Filter TextBox. Gets or sets a value indicating whether to allow copying of files/folders Gets or sets a value indicating whether to allow creating new folders Gets or sets a value indicating whether to allow opening a new window with the file Gets or sets a value indicating whether to allow opening a new window with the file Gets or sets the width of the Web server control. A System.Web.UI.WebControls.Unit that represents the width of the control. The default is System.Web.UI.WebControls.Unit.Empty. The width of the Web server control was set to a negative value. Gets or sets the width of the file explorer's tree pane A System.Web.UI.WebControls.Unit that represents the width of the control. The default is 222 pixels. The width of the Web server control was set to a negative value. Gets or sets the height of the Web server control. A System.Web.UI.WebControls.Unit that represents the height of the control. The default is System.Web.UI.WebControls.Unit.Empty. The height of the Web server control was set to a negative value. Gets a reference to the toolbar, which shows on the top of the file explorer control. Gets a reference to the grid, which shows on the right of the file explorer control. Gets a reference to the grid, which shows on the right of the file explorer control. Gets a reference to the grid, which shows on the right of the file explorer control. Gets a reference to the tree, which shows on the left of the file explorer control. Gets a reference to the context menu, which shows when the user right-clicks the grid control Gets a reference to the tooltip control used for meta information popups Gets a reference to the upload component, which shows inside a popup window when the user wants to upload files. If you want to set the allowed file types or max upload file size, please use the Configuration property Gets a reference to the async upload component, which shows inside a popup window when the user wants to upload files. If you want to set the allowed file types or max upload file size, please use the Configuration property Gets a reference to the window component, which shows the upload popup and the alert/confirmation dialogs. Gets a reference to the splitter component in the file explorer Determines which of the FileExplorer controls will be visible(available). Determines which file list controls will be available on the client-side so that their respective file list view can be displayed dynamically Specifies an access key to enable keyboard navigation for the File Explorer control Gets or sets a string containing the localization language for the File Explorer UI Gets or sets a value indicating where the control will look for its .resx localization files. By default these files should be in the App_GlobalResources folder. However, if you cannot put the resource files in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource files. A relative path to the dialogs location. For example: "~/controls/RadEditorResources/". If specified, the LocalizationPath property will allow you to load the control localization files from any location in the web application. Specifies the skin that will be used by the control Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Contains the FileExplorer configuration (paths, content provider type, etc.). An FileManagerDialogConfiguration instance, containing the configuration of the control Gets or sets the initial path that will be shown in the file explorer control. If this property is not set, the file explorer will use the first path in the ViewPaths as the initial one. Gets or sets a value indicating whether to show the up one folder (..) item in the grid if available. Returns the currently selected node in the tree. This property is useful during postbacks. Gets the Keyboard Shortcuts of the FileExplorer control. Gets or sets a value, indicating whether files that already exist in RadFileExplorer will be overwritten. The name of the javascript function called when the user selects an item in the explorer. The name of the javascript function called when a folder is loaded in the grid. The name of the javascript function called when an item is double clicked in the grid. The name of the javascript function called when the the selected folder in the tree changes. The name of the javascript function called before the control loads in the browser. The name of the javascript function called when the control loads in the browser. The name of the javascript function called when the user tries to create a new folder. The name of the javascript function called when the user tries to delete a file. The name of the javascript function called when the user tries to rename/move a file or folder. The name of the javascript function called when the user tries to copy a file or folder. The name of the javascript function called when the user filters the files in the grid. The name of the client-side method called when the user drops files in the file list. This event is fired when on all file and folder operations of the file explorer. If you wish to cancel the command simply return False from your event handler. This event is fired when the grid data is retrieved from the content provider Gets the virtual path for the current item command Gets the second virtual path for the current item command (for rename, move, etc. commands) Gets the virtual command name Set this argument to true if you wish to cancel the file explorer command Represents a EditorDropDown tool that renders as a custom dropdown in the editor Represents a EditorDropDown tool that renders as a custom dropdown in the editor Gets the collection of EditorTool objects, inside the tool strip. The tools. Represents a provider for filter expressions using Dynamic LINQ syntax. Proccesses a RadFilterGroupExpression object to build a filter query. A RadFilterGroupExpression instance representing the current filter expression. Prepares a string query using the RadFilterDynamicLinqExpressionEvaluator. A RadFilterNonGroupExpression instance to build the query from. A string representation of the filter expression using Dynamic LINQ syntax. Gets an IList of the RadFilterFunction values supported by the query provider. Gets an IList of the RadFilterGroupOperation values supported by the query provider. Represents a base filter expression formatter. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression uses Dynamic LINQ syntax. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression uses Entity SQL syntax. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression uses OQL syntax. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Creates a formatted string representing a DateTime value, using invariant DateFormatInfo. The DateTime value to create a formatted string from. The resulting string that represents the DateTime value. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression uses LINQ syntax. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression is useful when is pointed as a filter container. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Represents a formatter that creates a string representation of a filter expression using the passed field name and data type. The expression is useful when is pointed as a filter container. Creates a formatted string using the respective syntax that is populated with the provided field name and data type parameters. The name of the field the expression is built for. The data type of the field the expression is built for. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Formats the string expression using the passed filter value(s). An ArrayList with the expression values. The data type of the expression. A boolean value indicating whether the formatted expression should be case-sensitive. A formatted string representing the filter expression. Represents and expression evaluator internally used to build filter expressions using Entity SQL syntax. Returns a reference to the RadFilterDynamicLinqExpressionEvaluator instance. The RadFilterFunction used in the filter expression. The RadFilterDynamicLinqExpressionEvaluator for the specific function provided. Represents a provider that builds a string filter expression using Entity SQL syntax. Represents an interface for all value expressions in . Represents the strongly typed Between filter expression. The Type of the value in the current expression. Represents a filter expression that takes two values for filtering. The Type of the values in the current expression. Represents a non-group RadFilterExpression in . Represents all filter expressions in . Gets the filter function used in the current expression. Gets or sets the name of the field the current expression is used for. Gets or sets the name of the field the current expression is used for. Gets or sets the left value in the expression. Gets or sets the right value in the expression. Gets the type of the field the expression is built for. Gets a RadFilterFunction value representing the Between filter function. Represents a strongly typed Contains filter expression. Represents a filter expression that takes a single value for filtering. The Type of the value in the current expression. Gets or sets the value of the type provided when initializing the generic class. Gets the type of the field the expression is built for. Gets a RadFilterFunction value representing the Contains filter function. Represents a strongly typed DoesNotContain filter expression. Gets a RadFilterFunction value representing the DoesNotContain filter function. Represents a strongly typed EndsWith filter expression. Gets a RadFilterFunction value representing the EndsWith filter function. Represents the strongly typed EqualTo filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the EqualTo filter function. Represents a collection filter expressions in . Determines the index of a specific expression in the list. The RadFilterExpression to locate in the list. The index of the expression if found in the list; otherwise, -1. Inserts an expression into the list at the specified index. The zero-based index at which the expression should be inserted. The RadFilterExpression to insert into the list. Removes the element at the specified index of the collection. The zero-based index of the expression to remove. Adds an object to the end of the collection. The RadFilterExpression to be added to the end of the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. Removes all elements from the collection. Determines whether an element is in the collection. The RadFilterExpression to locate in the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. True if item is found in the collection; otherwise, false. Copies the entire collection to a compatible one-dimensional Array, starting at the specified index of the target array. The one-dimensional Array that is the destination of the elements copied from collection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Removes the first occurrence of a specific object from the collection. The RadFilterExpression to remove from the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. true if the expression is successfully removed; otherwise, false. This method also returns false if expression was not found in the original collection. Returns an enumerator that iterates through the collection. An IEnumerator(RadFilterExpression) for the collection. Gets the number of elements actually contained in the collection. Gets a value indicating whether the collection is read-only. Represents the strongly typed GreaterThan filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the GreaterThan filter function. Represents the strongly typed GreaterThanOrEqualTo filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the GreaterThanOrEqualTo filter function. Represents the group expressions in . Returns a RadFilterNonGroupExpression based on the field name provided. A string representing the field name of the expression. A RadFilterNonGroupExpression having the provided field name. Adds a passed RadFilterExpression to the Expressions collection of the group. The RadFilterExpression to add to the Expressions of the current group. Gets or sets a value from the RadFilterGroupOperation enumeration representing the currently used group operation. Gets a collection of all RadFilterExpression objects belonging to the current group. Gets the filter function of the current expression. Returns a boolean value indicating whether the current group expression has no filter expressions added. Represents an IsEmpty filter expression. Gets the type of the field. Gets a RadFilterFunction value representing the IsEmpty filter function. Represents an IsNull filter expression. Gets a RadFilterFunction value representing the IsNull filter function. Represents the strongly typed LessThan filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the LessThan filter function. Represents the strongly typed LessThanOrEqualTo filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the LessThanOrEqualTo filter function. Represents the strongly typed NotBetween filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the NotBetween filter function. Represents the strongly typed NotEqualTo filter expression. The Type of the value in the current expression. Gets a RadFilterFunction value representing the NotEqualTo filter function. Represents an NotIsEmpty filter expression. Gets the type of the field. Gets a RadFilterFunction value representing the NotIsEmpty filter function. Represents an NotIsNull filter expression. Gets a RadFilterFunction value representing the NotIsNull filter function. Represents a strongly typed StartsWith filter expression. Gets a RadFilterFunction value representing the StartsWith filter function. Represents an editor used for filtering fields of boolean type. Initializes the default CheckBox control used in the field editor. The container Control where the CheckBox will be added. Extracts an ArrayList with the values from the editor. An ArrayList holding the editor values. Populates the field editor using the first values from the passed ArrayList. An ArrayList holding a boolean value. Gets the type of the field that is filtered using this editor. Represents a collection of field editors in . Adds an object to the end of the collection. The object to be added to the end of the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. Removes all elements from the collection. Determines whether an element is in the collection. The object to locate in the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. True if item is found in the collection; otherwise, false. Copies the entire collection to a compatible one-dimensional Array, starting at the specified index of the target array. The one-dimensional Array that is the destination of the elements copied from collection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Removes the first occurrence of a specific object from the collection. The RadFilterDataFieldEditor to remove from the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. true if item is successfully removed; otherwise, false. This method also returns false if item was not found in the original collection. Returns an enumerator that iterates through the collection. An IEnumerator(T) for the collection. Determines the index of a specific item in the list. The RadFilterDataFieldEditor to locate in the list. The index of the item if found in the list; otherwise, -1. Inserts an item into the list at the specified index. The zero-based index at which the item should be inserted. The RadFilterDataFieldEditor to insert into the list. Removes the element at the specified index of the collection. The zero-based index of the item to remove. Gets the number of elements actually contained in the collection. Gets a value indicating whether the collection is read-only. Represents an editor used for filtering fields of DateTime type. Initializes the default control used in the field editor. The container Control where the RadDateTimePicker will be added. Extracts an ArrayList with the values from the editor. An ArrayList holding the editor values. Populates the field editor using the first values from the passed ArrayList. An ArrayList holding a boolean value. Gets or sets what type of date control will be created. The default value is DateTimePicker. Gets the type of the field that is filtered using this editor. Gets/sets MinDate on RadDatePicker control. Gets or sets the DateFormat and DisplayDateFormat that will be applied to the control. Enumeration determining what kind of picker will be used in the . The arguments passed when fires the FieldEditorCreated event. Instance of RadFilterDataFieldEditor that has been loaded. The arguments passed when fires the FieldEditorCreating event. Instance of RadFilterDataFieldEditor that will be loaded. The name of editor type that will be loaded. Represents an editor used for filtering fields of numeric type. Initializes the default RadNumericTextBox control used in the field editor. The container Control where the CheckBox will be added. Extracts an ArrayList with the values from the editor. An ArrayList holding the editor values. Populates the field editor using the first values from the passed ArrayList. An ArrayList holding a boolean value. Gets or sets the NumericType property of the control. The NumericType property of the control. Gets or sets the NumberFormat.AllowRounding property of the control. The NumberFormat.AllowRounding property of the control. Gets or sets the NumberFormat.KeepNotRoundedValue property of the control. The NumberFormat.KeepNotRoundedValue property of the control. Gets or sets the NumberFormat.DecimalDigits property of the control. The NumberFormat.DecimalDigits property of the control. Represents the field editor in RadFilter used to build filter expressions for string values. Initializes the textbox editor. The container Control which will contain the TextBox control. Extracts the value of the TextBox editors. An ArrayList containing the editor values. Sets the values of the text editor. An array containing the values that will populate the editor. Get/set TextBox width in pixels. Represents a common class for the command events in . Override to fire the corresponding command. Gets or sets a value, defining whether the command should be canceled. The arguments passed when fires a command event. Forces the execution of the command that triggered the event. The owner RadFilter object Gets the RadFilterExpressionItem that fired the command, if there is such. Gets the control which was responsible for firing the event. Gets or sets a value indicating whether the current command is cancelled. For internal usage only. For internal usage only. Represents the UI component that holds the filter expression items in the rendered . Gets or sets a value indicating whether the lines that connect the filter expression items will be shown. Represents the UI component rendered by to represent a filter expression. Initializes the filter expression item. Gets the owner . Returns a reference to the owner object. Gets the container holding the menu links - the GroupOperation(for ), FilterFunction and the editor FieldName. Gets the container holding item specific controls. An input control for the and AddGroupExpression, AddItemExpression for the . Gets the remove button which removes an expression from the expression tree. Gets the string representation of the hierarchical position of the item in the RadFilter visual structure. Gets a string value representing the client id of the filter expression item control. Gets the integer index of the filter expression item. Represents the UI component rendered by to represent a group of filter expressions.. Adds a RadFilterExpressionItem to the ChildItems collection of the current group expression. A RadFilterExpressionItem to add to the ChildItems collection. Gets the RadFilterGroupExpression that the current item represents. Gets a boolean value indicating whether the current Control represents a root group expression. Gets the control which chooses the item expression GroupOperation value. Gets the control which adds a new to the expression items tree. Gets the control which adds a new to the expression items tree. Gets a reference to the UI component that holds the filter expression items in the rendered RadFilter.. Gets a collection of the RadFilterExpressionItem objects belonging to the current group. Represents a builder for objects belonging to a certain . Creates a new collection of RadFilterExpressionItem objects based on the provided parameter. The RadFilterGroupExpression the current item will be part of the representation for. The RadFilterGroupExpressionItem to which the current item will be added. Adds an item to the current RadFilterGroupExpressionItem. A RadFilterExpressionItem to add to the RadFilterGroupExpressionItem. Represents a collection of objects. Adds a RadFilterExpressionItem to the end of the collection. The RadFilterExpressionItem to be added to the end of the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. Removes all elements from the collection. Determines whether an element is in the collection. The RadFilterExpressionItem to locate in the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. True if item is found in the collection; otherwise, false. Copies the entire collection to a compatible one-dimensional Array, starting at the specified index of the target array. The one-dimensional Array that is the destination of the elements copied from collection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Removes the first occurrence of a specific item from the collection. The RadFilterExpressionItem to remove from the collection. The value can be a null reference (Nothing in Visual Basic) for reference types. true if the item is successfully removed; otherwise, false. This method also returns false if item was not found in the original collection. Returns an enumerator that iterates through the collection. An IEnumerator(RadFilterExpressionItem) for the collection. Gets the number of elements actually contained in the collection. Gets a value indicating whether the collection is read-only. Represents the UI component rendered by to to represent a filter expression having a single value. Gets a reference to the RadFilterNonGroupExpression which the expression item represents. Gets the associated value. Gets a value indicating if the expression item have only one value. If the property returns true the InputControl value will not be null. Gets a value indicating if the expression item have two values (between filtering is performed). If the property returns true the SecondInputControl value will not be null. The input control which determines an expression value. The property could return null if the Expression is not of type . The second input control which determines the second expression value when performing between filtering. The property will not return null only when performing between filtering. Gets the control which is used for choosing the FieldName. Gets the control which is used for choosing the FilterFunction. Gets the which is placed between the two input controls when the filter function is "Between" or "NotBetween". The localization strings to be used in RadFilter. Gets or sets "And group operation" string in the control. The "And group operation" string. Gets or sets "Or group operation" string in the control. The "Or group operation" string. Gets or sets "Not And group operation" string in the control. The "Not And group operation" string. Gets or sets "Not Or group operation" string in the control. The "Not Or group operation" string. Gets or sets the string used for the "Contains" filter function. The string used for the "Contains" filter function. Gets or sets the string used for the "DoesNotContain" filter function. The string used for the "DoesNotContain" filter function. Gets or sets the string used for the "StartsWith" filter function. The string used for the "StartsWith" filter function. Gets or sets the string used for the "EndsWith" filter function. The string used for the "EndsWith" filter function. Gets or sets the string used for the "EqualTo" filter function. The string used for the "EqualTo" filter function. Gets or sets the string used for the "NotEqualTo" filter function. The string used for the "NotEqualTo" filter function. Gets or sets the string used for the "GreaterThan" filter function. The string used for the "GreaterThan" filter function. Gets or sets the string used for the "LessThan" filter function. The string used for the "LessThan" filter function. Gets or sets the string used for the "GreaterThanOrEqualTo" filter function. The string used for the "GreaterThanOrEqualTo" filter function. Gets or sets the string used for the "LessThanOrEqualTo" filter function. The string used for the "LessThanOrEqualTo" filter function. Gets or sets the string used for the "Between" filter function. The string used for the "Between" filter function. Gets or sets the string used for the "NotBetween" filter function. The string used for the "NotBetween" filter function. Gets or sets the string used for the "IsEmpty" filter function. The string used for the "IsEmpty" filter function. Gets or sets the string used for the "NotIsEmpty" filter function. The string used for the "NotIsEmpty" filter function. Gets or sets the string used for the "IsNull" filter function. The string used for the "IsNull" filter function. Gets or sets the string used for the "NotIsNull" filter function. The string used for the "NotIsNull" filter function. Gets or sets the string used for the "Between" filter function used in the . The string used for the "Between" filter function used in the . Gets or sets the string used for the "NotBetween" filter function used in the . The string used for the "NotBetween" filter function used in the . Gets or sets the string used for the "Contains" filter function used in the . The string used for the "Contains" filter function used in the . Gets or sets the string used for the "DoesNotContain" filter function used in the . The string used for the "DoesNotContain" filter function used in the . Gets or sets the string used for the "EndsWith" filter function used in the . The string used for the "EndsWith" filter function used in the . Gets or sets the string used for the "StartsWith" filter function used in the . The string used for the "StartsWith" filter function used in the . Gets or sets the string used for the "IsEmpty" filter function used in the . The string used for the "IsEmpty" filter function used in the . Gets or sets the string used for the "NotIsEmpty" filter function used in the . The string used for the "NotIsEmpty" filter function used in the . Gets or sets the string used for the "IsNull" filter function used in the . The string used for the "IsNull" filter function used in the . Gets or sets the string used for the "NotIsNull" filter function used in the . The string used for the "NotIsNull" filter function used in the . Gets or sets the string used for the "EqualTo" filter function used in the . The string used for the "EqualTo" filter function used in the . Gets or sets the string used for the "GreaterThan" filter function used in the . The string used for the "GreaterThan" filter function used in the . Gets or sets the string used for the "GreaterThanOrEqualTo" filter function used in the . The string used for the "GreaterThanOrEqualTo" filter function used in the . Gets or sets the string used for the "LessThan" filter function used in the . The string used for the "LessThan" filter function used in the . Gets or sets the string used for the "LessThanOrEqualTo" filter function used in the . The string used for the "LessThanOrEqualTo" filter function used in the . Gets or sets the string used for the "NotEqualTo" filter function used in the . The string used for the "NotEqualTo" filter function used in the . Represents a base for the OQL expression evaluator classes in . Based on a passed RadFilterFunction object returns a specific RadFilterOqlExpressionEvaluator object. A RadFilterFunction instance representing the current filter function. A RadFilterOqlEvaluator inherited object representing a specific evaluator, based on the provided function. Represents a provider that builds a string filter expression using OQL syntax. Represents a component that builds filter expressions, with various types of syntax, based on user input Represents a component that builds filter expressions, with various types of syntax, based on user input Apply all filter expressions to IRadFilterableContainer. true if IRadFilterableContainer must be re-bind, otherwise false Listen IRadFilterableContainer for fields descriptors. This method is called when IRadFilterableContainer fires OnFieldDescriptorsReady event instance of IRadFilterableContainer control arguments that has description of IRadFilterableContainer filtering capabilities This method is called when RootGroupItem is accessed and it is not created yet. Force creation of all RadFilterExpressionItems. Build controls hierarchy. Notifies the RadFilter control that it should handle an incoming postback event. A string representing the passed event argument Force RadFilter control to recreate its structure. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects which are created from the with the specified FieldName. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects which are created from the with the specified FieldName. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects. Loops through all expression items in the expression items tree by performing recursion and returns them in a collection containing only the objects. Add child expression for item. The item that will be the parent for the new item. Indicates whether the new child item should be group item or not. Removes filter expression from its parent. filter expression to be removed Indicates whether to recrete the control Removes group filter expression from its parent. If it is root group item removes all its child items. group filter expression to be removed Indicates whether to recrete the control Change current group operator. group that current operator must be changed new group operation value Indicates whether to recrete the control Change current filter function for the item. item which filter function will be changed new filter function value Indicates whether to recrete the control Change field name for item item which FieldName will be changed new FieldName value Handles Apply command Loop through all IRadFilterValueExpression's and assing their value from RadFilterSingleExpressionItem editors. RadFilterGroupExpressionItem to start from Applies the resolved filter expression on the DataSourceControl assigned using DataSourceControlID property Raises event Raises event Raises event Raises event Triggers ApplyExpressions command. Serialize the control state to Base64 encoded string. returns serialized state in Base64 format Loads the provided state in the control. Base64 encoded string representing saved control state For use with RadPersistenceFramework Gets the apply which fires the ApplyExpressions and generates a filter query. Gets the used for all menus in the control. Get / set Apply button text When this property is enabled, the control will use client-side validation to ensure whether the value of the second input control is greater than the one in the first control and vice versa. Default value is false. Gets or sets the operation mode of the control which determines if some of the operations in the control will be executed on the client or performed on the server. Server: Every operation performs a postback. ServerAndClient: Only Adding field expressions and changing field expression name causes postback. Get / set whether RadFilter should postback when value in editor change. Gets or sets a value determining if the AddGroupExpressionButton placed in the will be visible. Get / set Add expression button tooltip. Get / set Add group button tooltip. Get / set Remove button tooltip. Get / set the text that will be visible when Between/NotBetween filter expression. Gets the instance that will be used for all pickers in the current instance. Gets or sets the RangeMinDate property of the which is shared for all controls in the current instance. The RangeMinDate property of the which is shared for all controls in the current instance. Gets or sets the RangeMinDate property of the which is shared for all controls in the current instance. The RangeMinDate property of the which is shared for all controls in the current instance. The FieldName property of the defaultly created editor that will be initialized when AddExpressionButton is pressed. The default GroupOperation that will be set when a new is created. Gets a value indicating whether the dotted lines indenting the nodes should be displayed or not. Root group for all expressions in RadFilter control. This group cannot be removed. Root group item for all expressions in RadFilter control. A collection of type RadFilterDataFieldEditorCollection containing all RadFilterDataFieldEditor instances contained in the RadFilter Get/set ID of the IRadFilterableContainer control Read only property. Holds reference to control that implements IRadFilterableContainer. Get/set ID of the IDataSource control Read only property. Holds reference to IDataSource control. Gets a reference to the filterable container Gets a reference to the object that allows you to set the properties of the client-side behavior and appearance in a Telerik control. Event raised when a new is created. The event could be used to manipulate the controls inside each of the items. Raised when a button in a control is clicked. Raised when a button Apply in a control is clicked. Raised when custom field editor is creating on postback. Raised when field editor is created when RadFilter is used integrated with IRadFilterableContainer. Indicates whether the Apply button should be visible. Gets or sets a CultureInfo value representing the current culture of the control. Gets a value of type FilterStrings representing the localization strings which will be used in RadFilter Gets or sets a value indicating where RadFilter will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadFilterResources/". If specified, the LocalizationPath property will allow you to load the filter localization file from any location in the web application. When set to true enables support for WAI-ARIA When set to true changes the rendering of the Apply button in order to pass accessibility validation. Get/Set the position of expression preview item. Get/Set provider used for building the expression in preview item. Default provider is RadFilterExpressionPreviewProvider. Gets or sets a value from the RadFilterSettingsFormatter enumeration representing the type of formatter used to serialize the filter settings Represents a helper for working with datasource controls Returns a boolean value indicating whether the passed type is bindable a Type object to be checked a bool value indicating whether the type is bindable An enumeration containing the options for positioning the filter expression preview in the rendered control. An enumeration containing the options for the type of formatter used to serialize the saved settings. Represents a helper used to get a reference to the current filterable container. Search for IRadFilterableContainer control. instance of control from which search will start id of the IRadFilterableContainer container control List of controls ID's not to be included in search result IRadFilterableContainer istance if found, otherwise null Search for IDataSource control. instance of control from which search will start id of the IDataSource control List of controls ID's not to be included in search result IDataSource istance if found, otherwise null The arguments passed when fires the ApplyExpressions event. Gets a reference to the root group expression. Represents the client events of . This client-side event is fired after the is created. This client-side event is fired before the is created. This client-side event is fired when object is destroyed, i.e. on each window.onunload Gets or sets the client-side event which is fired before is shown. Gets or sets the client-side event which is fired when is shown. Represents the client settings of . Gets a reference to class. Returns entity that describes current IRadFilterableContainer container filtering capabilities. Represents an entity that describes current IRadFilterableContainer container filtering capabilities. Collection of all filterable fields Collection of all group operations that IRadFilterableContainer supports Collection of all filter functions that IRadFilterableContainer supports Describes all filterable fields of IRadFilterableContainer Determines whether the specified RadFilterFieldDescriptor is equal to the current RadFilterFieldDescriptor. A RadFilterFieldDescriptor to compare the current one to. true if the specified RadFilterFieldDescriptor is equal to the current RadFilterFieldDescriptor; otherwise, false. Determines whether the specified Object is equal to the current RadFilterFieldDescriptor. An Object to compare the current RadFilterFieldDescriptor to. true if the specified Object is equal to the current RadFilterFieldDescriptor; otherwise, false. Serves as a hash function for a RadFilterFieldDescriptor. A hash code for the current RadFilterFieldDescriptor. Name of the filterable field Name of the filterable field that will be displayed Data type of filterable field An enumeration representing all filter functions supported by . Same as: dataField LIKE '/%value/%' Same as: dataField NOT LIKE '/%value/%' Same as: dataField LIKE 'value/%' Same as: dataField LIKE '/%value' Same as: dataField = value Same as: dataField != value Same as: dataField > value Same as: dataField < value Same as: dataField >= value Same as: dataField <= value Same as: value1 <= dataField <= value2.
Note that value1 and value2 should be separated by [space] when entered as filter.
Same as: dataField <= value1 && dataField >= value2.
Note that value1 and value2 should be separated by [space] when entered as filter.
Same as: dataField = '' Same as: dataField != '' Only null values Only those records that does not contain null values within the corresponding column Only for expression group An enumeration representing the options for grouping expressions in . All expressions in the group will be aggregate with AND logical opeartion. (Expression1 AND Expression2...) All expressions in the group will be aggregate with OR logical opeartion. /// (Expression1 OR Expression2...) All expressions in the group will be aggregate with NOT AND logical opeartion. /// NOT(Expression1 AND Expression2...) All expressions in the group will be aggregate with NOT OR logical opeartion. NOT(Expression1 OR Expression2...) Represents a query provider used to filter when it is assigned as a filter container for . Gets or sets a boolean value indicating whether the query will be case-sensitive. Represents a base for the expression evaluator classes in used for creating expressions for filtering RadGrid. Returns a reference to the RadFilterLinqRowExpressionEvaluator instance. The RadFilterFunction used in the evaluated filter expression. The RadFilterDynamicLinqExpressionEvaluator for the specific function provided. Represents an expression evaluator used for building filter expressions for . Returns a reference to the RadFilterDynamicLinqExpressionEvaluator instance. The RadFilterFunction used in the evaluated filter expression. The RadFilterDynamicLinqExpressionEvaluator for the specific function provided. Represents an expression evaluator used for building filter expressions for in scenarios where a calculated column is present. Returns a reference to the RadFilterDynamicLinqExpressionEvaluator instance. The RadFilterFunction used in the evaluated filter expression. The RadFilterDynamicLinqExpressionEvaluator for the specific function provided. Represents a base for the RadFilterListViewExpression evaluator classes in Based on a passed RadFilterFunction object returns a specific RadFilterListViewExpressionEvaluator object. A RadFilterFunction instance representing the current filter function. A RadFilterListViewExpressionEvaluator inherited object representing a specific evaluator, based on the provided function. Evaluates the passed non-group expression to create a new RadListViewFilterExpression object. The RadFilterNonGroupExpression to evaluate. A resulting RadListViewFilterExpression. Represents a query provider for expressions used to filter a control. Processes the passed RadFilterGroupExpression to create the expressions for filtering . The RadFilterGroupExpression to process internally. Gets a collection of the RadFilterFunctions supported by the current query provider. Gets a collection of the RadFilterGroupOperation supported by the current query provider. Gets a collection of the RadListViewFilterExpression objects created by the provider. Represents the "Add Expression" and "Add Group" buttons rendered in the control. Represents the "Apply" button in . Represents the which shows the list of fields and list of filter functions in . Renders the HTML closing tag of the control into the specified writer. A HtmlTextWriter that represents the output stream to render HTML content on the client. Gets the items. The items. Gets or sets a value that indicates whether a server control is rendered as UI on the page. true if the control is visible on the page; otherwise false. Gets or sets the programmatic identifier assigned to the server control. The programmatic identifier assigned to the control. Represents a base for the SQL expression evaluator classes in Based on a passed RadFilterFunction object returns a specific RadFilterSqlExpressionEvaluator object. A RadFilterFunction instance representing the current filter function. A RadFilterSqlEvaluator inherited object representing a specific evaluator, based on the provided function. Represents a query provider which builds a filter expression using SQL syntax. Processes the passed RadFilterGroupExpression object to build a filter expression. A RadFilterGroupExpression object that will be used to extract the filter expression. Gets List of the filter functions supported by this provider. Gets List of the group operations supported by this provider. Telerik RadFormDecorator Finds all instances of FormView, GridView, DetailsView controls in the current page and adds a CSS class so they can be decorated on the client Form Decorator will render as a Div tag in order to be XHTML compliant Get/Set the DecoratedControls enum of RadFormDecorator Get/Set the ControlsToSkip enum of RadFormDecorator - a shortcut for faster fine-tuning of the decorated controls Gets or sets whether decorated textboxes, textarea and fieldset elements will have rounded corners Gets or sets the id (ClientID if a runat=server is used) of a html element whose children will be decorated The editor for the column. The editor for the column. The editor used for . Gets the RadRating control associated with this column editor Gets the current value of the RadRating control Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call When you have attachments saved in your data source as a blob of binary data, GridAttachmentColumn provides you an easy way to upload to and download straight from your data source. In normal mode, GridAttachmentColumn displays a button to download the attachment associated with the respective data record. In edit mode, a RadUpload is provided for the user to upload an attachment into the data source. Get value based on the current IsEditable state, item edited state and ForceExtractValue setting. item to check to extract values from Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. This method should be used in case you develop your own column. It returns true if the column supports filtering. A string, specifying the ID of the datasource control, which will be used to retrieve binary data of the attachment. A string, specifying the ID of the datasource control, which will be used to retrieve binary data of the attachment. Gets or sets an array of file extensions that are allowed for uploading. Gets or sets the maximum allowed size (in bytes) of the uploaded attachment. Gets or sets a value indicating the type of the download button that will be rendered. The type should be one of the specified by the enumeration. LinkButton Renders a standard hyperlink button. PushButton Renders a standard button. ImageButton Renders an image that acts like a button. Gets or sets the CssClass of the button Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, that uniquely identify an attachment from the column's data source A string, representing a comma-separated enumeration of DataFields from the data source, which form the unique key identifying an attachment from the column's data source Gets or sets the name of the data field from the column's data source where the binary attachment data is stored. Use the DataTextField property to specify the field name from the data source to bind to the Text property of the buttons in the GridAttachmentColumn object. Binding the column to a field instead of directly setting the Text property allows you to display different captions for the buttons in the GridAttachmentColumn by using the values in the specified field. Tip: This property is most often used in combination with DataTextFormatString Property. Gets or sets a value from the specified datasource field. This value will then be displayed in the GridAttachmentColumn.
[ASPX/ASCX]<br/><br/><radg:RadGrid id=<font class="string">"RadGrid1"</font> runat=<font class="string">"server"</font>><br/> <MasterTableView AutoGenerateColumns=<font class="string">"False"</font>><br/> <Columns><br/> <radg:GridAttachmentColumn HeaderText=<font class="string">"Customer ID"</font><font color="red">DataTextField=<font class="string">"CustomerID"</font></font><br/><font color="red">DataTextFormatString=<font class="string">"Edit Customer {0}"</font></font> ButtonType=<font class="string">"LinkButton"</font> UniqueName=<font class="string">"ButtonColumn"</font>><br/> </radg:GridAttachmentColumn>
Use the DataTextFormatString property to provide a custom display format for the caption of the buttons in the GridAttachmentColumn. Note: The entire string must be enclosed in braces to indicate that it is a format string and not a literal string. Any text outside the braces is displayed as literal text.
[ASPX/ASCX]<br/><br/><radg:RadGrid id=<font color="black"><font class="string">"RadGrid1"</font> runat=<font class="string">"server"</font>><br/> <MasterTableView AutoGenerateColumns=<font class="string">"False"</font>><br/> <Columns><br/> <radg:GridAttachmentColumn HeaderText=<font class="string">"Customer ID"</font></font><font color="red">DataTextField=<font class="string">"CustomerID"</font><br/>DataTextFormatString=<font class="string">"Edit Customer {0}"</font></font> ButtonType=<font class="string" color="black">"LinkButton"</font> UniqueName=<font color="black"><font class="string">"ButtonColumn"</font>><br/> </radg:GridAttachmentColumn></font>
Gets or sets the string that specifies the display format for the caption in each button.
Gets or sets a value indicating the text that will be shown for a button. Gets or sets the name of the field bound to the file name of the attachment. Gets or sets the format string applied to the value bound to the FileNameTextField property Gets or sets the file name of the attachment. Gets or sets a value indicating the URL for the image that will be used in a Image button. should be set to ImageButton. Gets or sets a value indicating what type of upload control will be initialized during edit. (Default value = ) This property is supposed for developers of new grid columns. It gets whether a column is currently ReadOnly. The ReadOnly property determines whether a column will be editable in edit mode. A column for which the ReadOnly property is true will not be present in the automatically generated edit form. A boolean value, indicating whether a specific column is editable. Each cell in a GridBinaryImageColumn contains an image streamed from a binary image source field (specified through the DataField property of the column). When used this column will show a RadBinaryImage control in view mode and RadUpload in edit mode to upload an image. The image will be sized automatically to ImageHeight and ImageWidth pixel values if the ResizeMode property of the column is different than None. Possible values for the ResizeMode property of the column are: - Crop (the image will be trimmed) - Fit (the image will be sized to fit the given dimensions) - None (default) Additionally, you can set the DataAlternateTextField property to specify by which field in the grid source the column will be sorted/filtered. For the filtering you must also set explicitly the DataType property of the column to the type of the field specified through the DataAlternateTextField property (System.String in the common case). You can also apply format using the DataAlternateTextFormatString property. This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. This method should be used in case you develop your own column. It returns true if the column supports filtering. Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the field name from the specified data source to bind to the . A string, specifying the data field from the data source, from which to bind the column. Gets or sets a url, specifying the location of a default image which to be loaded if there is no data for the binary image Gets or sets a string, specifying the text which will be shown as alternate text to the image Gets or sets the property for each cell. The property for each cell. Gets or sets the width of the image Gets or sets the height of the image Get or set the name of the file which will appear inside of the SaveAs browser dialog Specifies if the HTML image element's dimensions are inferred from image's binary data Gets or sets a string, representing the DataField name from the data source, which will be used to supply the alternateText for the image in the column. This text can further be customized, by using the DataTextFormatString property. A string, representing the DataField name from the data source, which will be used to supply the alternate text for the image in the column. Gets or sets a string, specifying the format string, which will be used to format the alternate text of the image, rendered in the cells of the column. A string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. Gets or sets a value indicating what type of upload control will be initialized during edit. (Default value = ) Gets or sets a value indicating if the binary that will be persisted when editing. Setting the value to true will pass the old binary image data to the data source so the image could be persisted and not deleted. This property is supposed for developers of new grid columns. It gets whether a column is currently ReadOnly. The ReadOnly property determines whether a column will be editable in edit mode. A column for which the ReadOnly property is true will not be present in the automatically generated edit form. A boolean value, indicating whether a specific column is editable. Gets or sets the property for each cell. The property for each cell. Each cell in a GridImageColumn contains an image. To specify the image url of that image, you can do one of the following: - Set the ImageUrl property to a static value. When you use this method, every image appears the same in the entire column. - Set the DataImageUrlFields property to a field in the source that can be used to supply the image path and format it by setting the DataImageUrlFormatString property. You can specify multiple fields if the image url is determined by more than one field in the database. - Set the DataAlternateTextField property to specify by which field in the grid source the column will be sorted/filtered. For the filtering you must also set explicitly the DataType property of the column to the type of the field specified through the DataAlternateTextField property (System.String in the common case). You can also apply format using the DataAlternateTextFormatString property. This method should be used in case you develop your own column. It returns true if the column supports filtering. Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. Determines whether [is bound to field name] [the specified URL fields]. The URL fields. The name. This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Returns the DataField that will be used for Filter and Sorting operations Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the image which will be shown. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the url of the image which will be shown. Gets or sets a string, specifying the FormatString of the DataNavigateURL. Essentially, the DataNavigateUrlFormatString property sets the formatting for the url string of the image. A string, specifying the FormatString of the DataNavigateURL. Gets or sets a string, specifying the url, from which the image should be retrieved. This property will be honored only if the DataImageUrlFields are not set. If either DataImageUrlFields are set, they will override the ImageUrl property. A string, specifying the url, from which the image, should be loaded. Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets a string, specifying the text which will be shown as alternate text to the image Gets or sets the image alignment of the column Image control. The image alignment of the column Image control. Gets or sets the width of the image Gets or sets the height of the image Gets or sets a string, representing the DataField name from the data source, which will be used to supply the alternateText for the image in the column. This text can further be customized, by using the DataTextFormatString property. A string, representing the DataField name from the data source, which will be used to supply the alternate text for the image in the column. Gets or sets a string, specifying the format string, which will be used to format the alternate text of the image, rendered in the cells of the column. A string, specifying the format string, which will be used to format the text of the hyperlink, rendered in the cells of the column. Gets or sets whether the column data can be filtered. The default value is true. A Boolean value, indicating whether the column can be filtered. A databound column type in RadGrid that displays a RadRating control in view and edit mode This method should be used in case you develop your own column. It returns true if the column supports filtering. Extracts the values from the editedItem and fills the names/values pairs for each data-field edited by the column in the newValues dictionary. dictionary to fill. This param should not be null (Nothing in VB.NET) the GridEditableItem to extract values from This method returns true if the column is bound to the specified field name. The name of the DataField, which will be checked. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the field name from the specified data source to bind to the Gets or sets a value indicating the number of items RadRating in each cell of the will show An Integer value indicating the number of items RadRating in each column cell will show. The default value is 5 Gets or sets a value indicating the selection mode of the RadRating control in each cell of the . The default value is RatingSelectionMode.Continuous An enumerated RatingSelectionMode value indicating the selection mode of the RadRating control in each cell. The default value is RatingSelectionMode.Continuous Gets or sets a value indicating the rating precision of the RadRating control in each cell of the . The default value is RatingPrecision.Item An enumerated RatingPrecision value undicatig the precision of the RadRating control in each cell. The defautl value is RatingPrecision.Item Gets or sets a value indicating whether the direction of the RadRating control should be reversed. The default value is false A Boolean value indicating whether the direction of the RadRating control should be reversed. The default value is false Gets or sets a value indicating whether the column allows rating in view mode. The default value is false A Boolean value indicating whether the column allows rating in view mode. The default value is false This property is supposed for developers of new grid columns. It gets whether a column is currently ReadOnly. The ReadOnly property determines whether a column will be editable in edit mode. A column for which the ReadOnly property is true will not be present in the automatically generated edit form. A boolean value, indicating whether a specific column is editable. Provides properties related to setting the client-side data-binding in Telerik RadGrid. You can get a reference to this class using property. Gets a reference to class providing properties related to client-side ADO.NET DataService data-binding. Gets or sets url for the WebService or Page which will be requested to get data. Gets or sets method name in the WebService or Page which will be requested to get data. Gets or sets method name in the WebService or Page which will be requested to get total records count. Gets or sets maximum rows parameter name for the SelectMethod in the WebService or Page which will be requested to get data. Gets or set start row index parameter name for the SelectMethod in the WebService or Page which will be requested to get data. Gets or set sort parameter name for the SelectMethod in the WebService or Page which will be requested to get data. Gets or set filter parameter name for the SelectMethod in the WebService or Page which will be requested to get data. Gets or set filter parameter type for the SelectMethod in the WebService or Page which will be requested to get data. Default value is List. Gets or set sort parameter type for the SelectMethod in the WebService or Page which will be requested to get data. Default value is List. Gets or set a value indicating whether the client-side caching should be enabled or not. Gets or set data property name for the SelectMethod in the WebService or Page which will be requested to get data and count. Default is "Data"! Gets or set data property total records count for the SelectMethod in the WebService or Page which will be requested to get data and count. Default is "Count"! Gets or sets the type of the data requested from a data service. A value of GridClientDataResponseType.JSONP allows for cross-domain JSONP requests. Default value is GridClientDataResponseType.JSON. Gets or sets a value indicating whether empty data rows are shown in when client-side databinding is setup. Defalut value is true. Enumeration determining the parameter type which will be used for the SelectMethod in the WebService or Page which will be requested to get data. Enumerates the data request formats RadGrid uses when making data service requests. Class holding settings for setuping the control binding to a data service. Gets or set table name for the specified ADO.NET DataService. Default is empty string! Gets or sets the client data service type RadGrid binds to. Default is GridClientDataServiceType.ADONet. Gets or set a filter string for the specified ADO.NET DataService. Default is empty string! Gets or set a filter string for the specified ADO.NET DataService. Default is empty string! Specifies the data service type RadGrid binds to Specifies an ADO.NET Data Service Specifies an Open Data Protocol service Class holding settings associated with the keyboard navigation functionality. This property set whether active row should be set to first/last item when current item is last/first and down/up key is pressed (default is false) This property set whether the edit form will be submited when the ENTER key is pressed (default is false) This property set the validation group of all controls placed into the Edit/Insert form of the RadGrid This property sets the key that is used to focus RadGrid. It is always used with CTRL key combination. This property sets the key that is used to open insert edit form of RadGrid. It is always used with CTRL key combination. This property sets the key that is used to rebind RadGrid. It is always used with CTRL key combination. This property set the key that is used for expanding the active row's detail table (default key is Right arrow) This property set the key that is used for collapsing the active row's detail table (default key is Left arrow) This property set the key that is used for moving up the active and selected rows (default key is Up arrow) This property set the key that is used for moving Down the active and selected rows (default key is Down arrow) Gets the key used when exiting edit or insert mode. The key used when exiting edit or insert mode. Gets the key used when updating or inserting an item. The key used when updating or inserting an item. Gets the key which deletes the current active row. The key which deletes the current active row. Gets or sets a value which if set to false, prevents the keyboard short-cuts such as update/insert on ENTER, exit edit/insert mode on ESC, etc. from being active. A value which if set to false, prevents the keyboard short-cuts such as update/insert on ENTER, exit edit/insert mode on ESC, etc. from being active. Gets or sets the key which update all records when a GridTableView.EditMode is set to Batch. Gets or sets the key which cancel all changes when a GridTableView.EditMode is set to Batch. Enumeration representing keyboard keys which could be associated with keyboard navigation keys to perform certain actions. Class holding settings in order to setup a settings. Gets or sets the DataSourceID of the nested view template. The the DataSourceID of the nested view template. Each entry in this collection consists of a relation key names. These key names have to be also populated in each GridTableView DataKeyNames array. When these properties are specified correctly, will be able to determine the child records of each GridTableView when the control builds the hierarchy, without handling the DetailTableDataBind event. You need to define the ParentTableRelations/DataKeyNames for the MasterTableView/GridTableViews according to the database relations conventions.And here are the exact conventions: the primary key column name for each table in the grid source (used for master/detail table population) should be added to the DataKeyNames collection of the respective master/detail table - The MasterKeyField in the GridRelationFields should match the primary key of the parent table in the corresponding relatio - The DetailKeyField in the GridRelationFields should match the foreign key of the child table in the corresponding relation The parent table relation. Code moved into this method from OnPreRender to make sure it executed when the framework skips OnPreRender() for some reason Registers the control with the ScriptManager Registers the CSS references Loads the client state data Saves the client state data Gets or sets the value, indicating whether to register with the ScriptManager control on the page. If RegisterWithScriptManager is set to false the control can be rendered on the page using Web Services or normal callback requests/page methods. Gets or sets the skin name for the control user interface. A string containing the skin name for the control user interface. The default is string.Empty. If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. For internal use. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Gets the real skin name for the control user interface. If Skin is not set, returns "Default", otherwise returns Skin. Gets or sets the value, indicating whether to render the skin CSS files during Ajax requests If EnableAjaxSkinRendering is set to false you will have to register the needed control base CSS file by hand when adding/showing the control with Ajax. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto The CssClass property will now be used instead of the former Skin and will be modified in AddAttributesToRender() protected override string CssClassFormatString { get { return "RadDock RadDock_{0} rdWTitle rdWFooter"; } } Gets or sets the skin to apply to the control. The name of the skin to apply to the control. The default is . The style sheet has already been applied.- or -The Page_PreInit event has already occurred.- or -The control was already added to the Controls collection. The class holding all client events. Gets or sets the client side event which will be fired when the input contol loses focus. The client side event which will be fired when the input contol loses focus. Gets or sets the client event will be fired when incorrect value is entered in the input and the validation fails. The client event will be fired when incorrect value is entered in the input and the validation fails. Gets or sets the client side event which will be fired on every key press when the input control is focused. The client side event which will be fired on every key press when the input control is focused. Gets or sets the client side event which will be fired on changing the value of the input control. The client side event which will be fired on changing the value of the input control. Gets or sets the client side event which will be fired when a focus to the input control is given. The client side event which will be fired when a focus to the input control is given. Gets or sets the client side event which will be fired before a input control is validated. The client side event which will be fired before a input control is validated. The event arguments passed when fires InputSettingsCreating event. The event is fired before creating the settings and could be canceled. Gets or sets if the creation of the settings will be canceled. Determines if the creation of the settings will be canceled. Gets the on which the settings will be applied. The on which the settings will be applied. Gets the target input properties associated with the TextBox. The target input properties associated with the TextBox. Gets the input setting which will be created. The input setting which will be created. The class holding a reference to a target control in order for to track all targeted inputs. Gets or sets the TextBox ID The TextBox ID. Gets or sets a value indicating the control should be enabled or not. The value indicating the control should be enabled or not. Collection containg items. Finds TargetInput setting by ID of input control ID of input control TargetInput or null Adds an item to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection, The to add to the collection. Removes the first occurrence of a specific from the collection. The to remove from the collection. Determines whether the collection contains a specific value. true if the is found in the collection; otherwise, false. The object to locate in the collection. Determines the index of a specific item in the collection. The index of if found in the list; otherwise, -1. The to locate in the collection. Inserts an item to the collection at the specified index. The zero-based index at which should be inserted. The to insert into the collection. is not a valid index in the collection. is null reference in the collection Collection holding items. Adds an to the end of the collection. The . Returns the zero-based index of the first occurrence of a in the collection. The . Inserts an element into the collection at the specified index. The index. The . Copies the entire collection to a compatible one-dimensional array, starting at the beginning of the target array. The . The starting index. Removes the first occurrence of a specific from the collection. The . Removes the element at the specified index of the collection. The index. Determines whether an element is in the collection. The value. Class holding settings associated with validation process. Gets or sets a value indicating the control should be required on client or not. A value indicating the control should be required on client or not. Gets or sets the name of the validation group to wich this setting belongs. The name of the validation group to wich this setting belongs. Gets or sets which event will cause the control to be validated. Which event will cause the control to be validated. Gets or sets url for the WebService or Page which will be requested to validate data. Gets or sets method name in the WebService or Page which will be requested to validate data. Enumeration determining when control will be validated. The RadInputManager offers an easy and intuitive way to extend a standard ASP.NET , and without any extra custom code, introduce much functionality, normally related to a Telerik RadInput control. For example, a standard text box control offers no default functionality for text parsing and validation – this has to be done via custom code, either client or server side. This input validation is normally associated with Telerik RadInput controls. The RadInputManager offers an easy and intuitive way to extend a standard ASP.NET , and without any extra custom code, introduce much functionality, normally related to a Telerik RadInput control. For example, a standard text box control offers no default functionality for text parsing and validation – this has to be done via custom code, either client or server side. This input validation is normally associated with Telerik RadInput controls. Finds the by provided behaviorID. The behaviorID. Finds the by provided type. The type. Gets a collection of InputSetting objects that allows for specifying the objects for which input elements will be created on the client-side. Gets or sets a value indicating whether manager should be enabled or not. The event arguments passed before validation happens and InputManagerValidating event is fired. Gets the which holds settings for all controls thar are being validated. The which holds settings for all controls thar are being validated. Gets or sets if the validation will be canceled and the controls will be valid. Determines if the validation will be canceled and the controls will be valid. Gets or sets if the valdiation is valid. Determines if the valdiation is valid. The event arguments passed when validated its input controls storred in particular . Gets the which holds settings for all controls thar are being validated. The which holds settings for all controls thar are being validated. custom validator which loops through TargetControls. Class holding settings determining the how the number will be displayed. Validates the specified control with supplied context. The control. The context. Validates the specified control. The control. Gets or sets the string to use as the decimal separator in values. The string to use as the decimal separator in values. The property is being set to an empty string. The property is being set to null. Gets or sets the number of decimal places to use in numeric values The number of decimal places to use in values. The property is being set to a value that is less than 0 or greater than 99. Gets or sets the number of digits in each group to the left of the decimal in values. The number of digits in each group to the left of the decimal in values. The property is being set to null. Gets or sets the string that separates groups of digits to the left of the decimal in values. The string that separates groups of digits to the left of the decimal in values. The property is being set to null. Gets or sets the format pattern for negative values. The format pattern for negative percent values. The property is being set to a value that is less than 0 or greater than 11. Gets or sets the format pattern for positive values. The format pattern for positive percent values. The The property is being set to a value that is less than 0 or greater than 3. Gets or sets the format pattern for zero values. The format pattern for zero percent values. The The property is being set to a value that is less than 0 or greater than 3. Gets or sets the value that indicates whether the value will be rounded. The value that indicates whether the value will be rounded. Gets or sets whether the control will keep its trailing zeros (according to the DecimalDigits setting) when focused. Determines whether the control will keep its trailing zeros (according to the DecimalDigits setting) when focused. Gets or sets the culture used by NumericTextBoxSetting to format the numburs. A CultureInfo object that represents the current culture used. The default value is System.Threading.Thread.CurrentThread.CurrentUICulture. Gets or sets the largest possible value of a NumericTextBoxSetting. The default value is positive 2^46. Gets or sets the smallest possible value of a RadNumericTextBox. The smallest possible value of a RadNumericTextBox. Gets or sets the time, in milliseconds, the InvalidStyle should be displayd. Must be a positive integer. The Time, in milliseconds, the InvalidStyle should be displayd. Must be a positive integer. Gets or sets the type of the RadNumericTextBox. The type of the RadNumericTextBox. Gets or sets the CSS style applied to control when is negative. The CSS style applied to control when is negative. Class holding settings for regular expression validation on control. Validates the specified control. The control. Validates the specified control with supplied context. The control. The context. Gets or sets the regular expression that determins the pattern used to validate the field. The regular expression that determins the pattern used to validate the field. Gets or sets a value indicating the control should be required on client or not. A value indicating the control should be required on client or not Settings determining the strength of a password. Gets the settings determining the stength of a password. The settings determining the stength of a password. Specifies which reorder buttons should be shown in . Members might be combined using bitwise operators allowing for custom configurations. Displays the move up button Displays the move down button Displays the move to top button Displays the move to down button Displays all buttons Displays the move up and the move down buttons only Specifies the position of the buttons in a . The buttons appear to the right of the listbox The buttons appear below the listbox The buttons appear to the left of the listbox The buttons appear above the listbox For internal use Specifies the horizontal alignment of buttons Buttons are left aligned Buttons are centered Buttons are right aligned This enumeration controls the Selection Mode of RadListBox. The default behaviour - only one Item can be selected at a time. Allows selection of multiple Items. Specifies which transfer buttons should be shown in . Members might be combined using bitwise operators allowing for custom configurations. Displays the transfer to button Displays the transfer from button Displays the transfer all to button Displays the transfer all from button Displays all buttons Displays the transfer to and transfer from buttons only Specifies the transfer behavior Items are moved to the destination listbox Items are copied to the destination listbox Specifies the vertical alignment of buttons The buttons are aligned with the top of the listbox The buttons are aligned with the middle of the listbox The buttons are aligned with the bottom of the listbox The Telerik.Web.UI.RadListBoxSort enumeration supports three values - None, Ascending, Descending. Default is None. Items are not sorted at all. Items are sorted in ascending order (min to max) Items are sorted in descending order (max to min) Specifies the position at which the user has dragged and dropped the source item(s) with regards to the destination item. The source item(s) is dropped above (before) the destination item. The source item(s) is dropped below (after) the destination item. Provides data for the event of the control. Provides data for the and events of the control. Gets the SourceDragItems. The SourceDragItems. Gets the ID of the HTML element on which the source item(s) is(are) dropped. A string representing the ID of the HTML element on which the source item(s) is(are) dropped. Represents the method that handles the event of the control. Provides data for the event of the control. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the event is canceled the Dropped event will not fire. Represents the method that handles the event of the control. Provides data for the event of the control. Gets or sets the source listbox of the transfer operation. The source listbox. Gets or sets the destination listbox of the transfer operation. The destination listbox. Gets or sets the referenced items in the control when the event is raised. The items. Represents the method that handles the event of the control. Provides data for the event. Provides data for the , , and events. Initializes a new instance of the class. The referenced items the control when the event is raised. Gets the referenced items in the control when the event is raised. The referenced items in the control when the event is raised. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the event is canceled the items will not be deleted. Represents the method that handles the event of the control. Represents the method that handles the event of the control. Provides data for the event of the control. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the is canceled the item will not be inserted. Represents the method that handles the event of the control. Provides data for the , events of the control. Initializes a new instance of the class. The referenced item. Gets or sets the referenced item in the control when the event is raised. The referenced item in the control when the event is raised. Represents the method that handles the and events. of the control. Provides data for the event of the control. Gets or sets the referenced items in the control when the event is raised. The items. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the event is canceled the item will not be reordered. Gets or sets the offset at which the item is reordered. The offset. Gets or sets the index at which the items are reordered. The new index. Represents the method that handles the event of the control. Provides data for the event of the control. Gets or sets the source listbox of the transfer operation. The source listbox. Gets or sets the destination listbox of the transfer operation. The destination listbox. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the is canceled the item will not be transferred. Gets or sets the referenced items in the control when the event is raised. The items. Represents the method that handles the event of the control. Provides data for the event. Gets or sets a value indicating whether the event is canceled. true if cancel; otherwise, false. If the event is canceled the items will not be deleted. Represents the method that handles the event of the control. Represents the settings of the buttons in a controls. Gets or sets the width of the button area. The width of the area. The default value is 30px. The AreaWidth property is taken into consideration only if the property is set to or . If not the button area is as wide as the listbox control. Gets or sets the height of the button area. The height of the area. The default value is 30px The AreaWidth property is taken into consideration only if the property is set to or . If not the button area is as tall as the listbox control. Gets or sets the position of the buttons. The position of the buttons. The default value is . When set to true enables render text on buttons functionality Gets or sets the horizontal align of the buttons within the button area. The horizontal align. The default value is The HorizontalAlign property is taken into consideration only if the property is set to or . Gets or sets the vertical align of the buttons in the within the button area. The vertical align. The default value is The VerticalAlign property is taken into consideration only if the property is set to or . Gets or sets a value indicating whether to display the "delete" button. true if the "delete" button should be displayed; otherwise, false. RadListBox displays the "delete" button when the and properties are both set to true. Gets or sets a value indicating whether to display the "reorder" buttons. true if the "reorder" buttons should be displayed; otherwise, false. RadListBox displays the "reorder" buttons when the and properties are both set to true. Gets or sets a value indicating whether to display the "transfer" buttons. true if the "transfer" buttons should be displayed; otherwise, false. RadListBox displays the "transfer" buttons when the and properties are both set to true. Gets or sets a value indicating whether to display the "transfer all" buttons. true if the "transfer all" buttons should be displayed; otherwise, false. RadListBox displays the "transfer all" buttons when the and properties are both set to true. Gets or sets a value that specifies which reorder buttons should be rendered. The reorder buttons mode. The default value is A value that specifies which reorder buttons should be rendered. Members might be combined using bitwise operators allowing for custom configurations. Gets or sets a value that specifies which transfer buttons should be rendered. The transfer buttons mode. The default value is A value that specifies which transfer buttons should be rendered. Members might be combined using bitwise operators allowing for custom configurations. For internal use Gets or sets the type. The type. Gets or sets the offset. The offset. Gets or sets the SourceListBox. The SourceListBox. Gets or sets the destination list box. The destination list box. Gets or sets the index of the destination. The index of the destination. Gets or sets the number of items. The number of items. Gets or sets the HTML element id. The HTML element id. Gets or sets the index of the item. The index of the item. Gets or sets a bool property that shows whether the checkAll checkbox is checked or unchecked Gets or sets the drop position. The drop position. This class gets and sets the localization properties in the buttons that are part RadListBox. Gets or sets the MoveUp string. The MoveUp string. Gets or sets the MoveDown string. The MoveDown string. Gets or sets MoveTop string. MoveTop string. Gets or sets MoveBottom string. MoveBottom string. Gets or sets the Delete string. The Delete string. Gets or sets ToLeft string. ToLeft string. Gets or sets ToRight string. ToRight string. Gets or sets ToTop string. ToTop string. Gets or sets ToBottom string. ToBottom string. Gets or sets AllToTop string. AllToTop string. Gets or sets AllToBottom string. AllToBottom string. Gets or sets AllToLeft string. AllToLeft string. Gets or sets AllToRight string. AllToRight string. Gets or sets the check all string. The check all string. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the selected indices. The selected indices. Gets or sets the checked indices. The checked indices. Gets or sets the scroll position. The scroll position. Gets or sets the IsEnabled. The IsEnabled. This Class defines the RadListBoxItem in RadListBox. Represents an item in the control. Use the property to set the text of the item. Use the property to specify the value of the item. Renders the HTML opening tag of the control to the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Initializes a new instance of the class. Initializes a new instance of the class. The text of the item. Initializes a new instance of the class. The text of the item. The value of the item. Clones this instance. Compares the current instance with another object of the same type. An object to compare with this instance. is not the same type as this instance. A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: Value Meaning Less than zero This instance is less than . Zero This instance is equal to . Greater than zero This instance is greater than . Removes this from the control which contains it. Not supported Gets or sets the value of this . The value of the item. If the Value property is not set the will be returned. Gets the which this item belongs to. The which this item belongs to; null (Nothing) if the item is not added to any control. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets a value indicating whether this is selected. true if selected; otherwise, false. Gets or sets a value indicating whether the item is checked or not. True if the item is checked; otherwise false. The default value is false Gets or sets a value indicating whether the item is checkable. A checkbox control is rendered for checkable nodes. If the CheckBoxes property set to true, RadTreeView automatically displays a checkbox next to each node. You can set the Checkable property to false for nodes that do not need to display a checkbox. Gets or sets a value indicating whether the Item can be dragged and dropped. True if the user is able drag and drop the Item; otherwise false. The default value is true. Gets the data key. The data key. Represents a collection of objects in a control. Initializes a new instance of the class. The parent control. Appends an item to the collection. The item to add to the collection. Appends an item to the collection. The text of the new item. Inserts an item to the collection at the specified index. The zero-based index at which should be inserted. The item to insert into the collection. Inserts an item to the collection at the specified index. The zero-based index location at which to insert the RadListBoxItem. The text of the new item. Finds all items mathcing the specified criteria. The delegate which determines whether an item matches the search criteria. Removes the specified item from the collection. The item to remove from the collection. Sort the items from RadListBoxItemCollection. Sort the items from RadListBoxItemCollection. An object from IComparer interface. Sort the items from RadListBoxItemCollection. Gets or sets the at the specified index. The interface implemened from all events. Override to fire the corresponding command. The source control which fires the command. Gets or sets a value, defining whether the command should be canceled. The event arguments passed when fires Command event. Override to fire the corresponding command. The source control which fires the command. Gets or sets the which was responsible for firing the event. The which was responsible for firing the event. Gets or sets the event source which represent the control which fired the event. The event source which represent the control which fired the event. Gets or sets a value, defining whether the command should be canceled. A value, defining whether the command should be canceled. For internal usage only. The event arguments passed when fires DataChange event. Gets or sets the rows affected by the change. The affected rows. Gets or sets the exception which could be thrown during the changing of the data. Otherwise the value is null. The exception which could be thrown during the changing of the data. Otherwise the value is null. Gets or sets the item which initiated the change. The item which initiated the change. Gets or sets if the thrown expcetion is handled. The value representing if the thrown exception is handeled. The event arguments passed when fires Deleted event. The event arguments passed when fires Updated event. Gets or sets if the will remain in edit mode or will be closed. Determines if the will remain in edit mode or will be closed. Gets or sets if the will remain in insert mode or will be closed. Determines if the will remain in insert mode or will be closed. The event arguments passed when fires PageChanged event during paging. Executes the corresponding command. The source control which fires the command. Gets or sets the new PageIndex value. The new PageIndex value. The event arguments passed when fires PageSizeChanged event. Executes the corresponding command. The source control which fires the command. Gets or sets the new PageSize value. The new PageSize value. For internal usage only. Fires .SelectedIndexChanged event. Gets or sets the which was selected. The selected . Gets or sets the which was responsible for firing the event. The which was responsible for firing the event. For internal usage only. Fires .SelectedIndexChanged event. Gets or sets the deselected item. The deselected item. Gets or sets the which was responsible for firing the event. The which was responsible for firing the event. The event arguments passed when sorting is performed. Executes the corresponding command. The source control which fires the command. Gets the sort expression associated with the sort command. The sort expression associated with the sort command. Gets the old sort order. The old sort order. Gets the new sort order. The new sort order. The arguments passed the fires FieldCreated event. Holds reference to RadDataPagerFieldItem that contains current field controls. Abstract class used from which is building block of the pager. After calling this method DataPagerField controls will be created and added to Controls colleciton of the passed DataPagerFieldItem DataPagerFieldItem item where controls will be instanciated Returns a that represents the current . A that represents the current . Builds navigation url if SEO paging is enabled. Argument that the link must be build for. Returns string representation of navigation url. Returns RadDataPager control that owns current pager field. This property is set by DataPagerFieldCollection and is read only. Gets the string representation of the type-name of this instance. The value is used by RadDataPager to determine the type of the pager field persisted into the ViewState, when recreating the pager after postback. This property is read only. Gets or sets the positioning of the pager field with regard to its CSS float style. Gets or sets value that indicates whether RadDataPagerField is rendered. Hidden attribute - Extra Small Hidden attribute - Small Hidden attribute - Medium Hidden attribute - Large Hidden attribute - Extra Large Horizontal Position attribute - Extra Small Horizontal Position attribute - Small Horizontal Position attribute - Medium Horizontal Position attribute - Large Horizontal Position attribute - Extra Large Creates button control from one of the following type: LinkButton, PushButton, ImageButton or HyperLink if AllowSEOPaging is set to "true". Button Enabled state will be validated depending on current page index. PagerFieldButtonType enumerator Text shown as content the button control Tooltip of the button Command that button triggers Command argument which will be passed along with CommandName CssClass that will be applied on the button The image url that will be applied on the button if it is of type Next, Prev, First, Last Text of the hidden span Returns button control of type: LinkButton, PushButton, ImageButton or HyperLink if SEO paging. Create button control for one of the following types: LinkButton, PushButton, ImageButton Create button of type HyperLink whenever AllowSEOPaging is set to "true". Sets content of HyperLink button in Lightweight and Mobile rendering if SEO paging is enabled, depending on commandArgument. Sets content of HyperLink button if SEO paging is enabled, depending on commandArgument. Get reference to image from embeded resources. Internally used by PrepareSEOButtonContent method. Formats the text depending on PagerFieldButtonType. Text for LinkButton is wrapped with span tag. Value from PagerFieldButtonType enum. Text to be formatted. Returns string representing content of button. Ensures button Enabled property. If button command argumetn is same as current page, button will be disabled. Button instance to be validated. Command argument for the button. Returns same button with Enabled property set. This property specifies the type of the buttons for current pager field. Default value LinkButton. which contains a button depending on the FieldType This method must be overriden in order to build controls for the current RadDataPagerField. Method for creating "Previous" button. Method for creating "Next" button. Method for creating "First" button. Method for creating "Last" button. checks if a given number is in the given range example: value = 5, offset = 1 possible values in range: 4, 5, 6 value to be checked offset forward and backward value to be compared to Method for creating all numeric pager buttons. This property specifies the type of the field. Default value is PrevNext field type. This property specifies Next button text. This property specifies Prev button text. This property specifies First button text. This property specifies Last button text. This property specifies the image url for the first button field. This property specifies the image url for the last button field. This property specifies the image url for the previous button field. This property specifies the image url for the next button field. This property specifies the number of the buttons for Numeric field type. Trim attribute - Extra Small Trim attribute - Small Trim attribute - Medium Trim attribute - Large Trim attribute - Extra Large which contains control in order to change the PageIndex property of Get or set RadNumericTextBox Width in pixels. Default value is 30px. Get or set text of the label before RadNumericTextBox. Get or set text of the lable after RaddNumericTextBox. Determines whether submit button should be render to change current page. Get or set submit button text if EnableSubmitButton is set to true. which contains page numbers which change the PageIndex property of . Get or set RadNumericTextBox Width in pixels. Default value is 30px. Get or set submit button text. Get or set text of the label. which contains control in order to change the PageSize property of Gets or sets the type of the page size drop down control. Get/Set the text of the label before RadComboBox Get/Set RadComboBox Width property in pixels. Default value is 50px. Gets or sets comma or semicolon delimited list of page sizes values. The comma or semicolon delimited list of page sizes values. Slider field which provides interface for changing the page size with a control. Get or set RadSlider DragText property. Get or set RadSlider DecreaseText property. Get or set RadSlider IncreaseText property. Get or set RadSlider orientation. Get or set the format of the label text. Default value is "Page {0} of {1}" template which could be used for creating template fields and inserting custom functionality This property contains template for RadDataPagerTemplateField. Container control is RadDataPagerFieldItem. Class which holds properties for setting the client-side events. This client-side event is fired after the is created. This client-side event is fired before the is created. This client-side event is fired when object is destroyed, i.e. on each window.onunload This client-side event is fired when current page index is set on object. This client-side event is fired when current page size is set on object. The related exception. Thrown when encouters internal errors. Enumeration representing the type of a field button. Enumeration representing the type of a button field. Enumeration representing where the PageField will be position horizontally. Collection holding references to for the Adds the to the end of the collection. The item. Removes all items from the collection. The is read-only. Determines whether the specified is contained in the collection. The item. Copies a range of elements from the to a compatible one-dimensional array, starting at the specified index of the target array. The one-dimensional array. The index of the target array. Removes the item from the collection. The item. Returns an enumerator that iterates through the collection. A that can be used to iterate through the collection. Searches for the specified object and returns the zero-based index of the first occurrence within the entire The item. Inserts a item with the specified index. The index where the item will be inserted. The item. Removes the item at the specified index. The zero-based index of the item to remove. is not a valid index in the . The is read-only. Gets the number of elements contained in the collection. The number of elements contained in the collection. Gets a value indicating whether the collection is read-only. true if the collection is read-only; otherwise, false. field which holds the instanciated . Holds reference to that is instanciated in current item. Holds reference to RadDataPager control. The arguments passed when fires command events. Gets the owner . The . Gets the which have fired the command event. The . Gets the control which was responsible for firing the event. The event source. The Gets or sets the field. The field. Gets the type of the field. The type of the field. The event arguments passed when fires page event during paging. Gets the maximum rows. The maximum rows. Gets the start row index in the specified data source. The start index. Gets the total row count which represents the count in the specified data source. The total row count. Class used to search controls and pageable item container by calling RetrievePageableItemContainer Retrieves the pageable item container which is the control implementing . The control. The control id. RadDataPager can be used to display paging navigation controls for other data-bound controls that implement the IPageableItemContainer or IRadPageableItemContainer interface (like the RadListView and MS ListView). The RadDataPager control lets users view large sets of data in small chunks for faster loading and easier navigation. It also provides a set of events, helper methods and properties for custom intervention. Raises event Raises event Raises event Triggers command on RadDataPager. Command that will be fired. Arguments of the command. Triggers command on RadDataPager. Command argument to be processed by RadDataPager Add listener to IRadPageableItemContainer events. This method is called when total row count is supplied by IRadPageableContainer. IRadPageableContainer itself DataPagerPageEventArgs arguments for creating pager fields This method is called to create all RadDataPager fields. This method checks query string for the key specified by SEOPagingQueryPageKey and if present attempt to page. Handles event that bubbles from any RadDataPagerField. Command event will be triggered. This method is called whenever any command bubbles from RadDataPagerField. If the command can be handled from RadDataPager it will return true and event bubbling will be prevented. If command name is custom return value will be false and command will continue to bubble. Could be any of the predefined RadDataPager commands or any custom command. Could be any of the predefined RadDataPager commands arguments or any custom argument. Return false will command should continue bubble or true if command is handled by RadDataPager. Raised when custom pager field is creating on postback Raised when pager field item is created. Raised when a button in a RadDataPager control is clicked. Raised when RadDataPager is not attached to pageable container and need information regarding total count of the items to page. Raised when current page index is changing. Gets or sets the ID of the control which will be paged. The paged control ID. Gets a collection of items. The fields. Gets a reference to , which holds properties for setting the client-side events Read only property. Holds reference to control that implements IRadPageableItemContainer or IPageableItemContainer. Gets reference to which helps in search for controls by ID, Type or finding the controls implementing . The container locator. Gets the start row index in the specified data source. The start index. Gets the total row count which represents the count in the specified data source. The total row count. Gets the maximum rows. The maximum rows. It is used for storing page size set declaratively In order to show this page size in the combo box with page sizes Gets or sets the page size of the target paged control. The page size. Gets the index of the current page. The index of the current page. Gets the page count of the target paged control. The page count. Get or set query string key for SEO paging. This property may be used in conjunction with AllowSEOPaging Get or set whether SEO paging should be used. When SEO paging is enabled this property will remove the URL from the HyperLink buttons and will replace it with sharp sign (#). No 'return false' will be used in this case. When set to true enables support for WAI-ARIA Gets or sets if the routing is enabled. The allow routing. Gets or sets the name of the route. The name of the route. Gets or sets the name of the route page index parameter. The name of the route page index parameter. Gets a object that represents the child controls for a specified server control in the UI hierarchy. The collection of child controls for the specified server control. Gets or sets the selected culture. Localization strings will be loaded based on this value. The selected culture. Localization strings will be loaded based on this value. Gets or sets a value indicating where RadDataPager will look for its .resx localization file. By default this file should be in the App_GlobalResources folder. However, if you cannot put the resource file in the default location or .resx files compilation is disabled for some reason (e.g. in a DotNetNuke environment), this property should be set to the location of the resource file. A relative path to the dialogs location. For example: "~/controls/RadDataPagerResources/". If specified, the LocalizationPath property will allow you to load the grid localization file from any location in the web application. The event arguments passed when RadDataPager fires TotalRowCountRequest event. Gets the total row count which represents the count in the specified data source. The total row count. The event arguments passed when RadDataPager fires PageIndexChange event. Gets or sets the new RadDataPager PageIndex value. The RadDataPager PageIndex value. Gets or sets the new RadDataPager StartRowIndex value. The new RadDataPager StartRowIndex value. Equalses the specified value. The value. Gets the hash code. Gets the type. Toes the string. Represents an container for RadListViewFilterExpression Represents Contains RadListView filter expression Abstract class holding all filter expression which use single string for a filter value. Abstract class representing basic single value filter expressions. Examples for single value expressions are: "EqualTo", "EndsWith", "Contains", "GreaterThan", "IsEmpty", "IsNotNull", "IsNull", "LessThan", "StartsWith", etc. Represents basic FilterExpression for the RadListView control Returns a representation of the current filter expression as a delegate Not intended for external usage Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. OpenAccessDataSource string representation Not intended for external usage Gets or sets the name of the field on which the filter expression should be applied Argument is null. Gets or sets the illegal strings array. These values indicate which strings could not be entered as a part of the filtering value. Excluding values from the array will allow these values to be entered in the filtering value. However, it is not recommended because possible security vulnerabilities could arise. The illegal strings array. These values indicate which strings could not be entered as a part of the filtering value. Excluding values from the array will allow these values to be entered in the filtering value. However, it is not recommended because possible security vulnerabilities could arise. Gets the type of filter function Gets the type of the field Gets the type of the current filter expression object Interface used within . Determines if the specified single value expression equals this instance expression. The other filter expression which will be used for comprasion. Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. OpenAccessDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Value to be filter on Get the type of the field Creates a instance of RadListViewStartsWithFilterExpression class name of the field on which filter will be applied Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Creates a instance of RadListViewContainsFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate Not intended for external usage Get the type of filter function Class representing coresponding to the EndsWith filter expression. Creates a instance of RadListViewEndsWithFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate Not intended for external usage Gets the type of filter function Represents a EqualTo RadListView filter expression type of the field on which filter will be applied Creates a instance of RadListViewEqualToFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate Not intended for external usage Get the type of filter function Get the field for the filter expresion. A collection holding items. Returns a expression builder object, the root of the fluent api helpers expression builder object This entry point for the fluent filter expression API A helper method for building filter expressions hierarchy in an fluent like manner expression builder helper object This entry point for the fluent filter expression API Returns a string representation of the filter expressions in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expressions in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expressions in format suitable for Oql usage. Oql string representation Not intended for external usage Finds a expression bound to a given fieldName Field's name to search for filterExpression Returns an enumerator that iterates through the collection. A that can be used to iterate through the collection. Adds the specified item to the end of the collection. The item to be added. Removes all items from the collection. The collection is read-only. Determines whether the item exists in the collection. The item to search for. Copies the collection to the target array from the specified array index. The target array. The start index from where to copy the current collection. Removes the specified item from the collection. The item to be removed. Returns the index position in the collection of the searched item. Othwise returns -1. The searched element item. Inserts the item in the specified index. The index the item will be placed. The item which will be inserted. Removes the item at the specified index. The zero-based index of the item to remove. Gets the number of elements contained in the collection. The number of elements contained in the collection. Intended for internal use only Appends an "And" clause to the FilterExpression. The result. Appends an "Or" clause to the FilterExpression. The result. Builds current expressions hierarchy expressions hierarchy can be build only once Intended for internal use only Adds an EqualTo filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an NotEqualTo filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an GreaterThan filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an GreaterThanOrEqualTo filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an Contains filter expression name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an StartsWith filter expression name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an EndsWith filter expression name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an LessThen filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an LessThanOrEqualTo filter expression type of the field which will be filtered name of the field which will be filtered value to be filter on instance of the RadListViewFilterExpressionLogicalBuilder Adds an IsNull filter expression name of the field which will be filtered instance of the RadListViewFilterExpressionLogicalBuilder Adds an IsNotNull filter expression name of the field which will be filtered instance of the RadListViewFilterExpressionLogicalBuilder Adds an IsEmpty filter expression name of the field which will be filtered instance of the RadListViewFilterExpressionLogicalBuilder Adds an IsNotEmpty filter expression name of the field which will be filtered instance of the RadListViewFilterExpressionLogicalBuilder Adds a group of filter expressions inner group instance instance of the RadListViewFilterExpressionLogicalBuilder Builds current expressions hierarchy expressions hierarchy can be build only once Gets value indicating if current expression hierarchy is build The filter expression enumeration. Same as: dataField LIKE '/%value/%' Same as: dataField = value Same as: dataField != value Same as: dataField > value Same as: dataField < value Same as: dataField >= value Same as: dataField <= value Same as: dataField = '' Same as: dataField != '' Only null values Only those records that does not contain null values within the corresponding column Same as: dataField LIKE 'value/%' Same as: dataField LIKE '/%value' Represents a GreaterThan RadListView filter expression type of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Get the type of filter function Represents a GreaterThen Or EqualTo RadListView filter expression type of the field on which filter will be applied Creates a instance of RadListViewGreaterThenOrEqualToFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Get the type of filter function Enumeration representing the group filter operations "And" and "Or". Represents a group of filter expressions Creates an instance of RadListViewGroupFilterExpression Creates an instance of RadListViewGroupFilterExpression logical operator which is connects the inner filterexpression Returns a representation of the current filter expression as a delegate delegate instance Not intended for external usage Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expressions in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Adds a given filter expression of the group fitlerexpression to be added Finds the by specified field name. The field name to be searched for. Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. Not intended for external usage OpenAccessDataSource string representation Gets logical operator which is connects the inner filterexpression Gets the type of filter function. Gets the type of the field. Gets the collection holding all filter expressions. The filter expressions. Class representing the "IsEmpty" filter expression extending the . Creates a instance of RadListViewIsEmptyFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. OpenAccessDataSource string representation Not intended for external usage Get the type of filter function Gets the type of the field Represents IsEmpty RadListView filter expression Creates a instance of RadListViewIsNotEmptyFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. Not intended for external usage OpenAccessDataSource string representation Get the type of filter function Gets the type of the field Class representing the "IsNotNull" filter expression extending the . Creates a instance of RadListViewIsNotNullFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. Not intended for external usage OpenAccessDataSource string representation Gets the type of filter function Gets the type of the field Class representing the "IsNull" filter expression extending the . Creates a instance of RadListViewIsNullFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Returns a string representation of the filter expression in format suitable for LinqDataSource usage. LinqDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for EntityDataSource usage. EntityDataSource string representation Not intended for external usage Returns a string representation of the filter expression in format suitable for OpenAccessDataSource control usage. Not intended for external usage OpenAccessDataSource string representation Gets the type of filter function Gets the type of the field Class representing the "LessThen" filter expression extending the . type of the field on which filter will be applied Creates a instance of RadListViewLessThanFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Get the type of filter function Represents a LessThanOrEqualTo RadListView filter expression type of the field on which filter will be applied Creates a instance of RadListViewLessThanOrEqualToFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate delegate's instance Not intended for external usage Get the type of filter function Class representing the "NotEqualTo" filter expression extending the . type of the field on which filter will be applied Creates a instance of RadListViewNotEqualToFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate Not intended for external usage Get the type of filter function A filter expression that corresponds to "StarsWith". Creates a instance of RadListViewStartsWithFilterExpression class name of the field on which filter will be applied Returns a representation of the current filter expression as a delegate Not intended for external usage Gets the type of filter function Represents an individual data item in a control. Represents an individual item in a control. Use this method to simulate item command event that bubbles to and can be handled automatically or in a custom manner, handling .ItemCommand event. command to bubble, for example 'Page' command argument, for example 'Next' Gets or sets the type of the item which represents enumeration and determines for what the item is used. The type of the item which represents enumeration and determines for what the item is used. Gets or sets the owner of the item. The owner of the item. Gets a value indicating whether the item is in edit mode at the moment. Get the DataKeyValues from the owner with the corresponding item and . The should be one of the specified in the array data key name data key value Extracts values from this instance and appends them to passed collection This is dictionary to fill, this parameter should not be null newValues is null. Updates properties of the passed object instance from current 's extracted values object to be updated objectToUpdate is null. When implemented, gets an object that is used in simplified data-binding operations. An object that represents the value to use when data-binding operations are performed. Gets the index of the data item bound to a control. An Integer representing the index of the data item in the data source. Gets the position of the data item as displayed in a control. An Integer representing the position of the data item as displayed in a control. Gets or set value indicating whether the item is selected Sets the Item in edit mode. Requires to rebind. Gets the old value of the edited item Represents an editable item Creates instance of RadListViewEditableItem instance which owns the item index at which the item is located on the current page Gets a value indicating whether the item is in edit mode at the moment. The interface implemented by the determining if the is insert item. Represents an insert item representing empty item which will be shown when no records are returned as DataSource for . Represents an item which is rendered when 's data source is empty Creates new instance of RadListViewEmptyDataItem Represents an item for the single group container Represents a data group item for the single data group container holds the key of the current data group holds the name of the group field Gets a key-value collection of all aggregate values in the data group. All aggregate values in the data group. InvalidOperationException. InvalidOperationException. Cannot perform this operation when DataSource is not assigned source is null. source is null. source is null. predicate is null. source is null. Specifies the function of an item in the control. Class which holds properties for setting the client-side events. This client-side event is fired after the is created. This client-side event is fired before the is created. This client-side event is fired when object is destroyed, i.e. on each window.onunload This client-side event is fired when a item is about to be selected. This client-side event is fired when a item is selected. This client-side event is fired when a item is about to be deselected. This client-side event is fired when a item is deselected. This client-side event is fired when a item is about to be dragged. This client-side event is fired when a item is dragged. [DefaultValue("")] This client-side event is fired when a item is about to be dropped after dragging. This event can be canceled. This client-side event is fired when a item is dropped after dragging. This event cannot be canceled. This client-side event is fired when a RadListView command occurs. This client-side event is fired before RadListView databinds. This client-side event is fired after RadListView databinds. This client-side event is fired when RadListView fails to databind automatically to a web service. This client-side event is fired during automatic databinding to a web service when the data source is resolved. This client-side event is fired during databinding when a client-side template is created. This client-side event is fired during databinding when a client-side template is databound. Class holding all settings associated with client-side functionlity for the . Gets a reference to class. Gets a reference to the instance that contains client-side databinding settings for this Gets the post back function which is used when fires command from the client. The post back function which is used when fires command from the client.. Gets or sets a value indicating whether the items can be dragged and dropped Collection holding items of type used in Items collection. A collection holding items of type . It is used in to hold different item collections. Class representing a collection of data key values. Copies all the elements of the current one-dimensional Array to the specified one-dimensional Array. The array to be coppied. The index where it will be copied. Gets the number of elements contained in the . The number of elements contained in the . Gets an object that can be used to synchronize access to the . An object that can be used to synchronize access to the . Gets a value indicating whether access to the is synchronized (thread safe). true if access to the is synchronized (thread safe); otherwise, false. Collection containing integer values representing the ItemIndex property. Adds the specified item index. The item index. Specifies the location of the InsertItemTemplate template when it is rendered as part of the control. The event arguments passed when fires ItemDragDrop event after a client-side drag-drop operation. Gets or sets the dragged item. The dragged item. Gets or sets the destination HTML element which represents the element on which The destination HTML element. Control used to enable a Drag-Drop operation in the by placing it in an template. Gets the CSS class applied to the drag handle. The CSS class applied to the drag handle. Provides data for the ItemCreated and ItemDataBound events. Initializes a new instance of the RadListViewItemEventArgs class. The item being created or data-bound. The event arguments passed when fires NeedDataSource event. Gets or sets the rebind reason enumeration determining the reason for the call to Rebind. The rebind reason. Enumeration determining the reason for the call to Rebind. Enumeration representing the order of sorting data in RadListView do not sort the listview data sorts listview data in ascending order sorts listview data in descending order Class that is used to define sort field and sort order for RadListView This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Returns a enumeration based on the string input. Takes either "ASC" or "DESC" This method gives the string representation of the sorting order. It can be either "ASC" or "DESC" Sets the sort order. The SortOrder paremeter should be either "Ascending", "Descending" or "None". ArgumentException. Parses a string representation of the sort order and returns GirdSortExpression. Gets or sets the name of the field to which sorting is applied. Sets or gets the current sorting order. A collection of objects. Depending on the value of it holds single or multiple sort expressions. Returns an enumerator that iterates through the RadListViewSortExpressionCollection. Adds a to the collection. Clears the RadListViewSortExpressionCollection of all items. Find a SortExpression in the collection if it contains any with sort field = expression sort field If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed If is true adds the sortExpression in the collection. Else any other expression previously stored in the collection wioll be removed String containing sort field and optionaly sort order (ASC or DESC) Adds a to the collection at the specified index. As a convenience feature, adding at an index greater than zero will set the to true. Removes the specified from the collection. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a parameter. Returns true or false depending on whether the specified sorting expression exists in the collection. Takes a string parameter. Adds the sort field (expression parameter) if the collection does not alreqady contain the field. Else the sort order of the field will be inverted. The default change order is Asc -> Desc -> No Sort. The No-Sort state can be controlled using property Get a comma separated list of sort fields and sort-order, in the same format used by DataView.Sort string expression. Returns null (Nothing) if there are no sort expressions in the collection Comma separated list of sort fields and optionaly sort-order, null if there are no sort expressions in the collection Searches for the specified and returns the zero-based index of the first occurrence within the entire . If false, the collection can contain only one sort expression at a time. Trying to add a new one in this case will delete the existing expression or will change the sort order if its FiledName is the same. This is the default indexer of the collection - takes an integer value. Allow the no-sort state when changing sort order. Returns the number of items in the RadListViewSortExpressionCollection. Gets a value indicating whether access to the RadListViewSortExpressionCollection is synchronized (thread safe).
Gets an object that can be used to synchronize access to the GirdSortExpressionCollection.
Provides a type converter to convert a string of comma-separated values to and from an array of strings for the . Represents a various validation setting of control Gets or sets a value that specifies whether validation is performed when the editor is set to validate when a postback occurs. A value that specifies whether validation is performed when the editor is set to validate when a postback occurs. Gets or sets a value that indicates whether a validator control will handle exceptions that occur during insert or update operations. A value that indicates whether a validator control will handle exceptions that occur during insert or update operations. Gets or sets the group of controls for which the control causes validation when it posts back to the server. The group of controls for which the control causes validation when it posts back to the server.. Gets or sets the commands to validate representing comma delimited list of command names. The commands to validate representing comma delimited list of command names. Specifies the repeat direction of RadMenu items when rendered in columns. Items are displayed vertically in columns from top to bottom, and then left to right, until all items are rendered. Items are displayed horizontally in rows from left to right, then top to bottom, until all items are rendered. Represents the animation settings like type and duration for the control. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. The default value is 450 milliseconds. Represents the animation settings like type and duration for the control. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. The default value is 450 milliseconds RadRating class Gets or sets a value indicating the server-side event handler that is called when the current rating of the RadRating control changes. A string specifying the name of the server-side event handler that will handle the event. The default value is an empty string. Two parameters are passed to the handler: sender, the RadRating object that raised the event. args. The following example demonstrates how to use the OnRate property.
<telerik:RadRating ID="RadRating1" runat= "server"
OnRate="OnRate" AutoPostBack="true">
....
</telerik:RadRating>
Executed right after the item is data-bound to the data source. Executed right after the item is created and inserted in the Rating Items collection. Binds the Rating control to a IEnumerable data source IEnumerable data source Creates a Rating item based on the data item object. Adds HTML attributes and styles that need to be rendered to the specified . This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. The Enabled property is reset in AddAttributesToRender in order to avoid setting disabled attribute in the control tag (this is the default behavior). This property has the real value of the Enabled property in that moment. Converts a string to decimal. The string value to parse. The resulting decimal value. Is parsing successful. Converts a number or bool value to decimal. The value to parse. The resulting value. Is parsing successful. Get/Set the number of items in the RadRating control - e.g. the number of stars that the control will have. Get/Set the width of each item in the RadRating control. Default: Unit.Empty Get/Set the height of each item in the RadRating control. Default: Unit.Empty Get/Set the current rating for the RadRating control. Gets or sets the value of RadRating in a database-friendly way. A Decimal object that represents the value. The default value is 0m. The following example demonstrates how to use the DbValue property to set the value of RadRating. private void Page_Load(object sender, System.EventArgs e) { RadRating1.DbValue = tableRow["Rating"]; } Private Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles MyBase.Load RadRating1.DbValue = tableRow("Rating") End Sub This property behaves exactly as the Value property. The only difference is that it will not throw an exception if the new value is null or DBNull. Setting a null value will revert the selected value to 0m. Get/Set the selection mode for the RadRating control - when the user rates, either mark a single item (star) as selected or all items(stars) from the first to the selected one. Get/Set the rating precision for the RadRating control - the precision with which the user can rate. Get/Set the orientation of the RadRating control. Get/Set the direction of the RadRating control, that is, the position of the item (star) with value 1. Get/Set a value indicating whether the RadRating control will display a browser toolip for its values. Get/Set a value indicating whether the RadRating control will initiate a postback after its value changes. Get/Set a value indicating whether the RadRating control is in read-only mode. Gets/Sets a value indicating whether the DataBound items should be appended to the Rating Items collection, or the collection should be cleared before creating the DataBound items. Gets the object through which the user should provide the binding information about the rating items. Gets or sets a value indicating the client-side event handler that is called when the RadRating control is initialized. A string specifying the name of the JavaScript function that will handle the event. The default value is an empty string. Two parameters are passed to the handler: sender, the RadRating object that raised the event. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientLoad property.
<script type="text/javascript">
function OnClientLoad(sender, args)
{
var ratingControl = sender;
}
</script>
<telerik:RadRating ID="RadRating1" runat="server"
OnClientLoad="OnClientLoad">
....
</telerik:RadRating>
Gets or sets a value indicating the client-side event handler that is called when the user clicks an item (star) of the RadRating control, but before the new value is set. A string specifying the name of the JavaScript function that will handle the event. The default value is an empty string. Two parameters are passed to the handler: sender, the RadRating object that raised the event. args. This event can be cancelled. The following example demonstrates how to use the OnClientRating property.
<script type="text/javascript">
function OnClientRating(sender, args)
{
var ratingControl = sender;
args.set_cancel(true); }
</script>
<telerik:RadRating ID="RadRating1" runat="server"
OnClientRating="OnClientRating">
....
</telerik:RadRating>
Gets or sets a value indicating the client-side event handler that is called when the user clicks an item (star) of the RadRating control. A string specifying the name of the JavaScript function that will handle the event. The default value is an empty string. Two parameters are passed to the handler: sender, the RadRating object that raised the event. args. This event cannot be cancelled. The following example demonstrates how to use the OnClientRated property.
<script type="text/javascript">
function OnClientRated(sender, args)
{
var ratingControl = sender;
}
</script>
<telerik:RadRating ID="RadRating1" runat="server"
OnClientRated="OnClientRated">
....
</telerik:RadRating>
Adds or removes an event handler method from the Rate event. Fired after a rating item (star) is clicked. Adds or removes an event handler method from the ItemDataBound event. Fired after a rating item (star) is data bound. Adds or removes an event handler method from the ItemDataBound event. Fired after a rating item is created and inserted in the Rating Items collection. Gets a RadRatingItemCollection object that contains the items of the current RadRating control. A RadRatingItemCollection that contains the items of the current RadRating control. By default the collection is empty (RadRating creates its items, based on the value of its ItemCount property). Use the Items property to access the child items of RadRating. You can add, remove or modify items from the Items collection. Gets a RadRatingItem object that represents the selected item in the RadRating control in case Items collection of the control is not empty. A RadRatingItem object that represents the selected item. If there are no items in the Items collection of the RadRating control, returns null. Gets a RadRatingItemCollection object that contains the selected items in the RadRating control. The collection is empty in case there are no items in the Items collection of the control. A RadRatingItemCollection containing the selected items. RadRatingItem class. Gets or sets the value of the rating item. The value of the rating item. Gets the index of the rating item in the Items collection of the rating control. The index of the rating item. Gets or sets the tooltip of the rating item. The tooltip of the rating item. The default value is empty string. Gets or sets the CSS class of the rating item. The CSS class to apply to the rating item. The default value is empty string. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string, the item will render the image, defined in the Skin of the rating control. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the item when it is hovered. The path to the image to display for the item. The default value is empty string. Use the HoveredImageUrl property to specify the image for the item when it is hovered. If the HoveredImageUrl property is set to empty string, the item will display the HoveredSelectedImageUrl image. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the item when it is selected. The path to the image to display for the item. The default value is empty string. Use the SelectedImageUrl property to specify the image for the item when it is selected. If the SelectedImageUrl property is set to empty string, the item will display the ImageUrl image. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the selected item when it is hovered. The path to the image to display for the item. The default value is empty string. Use the HoveredSelectedImageUrl property to specify the image for the selected item when it is hovered. If the HoveredSelectedImageUrl property is set to empty string, the item will display the SelectedImageUrl image. Use "~" (tilde) when referring to images within the current ASP.NET application. A collection of RadRatingItem objects in a RadRating control. The RadRatingItemCollection class represents a collection of RadRatingItem objects. Use the indexer to programmatically retrieve a single RadRatingItem from the collection, using array notation. Use the Count property to determine the total number of rating items in the collection. Use the Add method to add items in the collection. Use the Remove method to remove items from the collection. Initializes a new instance of the RadRatingItemCollection class. The owner of the collection. Specifies the possible values for the Precision property of the RadRating control. The user can select only the entire item (star). The user can select half an item (star) or the entire item (star). The user can select any portion of an item (star). Specifies the possible values for the SelectionMode property of the RadRating control. Only one item (star) is marked as selected - the currently selected item (star). Default behavior - all items (stars) from the first item (star) to the currently selected one are marked as selected. RadTicker control Binds the ticker to a IEnumerable data source IEnumerable data source The collection that holds all RadTickerItem objects. Specifies whether the ticker begins ticking automatically. You should leave this set to false if you are using the ticker within a RadTicker If you use the ticker independently and leave this setting to false you should use the client API call ticker_id.startTicker() to start it. Default: False Specifies whether will begin ticking the next tickerline (if any) after it has finished ticking the current one. If you set the AutoAdvance property to false, then you will have to use a client API Call ticker_id.tickNextLine() Default: True Specifies whether will repeat the first tickerline after displaying the last one. If you set this property to true RadTicker will never finish ticking. This may have possible implications when having more than one instance in a . This way works is that when the first ticker on a frame has finished ticking it will start ticking the next ticker on the frame. If a instance is ticking (has Loop=true) it will never finish and the next ticker on the frame will not get started. Default: False Specifies the duration in milliseconds between ticking each character of a tickerline. The lower the value the faster a line will finish ticking. Default: 20ms Specifies in milliseconds the pause makes before starting to tick the next line (if AutoAdvance=True). Default: 2000ms Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make Telerik RadTicker postback to the server on item click. The default value is false. Gets or sets the field of the data source that provides the value of the ticker lines. A string that specifies the field of the data source that provides the value of the ticker lines. The default value is an empty string. Use the DataTextField property to specify the field of the data source (in most cases the name of the database column) which provides the values for the Text property of databound ticker items. The DataTextField property is taken into account only during data binding. If the DataTextField property is not set and your datasource is not a list of strings, the RadTicker control will throw an exception. The following example demonstrates how to use the DataTextField. DataTable data = new DataTable(); data.Columns.Add("MyID"); data.Columns.Add("MyValue"); data.Rows.Add(new object[] {"1", "ticker item text 1"}); data.Rows.Add(new object[] {"2", "ticker item text 2"}); RadTicker1.DataSource = data; RadTicker1.DataTextField = "MyValue"; //"MyValue" column provides values for the Text property of databound ticker items RadTicker1.DataBind(); Dim data As new DataTable(); data.Columns.Add("MyID") data.Columns.Add("MyValue") data.Rows.Add(New Object() {"1", "ticker item text 1"}) data.Rows.Add(New Object() {"2", "ticker item text 2"}) RadTicker1.DataSource = data RadTicker1.DataTextField = "MyValue" '"MyValue" column provides values for the Text property of databound ticker items RadTicker1.DataBind() RadRotator Control Binds the rotator to a IEnumerable data source IEnumerable data source Binds the RadRotator to the collection of images found in the provided . If no path is provided the Rotator will use the data source provided. Forces the rotator to request the images from the specified location. This method is called by the RadRotator on PreRender. Therefore you don't have to call it unless you want to explicitly force the rotator to request its items. Gets all the images (used as banners/ads) from the specified folder. The virtual path to the folder where the images will be taken. The string of comma-separated allowed image extensions. Collection of all the images in the specified folder. Gets a string of comma-separated allowed image extensions when the rotator searches the for image files. The string of comma-separated allowed image extensions. The default allowed extensions are: "*.jpg,*.jpeg,*.gif,*.png,*.bmp,". Specifies the type of rotator [how the rotator will render and what options the user will have for interacting with it on the client] Default: RotatorType.Buttons Specifies possible directions for scrolling rotator items. Default: RotatorScrollDirection.Left | RotatorScrollDirection.Right Specifies the speed in milliseconds for scrolling rotator items. Default: 500 Specifies the index of the item, which will be shown first when the rotator loads. When set to 0 (default) - positions initial item to be visible in the rotator. When set to -1 - positions the initial item just outside of the rotator viewport. Any other positive value - the rotator starts with that particular item in the viewport. Default: 0 Gets or sets a value indicating whether the index of current item is persisted between postbacks. Specifies the time in milliseconds each frame will display in automatic scrolling scenarios. Default: 2000 Specifies the default rotator item width. Default: Unit.Empty Specifies the default rotator item height. Default: Unit.Empty Gets or sets the HTML template that will be used when the Rotator is databound to ClientDataSource. Gets the settings for the web service used to populate items An WebServiceSettings that represents the web service used for populating items. Use the WebServiceSettings property to configure the web service used to populate items on demand. You must specify both Path and Method to fully describe the service. In order to use the integrated support, the web service should have the following signature: [ScriptService] public class WebServiceName : WebService { [WebMethod] public RadRotatorItemData[] WebServiceMethodName(int itemIndex, int itemCount) { List<RadRotatorItemData> result = new List<RadRotatorItemData>(); RadRotatorItemData item; for (int i = 0; i < itemCount; i++) { item = new RadRotatorItemData(); item.Html = "test "+(itemIndex+i); result.Add(item); } return result.ToArray(); } } Gets or sets the height of the Web server control. The default height is 200 pixels. Gets or sets the width of the Web server control. The default width is 200 pixels. Gets or sets a value indicating whether a postback to the server automatically occurs when the user interacts with the control. Setting this property to true will make Telerik RadRotator postback to the server on item click. The default value is false. Gets or sets a value indicating whether to pause the rotator scrolling when the mouse is over a roatator item The default value is true. This means the animation will be paused when the user hovers over a rotator item. Gets or sets a value indicating whether to randomize the order of display for the rotator items. The default value is false. This means the items will be displayed in the order they appear in the datasource. Gets or sets a flag determining if drag-scrolling should be enabled. The default value is false. This means the drag-scrolling is not enabled. Gets or sets the virtual path where the rotator will look for ads/banners (images) to play. This property basically enables the Ad mode of the Rotator. The default value is string.Empty. The default value is an empty string. Specifies whether the Rotator items created on the client-side should be cleared before data binding. The name of the javascript function called when an item is clicked. The name of the javascript function called after an item is clicked. The name of the javascript function called when the mouse hovers over an item. The name of the javascript function called after the mouse leaves an item. The name of the javascript function called when an item is about to be shown. The name of the javascript function called after an item has been shown. The name of the javascript function called when the rotator is loaded on the client. The function is called right before the automatic animation (if used) begins. Gets or sets a value indicating the client-side event handler that is called when the RadRotator items are about to be populated when load on demand(from web service).The event is cancellable Gets or sets a value indicating the client-side event handler that is called when the RadRotator items were just populated when load on demand(from web service). Gets or sets a value indicating the client-side event handler that is called when the operation for populating the RadRotator when load on demand has failed. Gets or sets the name of the JavaScript function that will be called when an item is databound on the client-side. Gets or sets the name of the JavaScript function that will be called when the Rotator is databound on the client-side. Gets or sets the name of the JavaScript function called when the client template for an item is evaluated. This class represents a item. Gets the zero based index of the item. A collection of RadTickerItem objects in a RadTicker control. Initializes a new instance of the RadTickerItemCollection class. The parent Ticker control. Gets or sets the effect that will be used for the animation. Gets or sets the animation duration in milliseconds. Returns the web.config value which specifies the application EnableEmbeddedScripts property. Telerik.[ShortControlName].EnableEmbeddedScripts or Telerik.EnableEmbeddedScripts, depending on which value was set. Returns the web.config value which specifies the application EnableEmbeddedSkins property. Telerik.[ShortControlName].EnableEmbeddedSkins or Telerik.EnableEmbeddedSkins, depending on which value was set. Specifies the type of the . An item has been inserted in the control. An item has been removed from the control. A property of the item has been changed. All children of the control or the item have been removed. An item has changed its position Used in case of update client operations. The type of the item (e.g. , , , , , ) Gets the name of the property which has been changed on the client side. This Class defines the CombinedScriptWriter. Outputs the combined script file requested by the HttpRequest to the HttpResponse A Page, representing the HttpHandler HttpContext for the transaction true if the script file was output Regular expression for detecting WebResource/ScriptResource substitutions in script files Creates an instance of the ScriptEntryUrlBuilder class. Assumes that the resources are scripts only. If you want to combine style sheet files, use the other constructor, which has a third parameter to indicate that. Creates an instance of the ScriptEntryUrlBuilder class. If registerStyleSheets is true, splits combined style sheet files if their selector count exceeds 4000. Allow the transfer of data files using the W3C's specification for HTTP multipart form data. Microsoft's version has a bug where it does not format the ending boundary correctly. Transmits a file to the web server stated in the URL property. You may call this several times and it will use the values previously set for fields and URL. the text to send The local path of the file to send. Initialize our class for use to send data files. The URL of the destination server. Used to signal we want the output to go to a text file verses being transfered to a URL. The local path to the output file. Allows you to add some additional field data to be sent along with the transfer. This is usually used for things like userid and password to validate the transfer. The name of the custom field. The value of the custom field. Allows you to add some additional header data to be sent along with the transfer. The name of the custom header. The value of the custom header. Determines if we have a file stream set, and returns either the HttpWebRequest stream or the file. Either the HttpWebRequest stream or the local output file. Make the request to the web server and retrieve it's response into a text buffer. Builds the proper format of the multipart data that contains the form fields and their respective values. All form fields, properly formatted in a string. Returns the proper content information for the file we are sending. The local path to the file that should be sent. All file headers, properly formatted in a string. Creates the proper ending boundary for the multipart upload. The ending boundary. Mainly used to turn the string into a byte buffer and then write it to our IO stream. The stream to write to. The data to place into the stream. Reads in the file a chunck at a time then sends it to the output stream. The stream to write to. The local path of the file to send. Allows you to specify the specific version of HTTP to use for uploads. The dot NET stuff currently does not allow you to remove the continue-100 header from 1.1 and 1.0 currently has a bug in it where it adds the continue-100. MS has sent a patch to remove the continue-100 in HTTP 1.0. Used to change the content type of the file being sent. Currently defaults to: text/xml. Other options are text/plain or binary. The string that defines the begining boundary of our multipart transfer as defined in the w3c specs. This method also sets the Content and Ending boundaries as defined by the w3c specs. The string that defines the content boundary of our multipart transfer as defined in the w3c specs. The string that defines the ending boundary of our multipart transfer as defined in the w3c specs. The data returned to us after the transfer is completed. The web address of the recipient of the transfer. Allows us to determine the size of the buffer used to send a piece of the file at a time out the IO stream. Defaults to 1024 * 10. Allows us to specified the credentials used for the transfer. Allows us to specifiy the certificate to use for secure communications. Gets or sets a value indicating whether to make a persistent connection to the Internet resource. Gets or sets a value indicating whether the Expect100-Continue header should be sent. Gets or sets a value indicating whether to pipeline the request to the Internet resource. Gets or sets a value indicating whether the file can be sent in smaller packets. Represents a EditorDropDownItem dropdown item from a custom editor dropdown A strongly typed collection of EditorDropDownItem objects Enumerates all the possible controls or element for decoration. The flags are accumulating, i.e. combinations between values are possible No control should be decorate Decorate checkboxes only Decorate radio buttons form elements Decorate buttons elements. There are inputs[type=button,submit,reset] or button elements. Decorate browser scrollbar elements, where applicable - not all browsers support scrollbar decoration. Decorate input form elements that work with text. Most prominent representative is input[type=text]. Other types like password, search, url, file, etc. are decorated as well. Decorate textarea elements. Apply decoration to fieldsets Decorate label elements Decorate H[4-6] heading elements. Decorate select elements. Styling the decoration zone or the tag of the page Allow styling of GridView, FormView and DetailsView Decorate a ValidationSummary control Decorate the standard Login control Choose default decoration. It includes checkboxes, radio buttons, button and scrollbars Apply decoration to all applicable elements The editor for the column. Gets The text box instance created of extracted from a cell after calls to AddControlsToContainer or LoadControlsFromContainer methods. Gets The text box instance created of extracted from a cell after calls to AddControlsToContainer or LoadControlsFromContainer methods. Gets the shared calendar used for all picker controls. The shared calendar used for all picker controls. Gets the shared time view used for all controls using TimeView. The shared time view used for all controls using TimeView. Gets the instace of the Style that would be applied to the TextBox control, when initializing in a TableCell. Gets or sets default path for the GridDateTimeColumnEditor images when EnableEmbeddedSkins is set to false. A string containing the path for the grid images. The default is String.Empty. Gets or sets the cell text. The cell text. The editor for column. Gets or sets the Content property. The Content property. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets the control. The control. The editor for the column. Gets or sets the Text property. The Text property. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets the control. The control. The editor for the . Gets or sets the DbValue property. The DbValue property. Get value if the editor has been initialized after an InitializeInControl or InitializeFromControl method call Gets the instance for the current column editor. The the instance for the current column editor.. GridCalculatedColumn displays a value that is calculated based on one or more fields and an expression that indicates how to calculate the display value. Use the DataFields property to list all the fields that are used to calculate the column value. The Expression property then specifies how the field values are to be combined, using parameters based on the order of the fields listed in the DataFields property. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly This method should be used in case you develop your own column. It returns true if the column supports filtering. Calculate the default Group-by expression based on the settings of the DataField (if available) For example, if a column's DataField is ProductType the default group-by expression will be: 'ProductType Group By ProductType' This method should be used in case you develop your own column. It returns the full list of DataFields used by the column. GridTableView uses this to decide which DataFields from the specified DataSource will be inlcuded in case of GridTableView.RetrieveAllDataFields is set to false. For GridCalculatedColumn it is the same as the GetFilterDataField function. Gets or sets the field name from the specified data source to bind to the . A string, specifying the data field from the data source, from which to bind the column. Sets or gets format string for the footer/group footer aggregate. The footer aggregate format string. Gets or sets whether the column data can be filtered. The default value is true. A Boolean value, indicating whether the column can be filtered.
Use the DataFormatString property to provide a custom format for the items in the column. The data format string consists of two parts, separated by a colon, in the form { A : Bxx }.
For example, the formatting string {0:C2} displays a currency formatted number with two decimal places.
Note: The entire string must be enclosed in braces to indicate that it is a format string and not a literal string. Any text outside the braces is displayed as literal text. The value before the colon (A in the general example) specifies the parameter index in a zero-based list of parameters.
Note: This value can only be set to 0 because there is only one value in each cell.
The value before the colon (A in the general example) specifies the parameter index in a zero-based list of parameters. The character after the colon (B in the general example) specifies the format to display the value in. The following table lists the common formats.
Format character Description C Displays numeric values in currency format. D Displays numeric values in decimal format. E Displays numeric values in scientific (exponential) format. F Displays numeric values in fixed format. G Displays numeric values in general format. N Displays numeric values in number format. X Displays numeric values in hexadecimal format.
Note: The format character is not case-sensitive, except for X, which displays the hexadecimal characters in the case specified.
The value after the format character (xx in the general example) specifies the number of significant digits or decimal places to display.
For more information on formatting strings, see Formatting Overview (external link to MSDN library).
Gets or sets the string that specifies the display format for items in the column. A string that specifies the display format for items in the column
Gets or sets a whether the column data can be sorted. A boolean value, indicating whether the column data can be sorted. Gets or sets a string, representing a comma-separated enumeration of DataFields from the data source, which will form the expression. A string, representing a comma-separated enumeration of DataFields from the data source, which will form the expression. Gets or sets the expression used to filter rows, calculate the values in a column, or create an aggregate column. The expression used to filter rows, calculate the values in a column, or create an aggregate column. GridHTMLEditorColumn is for columns whose values are a string of HTML. It uses RadEditor to allow WYSIWYG editing of HTML values. The DataField property must identify a field with a valid data type (string of HTML). This column type is editable (implements the IGridEditableColumn interface) and by default provides GridHTMLEditorColumnEditor as its column editor. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly When in browser mode, GridMaskedColumn looks and behaves like a standard GridBoundColumn. When in edit mode, however, it displays a RadMaskedTextBox control. This column type is for values that fit a specific format. Use the Mask property to specify an edit mask that defines the valid values. The DataField property must identify a field with a valid data type (values conform to the mask). This column type is editable (implements the IGridEditableColumn interface) and by default provides GridMaskedColumnEditor as its column editor. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Gets or sets the Mask property of the control. The Mask property of the control. Gets or sets the DsiplayMask property of the control. The DsiplayMask property of the control. When in browser mode, GridNumericColumn looks and behaves like a standard GridBoundColumn. When in edit mode, however, it displays a RadNumericTextBox control. This column type is for numeric values. Its DataField property must identify a field with a valid data type (Number or Decimal). This column type is editable (implements the IGridEditableColumn interface) and by default provides GridNumericColumnEditor as its column editor. Creates a copy of the current column. Note: When implementing/overriding this method be sure to call the base member or call CopyBaseProperties to be sure that all base properties will be copied accordingly Modifies the CurrentFilterValue property according to the corresponding selected item in the filter text-box control in the filtering item. Modifies the CurrentFilterFunction and CurrentFilterValue properties according to the function given and the corresponding filter text-box control in the filtering item. Gets or sets a value indicating the multiplication factor. Gets or sets the NumericType property of the control. The NumericType property of the control. Gets or sets the NumberFormat.AllowRounding property of the control. The NumberFormat.AllowRounding property of the control. Gets or sets the NumberFormat.KeepNotRoundedValue property of the control. The NumberFormat.KeepNotRoundedValue property of the control. Gets or sets the NumberFormat.DecimalDigits property of the control. The NumberFormat.DecimalDigits property of the control. Gets or sets the largest possible value of a GridNumericColumn. The default value is positive 2^46. Gets or sets the smallest possible value of a GridNumericColumn. The default value is negative -2^46. Gets or sets a value indicating whether the button is displayed in the RadInput control. true if the button is displayed; otherwise, false. The default value is true Gets or sets whether the GridNumericColumn should autocorrect out of range values to valid values The default value is true Type of object that is used to wrap the DbValue property. Default value is set to the Double. The event arguments passed when fires CustomAggregate event. The event is fired when a property is set to . Gets the in which the aggregate will be placed. The in which the aggregate will be placed. Gets the column for which the custom aggregate should be calculated. The column for which the custom aggregate should be calculated. Gets or sets aggregate result. item which represents a footer for each group on the current page. Gets or sets all aggregate values in the footer. All aggregate values in the footer. Gets the GroupHeaderItem of the same group as this GroupFooterItem The original DataItem from the DataSource. See examples section below. For example if you bind the grid to a DataView object the DataItem will represent the DataRowView object extracted from the DataView for this GridItem. Note that the DataItem object is available only when grid binds to data (inside the ItemDataBound server event handler). Class containing functionality for formating a double number with the specified . Formats a double number by looking at the provided . The number to be formated.. The . The formatted value. Data class used for transferring rotator items from and to web services. For information about the role of each property see the RadRotatorItem class. The HTML content of the rotator frame. Note that you do not need to use templates here - the HTML will be added to the page directly. See RadRotatorItem.Visible. See RadRotatorItem.CssClass. This class represents a item. Gets the zero based index of the item. A collection of RadRotatorItem objects in a RadRotator control. Initializes a new instance of the RadRotatorItemCollection class. The parent Rotator control. Encapsulates the properties used for the RadRotator control buttons management. this function tries to get the client id of a control in the same naming container the control id the control to search in the client id if the control is found, or the input parameter if the control does not exist The name of the javascript function called when the user clicks one of the control buttons. This event is raised only when the rotator is in Buttons mode! The name of the javascript function called when the mouse is over one of the control buttons. This event is raised only when the rotator is in ButtonsOver mode! The name of the javascript function called when the mouse leaves one of the control buttons. This event is raised only when the rotator is in ButtonsOver mode! This enum defines the available scroll directions for the RadRotator control. Left scroll direction is used to create a horizontal rotator. Cannot be used together with Up or Down. Right scroll direction is used to create a horizontal rotator. Cannot be used together with Up or Down. Up scroll direction is used to create a vertical rotator. Cannot be used together with Left or Right. Down scroll direction is used to create a vertical rotator. Cannot be used together with Left or Right. Defines the available RadRotator layout and animation types. Automatically move the items of the rotator after a specified delay. Move the rotator items when the mouse is over the rotator buttons. Move the rotator items when the user clicks one of the rotator buttons. Use a slideshow effect to move the items of the rotator automatically after a specified delay. Use a slideshow effect to move the items of the rotator when the user clicks one of the rotator buttons. The rotator items will not move automatically. The developer must write JavaScript code to guide the movement of the rotator items. Use a carousel (items arranged in a ellipse) to move the rotator items automatically after a specified delay. Use a carousel (items arranged in a ellipse) to move the rotator items when the user clicks one of the rotator buttons. Use a coverflow ("iTunes" like) to move the rotator items automatically after a specified delay. Use a coverflow ("iTunes" like) to move the rotator items when the user clicks one of the rotator buttons. Used to serialize resource values. Serializes the specified object to serialize. The object to serialize. Serializes the specified object to serialize. The object to serialize. The enable mac validation. Deserializes the specified serialized object. The serialized object. Deserializes the specified serialized object. The serialized object. The enable mac validation. Minimal implementation of ISchedulerOperationResult. The type of the appointment data transfer object in use. Typically this is AppointmentData or derived class. This interface defines an operation result contract that can be optionally used by the web service methods. Implementers can extend it with additional data fields to report status and to transfer additional metadata. See the online documentation for more details. The type of the appointment data transfer object in use. Typically this is AppointmentData or derived class. Gets or sets the appointments. The appointments. A data transfer object used for Web Service data binding. A resource data interface. A resource data class. Copies from. The SRC resource. Copies to. The dest resource. Gets or sets the key. The key. Gets or sets the text. The text. Gets or sets the type. The type. Gets or sets the available. The available. Gets or sets the encoded key. The encoded key. Gets or sets the attributes. The attributes. A context menu control used with the control. The RadSchedulerContextMenu object is used to assign context menus to appointments. Use the property to add context menus for a object. Use the property to assign specific context menu to a given . The following example demonstrates how to add context menus declaratively <telerik:RadTreeView ID="RadTreeView1" runat="server"> <ContextMenus> <telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <telerik:RadMenuItem Text="Menu1Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu1Item2"></telerik:RadMenuItem> </Items> </telerik:RadTreeViewContextMenu> <telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <telerik:RadMenuItem Text="Menu2Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu2Item2"></telerik:RadMenuItem> </Items> </telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> <telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> </Nodes> </telerik:RadTreeNode> <telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> <telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> </Nodes> </telerik:RadTreeNode> </Nodes> </telerik:RadTreeView> OnClientItemClicking is not available for RadSchedulerContextMenu. Use the OnClientContextMenuItemClicking property of RadScheduler instead. OnClientItemClicked is not available for RadSchedulerContextMenu. Use the OnClientContextMenuItemClicked property of RadScheduler instead. OnClientShowing is not available for RadSchedulerContextMenu. Use the OnClientContextMenuShowing property of RadScheduler instead. OnClientShown is not available for RadSchedulerContextMenu. Use the OnClientContextMenuShown property of RadScheduler instead. Provides a collection container that enables RadScheduler to maintain a list of its RadSchedulerContextMenus. Initializes a new instance of the RadSchedulerContextMenuCollection class for the specified RadScheduler. The RadScheduler that the RadSchedulerContextMenuCollection is created for. Adds the specified RadSchedulerContextMenu object to the collection The RadSchedulerContextMenu to add to the collection Determines whether the specified RadSchedulerContextMenu is in the parent RadScheduler's RadSchedulerContextMenuCollection object. The RadSchedulerContextMenu to search for in the collection true if the specified RadSchedulerContextMenu exists in the collection; otherwise, false. Copies the RadSchedulerContextMenu instances stored in the RadSchedulerContextMenuCollection object to an System.Array object, beginning at the specified index location in the System.Array. The System.Array to copy the RadSchedulerContextMenu instances to. The zero-based relative index in array where copying begins Appends the specified array of objects to the end of the current . The array of to append to the end of the current . Retrieves the index of a specified RadSchedulerContextMenu object in the collection. The RadSchedulerContextMenu for which the index is returned. The index of the specified RadSchedulerContextMenu instance. If the RadSchedulerContextMenu is not currently a member of the collection, it returns -1. Inserts the specified RadSchedulerContextMenu object to the collection at the specified index location. The location in the array at which to add the RadSchedulerContextMenu instance. The RadSchedulerContextMenu to add to the collection Removes the specified RadSchedulerContextMenu from the parent RadScheduler's RadSchedulerContextMenuCollection object. The RadSchedulerContextMenu to be removed To remove a control from an index location, use the RemoveAt method. Removes a child RadSchedulerContextMenu, at the specified index location, from the RadSchedulerContextMenuCollection object. The ordinal index of the RadSchedulerContextMenu to be removed from the collection. Gets a reference to the RadSchedulerContextMenu at the specified index location in the RadSchedulerContextMenuCollection object. The location of the RadSchedulerContextMenu in the RadSchedulerContextMenuCollection The reference to the RadSchedulerContextMenu. Represents the method that handles the ContextMenuItemClick event of a RadTreeView control. The source of the event. A RadTreeViewContextMenuEventArgs that contains the event data. The ContextMenuItemClick event is raised when an item in the RadTreeViewContextMenu of the RadTreeView control is clicked. A click on a RadTreeViewContextMenu item of the RadTreeView makes a postback only if an event handler is attached to the ContextMenuItemClick event. The following example demonstrates how to display information about the clicked item in the RadTreeViewContextMenu shown after a right-click on a RadTreeNode. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> void RadTreeView1_ContextMenuItemClick(object sender, RadTreeViewContextMenuEventArgs e) { lblInfo.Text = string.Format(@"You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text); } </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> <%@ Page Language="VB" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> Sub RadTreeView1_ContextMenuItemClick(ByVal sender as Object, ByVal e as RadTreeViewContextMenuEventArgs) lblInfo.Text = String.Format("You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", _ e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text) End Sub </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> Provides data for the ContextMenuItemClick event of the RadTreeView control. This class cannot be inherited. The ContextMenuItemClick event is raised when an item in the RadTreeViewContextMenu of the RadTreeView control is clicked. A click on a RadTreeViewContextMenu item of the RadTreeView makes a postback only if an event handler is attached to the ContextMenuItemClick event. The following example demonstrates how to display information about the clicked item in the RadTreeViewContextMenu shown after a right-click on a RadTreeNode. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> void RadTreeView1_ContextMenuItemClick(object sender, RadTreeViewContextMenuEventArgs e) { lblInfo.Text = string.Format(@"You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text); } </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> <%@ Page Language="VB" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> Sub RadTreeView1_ContextMenuItemClick(ByVal sender as Object, ByVal e as RadTreeViewContextMenuEventArgs) lblInfo.Text = String.Format("You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", _ e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text) End Sub </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> Initializes a new instance of the RadTreeViewContextMenuEventArgs class. A RadTreeNode which represents a node in the RadTreeView control. A RadMenuItem which represents an item in the RadTreeViewContextMenu control. Gets the referenced RadMenuItem in the RadTreeViewContextMenu control when the event is raised. Use this property to programmatically access the item referenced in the RadTreeViewContextMenu when the event is raised. Gets the referenced RadTreeNode in the RadTreeView control when the event is raised. Use this property to programmatically access the item referenced in the RadTreeNode when the event is raised. Provides data for the event of the control. Gets the menu item. The menu item. Provides data for the event of the control. Gets the menu item. The menu item. Provides data for the event of the control. Gets the master appointment that was used to generate the occurrence. The master appointment that was used to generate the occurrence. Gets the occurrence appointment that is about to be removed. The occurrence appointment that is about to be removed. This can also be the master appointment itself. If this is the case, it'll remain in the Appointments collection, but it will be hidden (Visible=false). Provides data for the event of the control. Gets the menu item. The menu item. Gets the time slot. The time slot. Gets the first time slot from the selected slot range. The first time slot from the selected slot range. Gets the last time slot from the selected slot range. The last time slot from the selected slot range. Provides data for the event of the control. Gets the menu item. The menu item. Gets the time slot. The time slot. Gets the first time slot from the selected slot range. The first time slot from the selected slot range. Gets the last time slot from the selected slot range. The last time slot from the selected slot range. Provides data for the event of the control. Gets or sets the ISchedulerInfo object that will be passed to the provider/web service. The ISchedulerInfo object that will be passed to the provider/web service. You can replace this object with your own implementation of ISchedulerInfo in order to pass additional information to the provider/web service. Gets or sets the URI for the request that is about to be made by a RadScheduler. The URI for the request that is about to be made by a RadScheduler; null (Nothing in Visual Basic) when web service binding is not used. This property contains the absolute URI for the request, as resolved by RadScheduler. You might need to modify this URI to accommodate for URL rewriters and other scenarios. Gets a collection of header name/value pairs associated with the request. A WebHeaderCollection containing header name/value pairs associated with this request; null (Nothing in Visual Basic) when web service binding is not used. The Headers property contains a WebHeaderCollection instance containing header information that RadScheduler sends with the request. Gets or sets the network credentials that are sent to the host and used to authenticate the request. An ICredentials containing the authentication credentials for the request. The default is a null reference (Nothing in Visual Basic). Typically, you would set this property to the credentials of the client on whose behalf the request is made. Gets or sets the proxy to be used to connect to the Web Service. An IWebProxy instance. The default is a null reference (Nothing in Visual Basic). The localization strings to be used in RadSchedulerRecurrenceEditor. This Class defines RadSchedulerRecurrenceEditor control that inherits RecurrenceEditor and INamingContainer. Call when the RecurrenceEditor internal controls should be reinitialized. A good example is when placing the RecurrenceEditor in external edit/insert form. In order to clean the last selected values (from the previous display of the form) you can call the ResetLayout in the FormCreating event of RadScheduler and then on FormCreated event to populate the RecurrenceEditor with a RecurrenceRule (if edit). Gets the localization. The localization. Gets or sets a value indicating where RadSchedulerRecurrenceEditor will look for its .resx localization files. The localization path. This Class implements the ResourceStyleMapping. Gets or sets a value indicating the resource key to match. Resource key to match. Gets or sets a value indicating the resource text to match. Resource text to match. Gets or sets a value indicating the resource type to match. Resource type to match. Gets or sets a value indicating the cascading style sheet (CSS) class to render for appointments that use the matching resource. The cascading style sheet (CSS) class to render for appointments that use the matching resource. The default value is Empty. You can define your own CSS class name or use some of the predefined class names: rsCategoryBlue rsCategoryDarkBlue rsCategoryDarkGreen rsCategoryDarkRed rsCategoryGreen rsCategoryOrange rsCategoryPink rsCategoryRed rsCategoryViolet rsCategoryYellow Gets or sets a value indicating the background color to render for appointments that use the matching resource. The background color to render for appointments that use the matching resource. The default value is Empty. Setting a background color automatically switches the appointment rendering to Simple (no rounded corners and gradients). In order to disable this legacy behavior, and force the default rendering, set AppointmentStyleMode to Default. Gets or sets a value indicating the border color to render for appointments that use the matching resource. The border color to render for appointments that use the matching resource. The default value is Empty. Setting a border color automatically switches the appointment rendering to Simple (no rounded corners and gradients). In order to disable this legacy behavior, and force the default rendering, set AppointmentStyleMode to Default. This Class implements the ResourceStyleMapping collection. Specifies the resource population mode of a RadScheduler control when using Web Service data binding. In manual mode RadScheduler will not request resources from the Web Service. They can be populated from the code-behind of the ASP.NET page that hosts the RadScheduler control. This mode is useful when server-side requests from the server are undesirable or forbidden (Medium Trust for example). The resources will be populated from the server by issuing a request to the Web Service. The ResourcesPopulating event will be raised. The resources will be populated from the client by issuing a request to the Web Service. The ResourcesPopulating client-side event will be raised. Grouped views are not supported in this mode. This Class gets and sets the SchedulerWebService Settings. Gets or sets the method name to be called to populate items with ExpandMode set to WebService. The method must be part of the web service specified through the Path property. Gets or sets the update mode for Appointments in WebService scenarios. Using Batch results in updating all appointments per single operation. On the other hand, Single mode updates only the appointment that was edited, hence reducing the bandwidth usage. Gets or sets the method name to be called to populate the appointments. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to delete appointments. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to insert appointments. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to update appointments. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to get the resources list. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to create recurrence exceptions. The method must be part of the web service specified through the Path property. Gets or sets the method name to be called to remove the recurrence exceptions of a given appointment. The method must be part of the web service specified through the Path property. Gets or sets the resource population mode to be used from RadScheduler. The resource population mode to be used from RadScheduler. The default value is ClientSide Resources need to be populated from the server when using resource grouping. Doing so also reduces the client-side initialization time. This operation requires the WebPermission to be granted for the Web Service URL. This permission is not granted by default in Medium Trust. You can disable the population of the resources from the server and still use client-side rendering for grouped views. To do so you need to set the value to Manual and populate the resources from the OnInit method of the page. Used to customize the OData binding settings. Provides data for the event of the control. Gets the container. The container. For internal use only. This enum specifies if the RecurrenceState is NotRecurring, Master, Occurrence or Exception. RecurrenceState is set to NotRecurring. NotRecurring = 0 RecurrenceState is set to Master. Master = 1 RecurrenceState is set to Occurrence. Occurrence = 2 RecurrenceState is set to Exception. Exception = 3 This interface contains the basic information about the scheduler instance that will be transferred to the Web Service and to the corresponding provider. See RadScheduler.VisibleRangeStart See RadScheduler.VisibleRangeEnd See RadScheduler.EnableDescriptionField See RadScheduler.MinutesPerRow Time Zone Offset in milliseconds See RadScheduler.TimeZoneOffset Limit of visible appointments per day. A value of 0 means no limit. Update mode for Appointments. Can be either batch or single. Default implementation of ISchedulerInfo See RadScheduler.VisibleRangeStart See RadScheduler.VisibleRangeEnd See RadScheduler.EnableDescriptionField See RadScheduler.MinutesPerRow Time Zone Offset in milliseconds See RadScheduler.TimeZoneOffset Limit of visible appointments per day. A value of 0 means no limit. The update mode for this request - Batch or Single. Represents the appointment data for an appointment such as Start, End, Subject, Description, etc. Copies from. The SRC appointment. Copies to. The dest appointment. Gets or sets the ID. The ID. Gets or sets the encoded ID. The encoded ID. Gets or sets the start. The start. Gets or sets the end. The end. Gets or sets the subject. The subject. Gets or sets the description. The description. Gets or sets the state of the recurrence. The state of the recurrence. Gets or sets the recurrence parent ID. The recurrence parent ID. Gets or sets the encoded RecurrenceParentID. The encoded RecurrenceParentID. Gets or sets the recurrence rule. The recurrence rule. Gets or sets the visible. The visible. Gets or sets the time zone ID. The time zone ID. Gets or sets the resources. The resources. Gets or sets the attributes. The attributes. Gets or sets the reminders. The reminders. The WebServiceAppointmentController provides a facade over a object and is used to call your provider from web services. Instantiates a new based on the default provider configured in web.config. If there is no provider configured in the web.config file a will be thrown. Instantiates a new by using the specified provider name. The name of the provider configured in web.config Instantiates a new based on the supplied The provider which will be used XmlSchedulerProvider provider = new XmlSchedulerProvider(Server.MapPath("~/App_Data/data.xml"), true); WebServiceAppointmentController controller = new WebServiceAppointmentController(provider); Dim provider As New XmlSchedulerProvider(Server.MapPath("~/App_Data/data.xml"), True) Dim controller As New WebServiceAppointmentController(provider) Gets the appointments corresponding to specified time period Contains the current time period [WebMethod] public IEnumerable<AppointmentData> GetAppointments(SchedulerInfo schedulerInfo) { return Controller.GetAppointments(schedulerInfo); } <WebMethod> _ Public Function GetAppointments(schedulerInfo As SchedulerInfo) As IEnumerable(Of AppointmentData) Return Controller.GetAppointments(schedulerInfo) End Function Gets the appointments. The scheduler info. Inserts the specified appointment and returns the available appointments. A object which contains the current time period. A object which contains the appointment properties. [WebMethod] public IEnumerable<AppointmentData> InsertAppointment(SchedulerInfo schedulerInfo, AppointmentData appointmentData) { return Controller.InsertAppointment(schedulerInfo, appointmentData); } <WebMethod> _ Public Function InsertAppointment(schedulerInfo As SchedulerInfo, appointmentData As AppointmentData) As IEnumerable(Of AppointmentData) Return Controller.InsertAppointment(schedulerInfo, appointmentData) End Function Inserts the appointment. The scheduler info. The appointment data. Updates the specified appointment and returns the available appointments. A object which contains the current time period. A object which contains the appointment properties. [WebMethod] public IEnumerable<AppointmentData> UpdateAppointment(SchedulerInfo schedulerInfo, AppointmentData appointmentData) { return Controller.UpdateAppointment(schedulerInfo, appointmentData); } <WebMethod> _ Public Function UpdateAppointment(schedulerInfo As SchedulerInfo, appointmentData As AppointmentData) As IEnumerable(Of AppointmentData) Return Controller.UpdateAppointment(schedulerInfo, appointmentData) End Function Updates the appointment. The scheduler info. The appointment data. Creates a recurrence exception with the specified appointment data and returns the available appointments. A object which contains the current time period. A object which contains the exception properties. [WebMethod] public IEnumerable<AppointmentData> CreateRecurrenceException(SchedulerInfo schedulerInfo, AppointmentData recurrenceExceptionData) { return Controller.CreateRecurrenceException(schedulerInfo, recurrenceExceptionData); } <WebMethod> _ Public Function CreateRecurrenceException(schedulerInfo As SchedulerInfo, recurrenceExceptionData As AppointmentData) As IEnumerable(Of AppointmentData) Return Controller.CreateRecurrenceException(schedulerInfo, recurrenceExceptionData) End Function Creates the recurrence exception. The scheduler info. The recurrence exception data. Removes all recurrence exceptions of the specified recurrence master and returns the available appointments. A object which contains the current time period. A object which is the recurrence master. [WebMethod] public IEnumerable<AppointmentData> RemoveRecurrenceExceptions(SchedulerInfo schedulerInfo, AppointmentData masterAppointmentData) { return Controller.RemoveRecurrenceExceptions(schedulerInfo, masterAppointmentData); } <WebMethod> _ Public Function RemoveRecurrenceExceptions(schedulerInfo As SchedulerInfo, masterAppointmentData As AppointmentData) As IEnumerable(Of AppointmentData) Return Controller.RemoveRecurrenceExceptions(schedulerInfo, masterAppointmentData) End Function Removes the recurrence exceptions. The scheduler info. The master appointment data. Returns the resources of all appointments within the specified time period. The time period Gets the resources. The scheduler info. Deletes the specified appointment and returns the available appointments. A object which contains the current time period. A which represents the apointment that shoud be deleted. Specified wether to delete the recurring series if the specified appointment is recurrence master. [WebMethod] public IEnumerable<AppointmentData> DeleteAppointment(SchedulerInfo schedulerInfo, AppointmentData appointmentData, bool deleteSeries) { return Controller.DeleteAppointment(schedulerInfo, masterAppointmentData, deleteSeries); } <WebMethod> _ Public Function DeleteAppointment(schedulerInfo As SchedulerInfo, appointmentData As AppointmentData, deleteSeries As Bool) As IEnumerable(Of AppointmentData) Return Controller.DeleteAppointment(schedulerInfo, masterAppointmentData, deleteSeries) End Function Deletes the appointment. The scheduler info. The appointment data. The delete series. Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. A factory for appointment instances. The default factory returns instances of the Appointment class. WebServiceAppointmentController needs to create appointment instances before passing them to the provider. You can use custom appointment classes by implementing an IAppointmentFactory and setting this property. Gets or sets the comparer instance used to determine the appointment ordering within the same slot. By default, appointments are ordered by start time and duration. You need to implement an appointment comparer only if you've overriden the client-side Telerik.Web.UI.Appointment.prototype.compare(appointment) function. In this case both the server-side and client-side implementation must work in the same manner. This Class gets and sets the AdvancedForm Settings. Gets or sets a value indicating whether the user can use the advanced insert/edit form. true if the user should be able to use the advanced insert/edit form; false otherwise. The default value is true. Gets or sets a value indicating whether advanced form is displayed as a modal dialog. true if the advanced form is displayed as a modal dialog; false if the advanced form replaces the scheduler content. The default value is false. Gets or sets a value indicating the z-index of the modal dialog. An integer value that specifies the desired z-index. The default value is 2500. Use this property to position the form over elements with higher z-index than the modal form. Gets or sets a value that indicates whether the resource editing in the advanced form is enabled. A value that indicates whether the resource editing in the advanced form is enabled. Gets or sets a value that controls whether one can chose custom time zone for appointment, i.e. different from the one RadScheduler is operating in." A value that indicates whether one can chose custom time zone for appointment, i.e. different from the one RadScheduler is operating in." Gets or sets a value that indicates whether the attribute editing in the advanced form is enabled. A value that indicates whether the attribute editing in the advanced form is enabled. Gets or sets the edit form date format string. The default value of this property is inferred from the Thread.CurrentThread.CurrentCulture.DateTimeFormat.ShortDatePattern property. The edit form date format string. Gets or sets the edit form time format string. The default value of this property is inferred from the Thread.CurrentThread.CurrentCulture.DateTimeFormat.ShortTimePattern property. The edit form time format string. Gets or sets the maximum height of the modal advanced form. The maximum height of the modal advanced form. Gets or sets the width of the modal advanced form. The width of the modal advanced form This Class defines the ContextMenuSettings object that inherits ObjectWithState. Gets or sets a value indicating whether to use the integrated context menu. true if the intergrated menu is enabled; otherwise, false. Gets or sets the skin name for the context menu. A string indicating the skin name for the context menu. The default is "Default". If this property is not set, the control will render using the skin named "Default". If EnableEmbeddedSkins is set to false, the control will not render skin. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. This Class defines the SchedulerResourceContainer. Gets or sets the resource. The resource. Gets or sets the template. The template. Provides data for the event of the control. Gets the recurrence exception appointment that is about to be created. The recurrence exception appointment that is about to be created. Gets the master appointment to which the recurrence exception is about to be attached. The master appointment to which the recurrence exception is about to be attached. Gets the occurrence appointment that is about to be overriden by the recurrence exception. The occurrence appointment that is about to be overriden by the recurrence exception. Provides data for the event of the control. Gets the time slot. The time slot. This Class defines the RemoveRecurrenceExcseptionsContext. This Class creates the recurrence Exception Context object. The date of the recurrence exception that is being created by the current Insert / Update operation pair. Gets or sets the parent appointment. The parent appointment. THis Class updates the AppointmentContext. A reference to the original appointment during an Update operation. For internal use only. Gets the old resource. The old resource. Gets the new resource. The new resource. For internal use only. Gets or sets the scroll top. The scroll top. Gets or sets the scroll left. The scroll left. Gets or sets the is dirty. The is dirty. For internal use only. Represents settings for RadScheduler's multi-day view. Represents settings for RadScheduler's week view. This abstract class defines the Bas eMultiDayView Settings. Gets or sets the header date format. The header date format. Gets or sets the time used to denote the start of the day. The time used to denote the start of the day. Gets or sets the time used to denote the end of the day. The time used to denote the end of the day. Gets or sets the time used to denote the start of the work day. The time used to denote the start of the work day. The effect from this property is only visual. Gets or sets the time used to denote the end of the work day. The time used to denote the end of the work day. The effect from this property is only visual. Gets or sets a value indicating whether to render the hours column in day and week view. true if the hours column is rendered in day and week view; otherwise, false. Gets or sets a value indicating whether to render indicator for appointments that are not visible when displaying only working hours, but will become visible when displaying the full day. true if the indicator for hidden appointments should be rendered; otherwise, false. The default value is true. Gets or sets a boolean value that specifies whether to show an empty area at the end of each AllDay time slot that can be used to insert appointments. true, insert are should be shown; false otherwise. The default value is true The insert area is not visible if the scheduler is in read-only mode or AllowInsert is false. If all time slots are full and this property is set to false, the user will not be able to insert appointments. Gets or sets a boolean value that specifies whether to show an empty area at the end of each time slot that can be used to insert appointments. true, insert are should be shown; false otherwise. The default value is true The insert area is not visible if the scheduler is in read-only mode or AllowInsert is false. Gets or sets a value indicating whether the appointment start and end time should be rendered exactly. true if the appointment start and end time should be rendered exactly; false if the appointment start and end time should be snapped to the row boundaries. The default value is false. Gets or sets the week header date format string. The week header date format string. For additional information, please read this MSDN article. Gets or sets the week column header date format string. The week column header date format string. For additional information, please read this MSDN article. Gets or sets the mult-day header date format string. The multi-day header date format string. For additional information, please read this MSDN article. Gets or sets the multi-day header column date format string. The multi-day column header date format string. For additional information, please read this MSDN article. Gets or sets the number of visible days in multi-day view. The number of days. Gets or sets a value indicating whether to render a tab for the current view in the view chooser. true if a tab for the current view in the view chooser is rendered; otherwise, false. Represents settings for RadScheduler's day view. Gets or sets the day header date format string. The day header date format string. For additional information, please read this MSDN article. Not applicable in day view. Represents settings for RadScheduler's Month view. Gets or sets the RadScheduler's header date format string in Month View. The RadScheduler's header date format string in Month View. For additional information, please read this MSDN article. Gets or sets the column header date format string in Month View. The column header date format string in Month View. For additional information, please read this MSDN article. Gets or sets the day header date format string in Month View. The day header date format string in Month View. For additional information, please read this MSDN article. Gets or sets the first day of month header date format in Month View. The first day of month header date format in Month View. For additional information, please read this MSDN article. Gets or sets a value indicating the number of visible appointments per day in month view. A number specifying the number of visible appointments per day. The default value is 2. A link button navigating to the specific date will be rendered when the number of appointments exceeds this value. Gets or sets a value indicating whether the height of each row should be adjusted to match the height of its content. true if the height of each row should be adjusted to match the height of its content; false if all rows should be with the same height. The default value is false. By default, all rows are rendered with the same height. This property allows you to change this behaviour. Gets or sets a value indicating the minimum row height in month view. A number specifying the the minimum row height. The default value is 4. This property is ignored when AdaptiveRowHeight is set to true. Specifies resource grouping direction in RadScheduler. Represents settings for the time line view. The starting time of the Timeline view. The number of slots to display in timeline view. The duration of each slot in timeline view. Gets or sets the Timeline view header date format string. The Timeline view header date format string. For additional information, please read this MSDN article. Gets or sets the timeline column header date format string. The timeline column header date format string. For additional information, please read this MSDN article. Gets or sets the number of rows/columns each time label spans. The number of rows/columns each time label spans. The default value is 1 Gets or sets a value that specifies the sorting mode to use when rendering the appointments. AppointmentSortingMode.PerSlot, appointments are sorted individually for each slot; AppointmentSortingMode.Global appointments are sorted as a single list. The default value is AppointmentSortingMode.PerSlot Gets or sets a boolean value that specifies whether to show an empty area at the end of each time slot that can be used to insert appointments. true, insert are should be shown; false otherwise. The default value is true The insert area is not visible if the scheduler is in read-only mode or AllowInsert is false. If all time slots are full and this property is set to false, the user will not be able to insert appointments. Gets or sets a value indicating whether the appointment start and end time should be rendered exactly. true if the appointment start and end time should be rendered exactly; false if the appointment start and end time should be snapped to the row boundaries. The default value is false. For internal use only. For internal use only. For internal use only. Synchronize the height of all cells in the table. Adds padding to the table cells, so they are at least hight. Sycnhronize the height of the cells in the specified row. Synchronizes the row heights of two tables with identical dimensions. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. For internal use only. Base class for CDN Related settings Gets or sets a value indicating whether to use the Telerik CDN network to load control scripts. TelerikCdnMode.Disabled if the scripts should be loaded from the assembly or registered manually; TelerikCdnMode.Enabled if the Telerik CDN should be used. TelerikCdnMode.Auto value is determined from ScriptManager.EnableCdn for .NET 4.0; For earlier versions of ASP.NET the value is set to Disabled. By default the Telerik CDN is not used. If you enable it the scripts will be loaded from the Telerik CDN. The Telerik CDN is hosted on Amazon CloudFront. This is a global content delivery service with edge locations in US, Europe and Asia. It automatically routes requests to the nearest location, so content is delivered with the best possible performance. The Telerik CDN uses the following host names: Host name (HTTP) Served content aspnet-scripts.telerikstatic.com Telerik ASP.NET controls scripts aspnet-skins.telerikstatic.com Telerik ASP.NET controls skins and images Host name (HTTPS) Served content https://d2i2wahzwrm1n5.cloudfront.net Telerik ASP.NET controls scripts https://d35islomi5rx1v.cloudfront.net Telerik ASP.NET controls skins and images RadScriptManager only manages the control scripts. See RadStyleSheetManager for enabling CDN support for the control skins. You can globally configure CDN-related settings from web.config by using the following application settings: Application setting Maps to Telerik.ScriptManager.TelerikCdn RadScriptManager.CdnSettings.TelerikCdn Telerik.ScriptManager.TelerikCdn.BaseUrl RadScriptManager.CdnSettings.BaseUrl Telerik.ScriptManager.TelerikCdn.BaseSecureUrl RadScriptManager.CdnSettings.BaseSecureUrl For example: <appSettings><br /> <add key="Telerik.ScriptManager.TelerikCdn" value="Enabled" /><br /> <add key="Telerik.ScriptManager.TelerikCdn.BaseUrl" value="http://myserver" /><br /> <add key="Telerik.ScriptManager.TelerikCdn.BaseSecureUrl" value="https://myserver" /><br /> </appSettings><br /> Note: Ensure that your customers have unlimited access to the telerikstatic.com domain before turning on this feature. Gets or sets a value indicating whether to use one combined resource files (skins, scripts) or let each control request its scripts and styles separately. Gets or sets the base URL of the CDN that hosts the control scripts. The base URL of the CDN for HTTP connections. The default value is http://aspnet-scripts.telerikstatic.com In order to obtain the URL for a specific resource, RadScriptManager will combine the base URL with the suite name (ajax) and the current version. For example: http://aspnet-scripts.telerikstatic.com/ajax/2009.3.1207/Common/Core.js If the browser supports it, the RadScriptManager will serve a gzip compressed version from the "ajaxz" folder. See TelerikCdn for detailed description of the Telerik CDN network. Gets or sets the base secure (HTTPS) URL of the CDN that hosts the control scripts. The base secure (HTTPS) URL of the CDN for HTTP connections. The default value is https://d2i2wahzwrm1n5.cloudfront.net The BaseSecureUrl will be used when the page is served over a secure connection. In order to obtain the URL for a specific resource, RadScriptManager will combine the base URL with the suite name (ajax) and the current version. For example: https://d2i2wahzwrm1n5.cloudfront.net/ajax/2009.3.1207/Common/Core.js If the browser supports it, the RadScriptManager will serve a gzip compressed version from the "ajaxz" folder. See TelerikCdn for detailed description of the Telerik CDN network. Enumeration of the possible modes for the Telerik CDN. The Telerik static resources are served from a CDN The Telerik static resources are served locally Value is determined from ScriptManager.EnableCdn for .NET 4.0; For earlier versions of ASP.NET the value is set to Disabled RadStyleSheetManager CDN settings Gets or sets a value indicating whether to use the Telerik CDN network to load control skins. TelerikCdnMode.Disabled if the skins should be loaded from the assembly or registered manually; TelerikCdnMode.Enabled if the Telerik CDN should be used. TelerikCdnMode.Auto value is determined from ScriptManager.EnableCdn for .NET 4.0; For earlier versions of ASP.NET the value is set to Disabled. By default the Telerik CDN is not used. If you enable it the skins will be loaded from the Telerik CDN. The Telerik CDN is hosted on Amazon CloudFront. This is a global content delivery service with edge locations in US, Europe and Asia. It automatically routes requests to the nearest location, so content is delivered with the best possible performance. The Telerik CDN uses the following host names: Host name (HTTP) Served content aspnet-scripts.telerikstatic.com Telerik ASP.NET controls scripts aspnet-skins.telerikstatic.com Telerik ASP.NET controls skins and images Host name (HTTPS) Served content https://d2i2wahzwrm1n5.cloudfront.net Telerik ASP.NET controls scripts https://d35islomi5rx1v.cloudfront.net Telerik ASP.NET controls skins and images RadStyleSheetManager only manages the control skins. See RadScriptManager for enabling CDN support for the control scripts. You can globally configure CDN-related settings from web.config by using the following application settings: Application setting Maps to Telerik.StyleSheetManager.TelerikCdn StyleSheetManager.CdnSettings.TelerikCdn Telerik.StyleSheetManager.TelerikCdn.BaseUrl StyleSheetManager.CdnSettings.BaseUrl Telerik.StyleSheetManager.TelerikCdn.BaseSecureUrl StyleSheetManager.CdnSettings.BaseSecureUrl For example: <appSettings><br /> <add key="Telerik.StyleSheetManager.TelerikCdn" value="Enabled" /><br /> <add key="Telerik.StyleSheetManager.TelerikCdn.BaseUrl" value="http://myserver" /><br /> <add key="Telerik.StyleSheetManager.TelerikCdn.BaseSecureUrl" value="https://myserver" /><br /> </appSettings><br /> Note: Ensure that your customers have unlimited access to the telerikstatic.com domain before turning on this feature. Gets or sets the base URL of the CDN that hosts the control skins. The base URL of the CDN for HTTP connections. The default value is http://aspnet-skins.telerikstatic.com In order to obtain the URL for a specific resource, RadStyleSheetManager will combine the base URL with the suite name (ajax) and the current version. For example: http://aspnet-skins.telerikstatic.com/ajax/2009.3.1207/Default/Menu.Default.css If the browser supports it, the RadScriptManager will serve a gzip compressed version from the "ajaxz" folder. See TelerikCdn for detailed description of the Telerik CDN network. Gets or sets the base secure (HTTPS) URL of the CDN that hosts the control skins. The base secure (HTTPS) URL of the CDN for HTTP connections. The default value is https://d35islomi5rx1v.cloudfront.net The BaseSecureUrl will be used when the page is served over a secure connection. In order to obtain the URL for a specific resource, RadStyleSheetManager will combine the base URL with the suite name (ajax) and the current version. For example: https://d35islomi5rx1v.cloudfront.net/ajax/2009.3.1207/Default/Menu.Default.css If the browser supports it, the RadStyleSheetManager will serve a gzip compressed version from the "ajaxz" folder. See TelerikCdn for detailed description of the Telerik CDN network. Defines the output compression mode of the Telerik.Web.UI.WebResource.axd handler. The compression is disabled (raw content is output to the browser). Compression is identified by the browser and its version. Output is always compressed. Specialized class for the RadSiteMap.DefaultLevelSettings. Removes the Level property from the property grid and IntelliSense. This Class defines the SiteMapLevelSetting. Gets or sets the level to which a given LevelSetting refer/ The Level property serves for explicitly setting the level to which a given LevelSetting refer. Gets or sets the layout mode that is applied to a given LevelSetting. By default is set to List levelSetting.LayoutMode = SiteMapLayout.List; levelSetting.LayoutMode = SiteMapLayout.Flow; levelSetting.LayoutMode = SiteMapLayout.List levelSetting.LayoutMode = SiteMapLayout.Flow Gets or sets the maximum nodes that are allowed for a given level. Use the MaximumNodes property to explicitly state how many nodes should be rendered for a given level. Redundant nodes are sliced. If MaximumNodes is set to a value larger than the nodes count, all of the nodes will be rendered. Gets or sets the width of the specified level. A Unit specifying width of the specified level. The default value is Unit.Empty. Gets or sets the separator text that is going to be used to separate nodes in Flow layout mode. A string value that is used to separate nodes when the LevelSetting layout mode is set to Flow. Gets the Specific settings for the List layout mode. The list layout. Gets or sets the URL to an image which is displayed next to all the nodes of a given level The URL to the image to display for all the nodes of a given level. The default value is empty string which means by default no image is displayed. Use the ImageUrl property to specify a custom image that will be displayed before the text of the current node. Gets or sets the template for displaying the nodes on the specified level. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify template for a single node use the property of the control. The following template demonstrates how to add an Image control in certain node. ASPX: <telerik: RadSiteMap runat="server" ID="RadSiteMap1"> <DefaultLevelSettings> <NodeTemplate> <asp:Image ID="Image1" runat="server" ImageUrl="MyImage.gif"></asp:Image> </NodeTemplate> </DefaultLevelSettings> </telerik:RadSiteMap> Gets or sets the separator template for nodes on the specified level. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify separator template for a single node use the property of the control. The separator is rendered only in Flow mode. The following template demonstrates how to add custom separator to a certain node. ASPX: <telerik: RadSiteMap runat="server" ID="RadSiteMap1"> <DefaultLevelSettings> <SeparatorTemplate> <asp:Image ID="Image1" runat="server" ImageUrl="MySeparator.gif"></asp:Image> </SeparatorTemplate> </DefaultLevelSettings> </telerik:RadSiteMap> Not applicable to DefaultSiteMapLevelSetting Specifies the layout mode of RadSiteMap nodes. Nodes are rendered as a list in one or more columns. Nodes are rendered horizontally to fill the available width. Nodes automatically wrap. Specifies the repeat direction of RadSiteMap columns. Nodes are displayed vertically in columns from top to bottom, and then left to right, until all nodes are rendered. Nodes are displayed horizontally in rows from left to right, then top to bottom, until all nodes are rendered. This Class defines RadSiteMapDataSource. Gets or sets the relative path to the .sitemap file from which to load SiteMap data. The site map file. This Class defines the SiteMapLevelSetting Collection that inherits StronglyTypedStateManagedCollection. Gets the level setting. The level. Represents a node in the RadSiteMap control. The RadSiteMap control is made up of nodes. Nodes which are immediate children of the control are root nodes. Nodes which are children of other nodes are child nodes. A node usually stores data in two properties, the Text property and the NavigateUrl property. To create nodes, use one of the following methods: Data bind the RadSiteMap control to a data source, for example SiteMapDataSource. Use declarative syntax to define nodes inline in your page or user control. Use one of the constructors to dynamically create new instances of the RadSiteMap class. These nodes can then be added to the Nodes collection of another node or site map. When the user clicks a node, the RadSiteMap control navigates to the linked Web page. By default, a linked page is displayed in the same window or frame. To display the linked content in a different window or frame, use the Target property. This Class defines the RadSiteMapNode. Initializes a new instance of the RadSiteMapNode class. Use this constructor to create and initialize a new instance of the RadSiteMapNode class using default values. The following example demonstrates how to add node to RadSiteMap controls. RadSiteMapNode node = new RadSiteMapNode(); node.Text = "News"; node.NavigateUrl = "~/News.aspx"; RadSiteMap1.Nodes.Add(node); Dim node As New RadSiteMapNode() node.Text = "News" node.NavigateUrl = "~/News.aspx" RadSiteMap1.Nodes.Add(node) Initializes a new instance of the RadSiteMapNode class with the specified text, value and URL. Use this constructor to create and initialize a new instance of the RadSiteMapNode class using the specified text, value and URL. This example demonstrates how to add nodes to RadSiteMap control. RadSiteMapNode node = new RadSiteMapNode("News", "~/News.aspx"); RadSiteMap1.Nodes.Add(node); Dim node As New RadSiteMapNode("News", "~/News.aspx") RadSiteMap1.Nodes.Add(node) The text of the node. The Text property is set to the value of this parameter. The url which the node will navigate to. The NavigateUrl property is set to the value of this parameter. Removes the node from the Nodes collection of its parent The following example demonstrates how to remove a node. RadSiteMapNode node = RadSiteMap1.Nodes[0]; node.Remove(); Dim node As RadSiteMapNode = RadSiteMap1.Nodes(0) node.Remove() Renders the HTML closing tag of the control into the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Gets or sets the text displayed for the current node. The text displayed for the node in the RadSiteMap control. The default is empty string. Use the Text property to specify or determine the text that is displayed for the node in the RadSiteMap control. Gets or sets the URL to navigate to when the current node is clicked. The URL to navigate to when the node is clicked. The default value is empty string which means that clicking the current node will not navigate. Gets or sets the target window or frame in which to display the Web page content associated with the current node. The target window or frame to load the Web page linked to when the node is clicked. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string which means the linked resource will be loaded in the current window. Use the Target property to target window or frame in which to display the Web page content associated with the current node. The Web page is specified by the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The Target property is taken into consideration only when the NavigateUrl property is set. The following example demonstrates how to use the Target property <telerik:RadSiteMap id="RadSiteMap1" runat="server">
<Nodes>
<telerik:RadSiteMapNode Text="News" NavigateUrl="~/News.aspx" Target="_self" />
<telerik:RadSiteMapNode Text="External URL" NavigateUrl="http://www.example.com" Target="_blank" />
</Nodes>
</telerik:RadSiteMap>
Gets or sets custom (user-defined) data associated with the current node. A string representing the user-defined data. The default value is emptry string. Use the Value property to associate custom data with a RadSiteMap object. Gets or sets the tooltip shown for the node when the user hovers it with the mouse A string representing the tooltip. The default value is empty string. The ToolTip property is also used as the alt attribute of the node image (in case is set) Gets or sets a value indicating whether the node is enabled. true if the node is enabled; otherwise false. The default value is true. Disabled nodes cannot be clicked, or expanded. Gets the data item that is bound to the node An Object that represents the data item that is bound to the node. The default value is null (Nothing in Visual Basic), which indicates that the node is not bound to any data item. The return value will always be null unless accessed within a NodeDataBound event handler. This property is applicable only during data binding. Use it along with the NodeDataBound event to perform additional mapping of fields from the data item to RadSiteMapNode properties. The following example demonstrates how to map fields from the data item to RadSiteMapNode properties. It assumes the user has subscribed to the NodeDataBound event. private void RadSiteMap1_NodeDataBound(object sender, Telerik.Web.UI.RadSiteMapNodeEventArgs e) { e.Node.ImageUrl = "image" + (string)DataBinder.Eval(e.Node.DataItem, "ID") + ".gif"; e.Node.NavigateUrl = (string)DataBinder.Eval(e.Node.DataItem, "URL"); } Sub RadSiteMap1_NodeDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadSiteMapNodeEventArgs ) Handles RadSiteMap1.NodeDataBound e.Node.ImageUrl = "image" & DataBinder.Eval(e.Node.DataItem, "ID") & ".gif" e.Node.NavigateUrl = CStr(DataBinder.Eval(e.Node.DataItem, "URL")) End Sub Gets or sets the Cascading Style Sheet (CSS) class applied by default to the node. By default the visual appearance of hovered nodes is defined in the skin CSS file. You can use the CssClass property to specify unique appearance for the node. Gets or sets the Cascading Style Sheet (CSS) class applied to the node when the mouse hovers it. By default the visual appearance of hovered nodes is defined in the skin CSS file. You can use the HoveredCssClass property to specify unique appearance for a node when it is hoevered. Gets or sets the Cascading Style Sheet (CSS) class applied to the node when it is disabled. By default the visual appearance of disabled nodes is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for a node when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied when node is selected. By default the visual appearance of selected nodes is defined in the skin CSS file. You can use the SelectedCssClass property to specify unique appearance for a node when it is selected. Gets or sets the URL to an image which is displayed next to the text of a node. The URL to the image to display for the node. The default value is empty string which means by default no image is displayed. Use the ImageUrl property to specify a custom image that will be displayed before the text of the current node. The following example demonstrates how to specify the image to display for the node using the ImageUrl property. <telerik:RadSiteMap id="RadSiteMap1" runat="server">
<Nodes>
<telerik:RadSiteMapNodeImageUrl="~/Img/inbox.gif" Text="Index"></telerik:RadSiteMapNode>
<telerik:RadSiteMapNodeImageUrl="~/Img/outbox.gif" Text="Outbox"></telerik:RadSiteMapNode>
<telerik:RadSiteMapNodeImageUrl="~/Img/trash.gif" Text="Trash"></telerik:RadSiteMapNode>
<telerik:RadSiteMapNodeImageUrl="~/Img/meetings.gif" Text="Meetings"></telerik:RadSiteMapNode>
</Nodes>
</telerik:RadSiteMap>
Gets or sets a value specifying the URL of the image rendered when the node is hovered with the mouse. If the HoveredImageUrl property is not set the ImageUrl property will be used when the node is hovered. Gets or sets a value specifying the URL of the image rendered when the node is disabled. If the DisabledImageUrl property is not set the ImageUrl property will be used when the node is disabled. Gets or sets a value specifying the URL of the image rendered when the node is selected. If the SelectedImageUrl property is not set the ImageUrl property will be used when the node is selected. Gets the level of the node. An integer representing the level of the node. Root nodes are level 0 (zero). Gets a object that contains the child nodes of the current RadSiteMapNode. A that contains the child nodes of the current RadSiteMapNode. By default the collection is empty (the node has no children). Use the Nodes property to access the child nodes of the RadSiteMapNode. You can also use the Nodes property to manage the child nodes - you can add, remove or modify nodes. The following example demonstrates how to programmatically modify the properties of a child node. RadSiteMapNode node = RadSiteMap1.FindNodeByText("Test"); node.Nodes[0].Text = "Example"; node.Nodes[0].NavigateUrl = "http://www.example.com"; Dim node As RadSiteMapNode = RadSiteMap1.FindNodeByText("Test") node.Nodes(0).Text = "Example" node.Nodes(0).NavigateUrl = "http://www.example.com" Gets the parent IRadSiteMapNodeContainer. Gets the which this node belongs to. The which this node belongs to; null (Nothing) if the node is not added to any control. Gets or sets a value indicating whether the node is selected. True if the node is selected; otherwise false. The default value is false. Only one node can be selected. Gets or sets the template for displaying the node. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all nodes use the RadSiteMap.DefaultLevelSettings.NodeTemplate property. The following template demonstrates how to add an Image control in certain node. ASPX: <telerik: RadSiteMap runat="server" ID="RadSiteMap1"> <Nodes> <telerik:RadSiteMapNode Text="Root Node" > <Nodes> <telerik:RadSiteMapNode> <NodeTemplate> <asp:Image ID="Image1" runat="server" ImageUrl="MyImage.gif"></asp:Image> </NodeTemplate> </telerik:RadSiteMapNode> </Nodes> </telerik:RadSiteMapNode> </Nodes> </telerik:RadSiteMap> Gets or sets the separator template for the node. An object implementing the ITemplate interface. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all nodes use the RadSiteMap.DefaultLevelSettings.SeparatorTemplate property. The separator is rendered only in Flow mode. The following template demonstrates how to add custom separator to a certain node. ASPX: <telerik: RadSiteMap runat="server" ID="RadSiteMap1"> <Nodes> <telerik:RadSiteMapNode Text="Root Node" > <Nodes> <telerik:RadSiteMapNode> <SeparatorTemplate> <asp:Image ID="Image1" runat="server" ImageUrl="MySeparator.gif"></asp:Image> </SeparatorTemplate> </telerik:RadSiteMapNode> </Nodes> </telerik:RadSiteMapNode> </Nodes> </telerik:RadSiteMap> Gets the parent node of the current node. The parent node. If the the node is a root node null (Nothing) is returned. Represents the method that handles the and events. of the control. Provides data for the , events of the control. Initializes a new instance of the class. The referenced node. Gets or sets the referenced node in the control when the event is raised. The referenced node in the control when the event is raised. Defines the relationship between a data item and the RadSiteMap node it is binding to in a RadSiteMapcontrol. Gets the object at the specified index in the current . The zero-based index of the to retrieve. The at the specified index in the current . Represents a collection of objects in a control. Initializes a new instance of the class. The parent control. Appends a node to the collection. The node to add to the collection. Appends the specified array of objects to the end of the current . The following example demonstrates how to use the AddRange method to add multiple nodes in a single step. RadSiteMapNode[] nodes = new RadSiteMapNode[] { new RadSiteMapNode("First"), new RadSiteMapNode("Second"), new RadSiteMapNode("Third") }; RadSiteMap1.Nodes.AddRange(nodes); Dim nodes() As RadSiteMapNode = {New RadSiteMapNode("First"), New RadSiteMapNode("Second"), New RadSiteMapNode("Third")} RadSiteMap1.Nodes.AddRange(nodes) The array of to append to the end of the current . Inserts a node to the collection at the specified index. The zero-based index at which should be inserted. The node to insert into the collection. Removes the specified node from the collection. The node to remove from the collection. Searches all nodes for a RadSiteMapNode with a Text property equal to the specified text. The text to search for A RadSiteMapNode whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. Searches all nodes for a RadSiteMapNode with a Text property equal to the specified text. The text to search for A RadSiteMapNode whose Text property equals to the specified argument Null (Nothing) is returned when no matching node is found. This method is not recursive. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the first RadSiteMapNode that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindNode method. void Page_Load(object sender, EventArgs e) { RadSiteMap1.FindNode(NodeWithEqualsTextAndValue); } private static bool NodeWithEqualsTextAndValue(RadSiteMapNode node) { if (node.Text == node.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadSiteMap1.FindNode(NodeWithEqualsTextAndValue) End Sub Private Shared Function NodeWithEqualsTextAndValue(ByVal node As RadSiteMapNode) As Boolean If node.Text = node.Value Then Return True Else Return False End If End Function The Predicate <RadSiteMapNode> that defines the conditions of the element to search for. Gets or sets the at the specified index. Represents the simple binding between the property value of an object and the property value of a RadSiteMapNode. Specifies the model to bind against in OData scenarios. The selected model is used to the current depth (level) only. Specifies the exact value of the DisabledCssClass property of the RadSiteMapNode that will be created during the data binding. Specifies the field, containing the DisabledCssClass property value of the RadSiteMapNode that will be created during the data binding. Specifies the exact value of the DisabledImageUrl property of the RadSiteMapNode that will be created during the data binding. Specifies the field, containing the DisabledImageUrl property value of the RadSiteMapNode that will be created during the data binding. Specifies the exact value of the HoveredCssClass property of the RadSiteMapNode that will be created during the data binding. Specifies the field, containing the HoveredCssClass property value of the RadSiteMapNode that will be created during the data binding. This Class gets or sets the settings in the SiteMapListLayout. Gets or sets the number of columns to display on this level. Specifies the number of columns which are displayed for a given level. For example, if it set to 3, the nodes in the level are displayed in three columns. Gets or sets whether the columns are repeated vertically or horizontally When this property is set to Vertical, nodes are displayed vertically in columns from top to bottom, and then left to right, until all nodes are rendered. When this property is set to Horizontal, nodes are displayed horizontally in rows from left to right, then top to bottom, until all nodes are rendered. Gets or sets the align rows. The align rows. This Class defines the SitemapProtocolExporter. Gets the sitemaps. Adds the node. The URL. Gets or sets the sitemap node limit. The sitemap node limit. Gets or sets the sitemap byte limit. The sitemap byte limit. A control used to define a global skin for the RadControls on the page as well as granular settings for particular controls. Applies a provided skin to a target control. The RadControl which will be skinned. The string name of the skin. Applies the current skin on a target control. A static method used to return a reference to the RadSkinManager on the current page. Usually used when the control needs to be used from an inner level of the page (user control, content page, etc.) The current Page object. A reference to the currently avaialble RadSkinManager. Gets a reference to the control representing the skin chooser. The RadComboBox which shows the options for skins to apply. Returns the names of all embedded skins. Used by Telerik.Web.Examples. Gets or sets a value indicating whether Skin chooser should be rendered in run-time. Gets or sets a value indicating whether skinning should be enabled or not. "Specifies the skin that will be used by the control" Specifies the persistance key that will be used by the control. Specifies the skin manager persistance mode. Gets a collection of TargetControl objects that allows for specifying the objects for which tooltips will be created on the client-side. Gets a collection of TargetControl objects that allows for specifying the objects for which tooltips will be created on the client-side. Use the TargetControls collection to programmatically control which objects should be tooltipified on the client-side. Gets a collection of all skins references available in the control. For internal use. Gets or sets the value, indicating whether to render script references to the embedded scripts or not. If EnableEmbeddedScripts is set to false you will have to register the needed Scripts files by hand. Gets or sets the value, indicating whether to render links to the embedded skins or not. If EnableEmbeddedSkins is set to false you will have to register the needed CSS files by hand. Gets or sets the value, indicating whether to render the link to the embedded base stylesheet of the control or not. If EnableEmbeddedBaseStylesheet is set to false you will have to register the needed control base CSS file by hand. Specifies the rendering mode of the control. Setting the mode to Lightweight will yield HTML 5/CSS 3 html and css. Lightweight rendering mode might change the outlook of the component in some older browsers that don't support CSS3/HTML5. Returns resolved RenderMode should the original value was Auto The arguments passed when fires the SkinChanging event. Gets or sets a boolean value indicating whether the skin changing will be cancelled. Gets or sets a string value representing the skin which is going to be applied. The arguments passed when fires the SkinChanged event. Gets a string value representing the skin that was just applied. An enumeration containing the possible values for the persistence mode of . Represents an item that is part of the RadSlider control using items collection RadSliderItem class. The default contrustor. All properties are at default values. Creates a slider item with the specified text. Value has default value. Text for the slider item Creates a slider item specifying both text and value. Text for the item Value for the item Gets or sets the text caption for the slider item. The text of the item. The default value is empty string. Use the Text property to specify the text to display for the item. Gets or sets the value for the slider item. The value of the item. The default value is empty string. Use the Value property to specify the value Gets the RadSlider instance which contains the current item. Gets the RadSlider instance which contains the current item. Gets the selected state of the slider item. Use the Selected property to determine whether the item is selected or not. Gets or sets the tooltip of the slider item. A collection of RadSliderItem objects in a RadSlider control. The RadSliderItemCollection class represents a collection of RadSliderItem objects. Use the indexer to programmatically retrieve a single RadSliderItem from the collection, using array notation. Use the Count property to determine the total number of slider items in the collection. Use the Add method to add items in the collection. Use the Remove method to remove items from the collection. Initializes a new instance of the RadSliderItemCollection class. The owner of the collection. Appends the specified RadSliderItem object to the end of the current RadSliderItemCollection. The RadSliderItem to append to the end of the current RadSliderItemCollection. Finds the first RadSliderItem with Text that matches the given text value. The first RadSliderItem that matches the specified text value. The string to search for. Finds the first RadSliderItem with Value that matches the given value. The first RadSliderItem that matches the specified value. The value to search for. Searches the items in the collection for a RadSliderItem which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadSliderItem that matches the specified arguments. Null (Nothing) is returned if no node is found. Determines whether the specified RadSliderItem object is in the current RadSliderItemCollection. The RadSliderItem object to find. true if the current collection contains the specified RadSliderItem object; otherwise, false. Appends the specified array of RadSliderItem objects to the end of the current RadSliderItemCollection. The array of RadSliderItem to append to the end of the current RadSliderItemCollection. Determines the index of the specified RadSliderItem object in the collection. The RadSliderItem to locate. The zero-based index of item within the current RadSliderItemCollection, if found; otherwise, -1. Inserts the specified RadSliderItem object in the current RadSliderItemCollection at the specified index location. The zero-based index location at which to insert the RadSliderItem. The RadSliderItem to insert. Removes the specified RadSliderItem object from the current RadSliderItemCollection. The RadSliderItem object to remove. Removes the specified RadSliderItem object from the current RadSliderItemCollection. The zero-based index of the index to remove. Gets the RadSliderItem object at the specified index in the current RadSliderItemCollection. The zero-based index of the RadSliderItem to retrieve. The RadSliderItem at the specified index in the current RadSliderItemCollection. Representation of the event arguments passed for RadSlider server-side events The reference to the item, to which the event is related. A JS converter implementation for RadSliderItem instances Serializes a RadSliderItem to a key/value pair collection An instance of RadSliderItem The JS converter that handles the serialization. RadSliderItem in a converted key/value pair colleciton format A control allowing the ability to combine multiple embedded stylesheet references into a larger one as a way to reduce the number of files the client must download This Class defines RadStyleSheetManager- a control allowing the ability to combine multiple embedded stylesheet references into a larger one as a way to reduce the number of files the client must download Registers the skinnable control. The control. Gets the current. The page. This method puts all RadControls style sheets in the following order in the StyleSheets collection of RadStyleSheeManager: 1) first are all style sheets from the Telerik.Web.UI assembly; 2) second are all style sheets from the Telerik.Web.UI.Skins assembly; The style sheets were divided when registered through the RegisterSkinnableControl method. Specifies the rendering mode of the control. Returns resolved RenderMode should the original value was Auto Gets or sets a value indicating if RadStyleSheetManager should check the Telerik.Web.UI.WebResource handler existence in the application configuration file. When EnableHandlerDetection set to true, RadStyleSheetManager automatically checks if the HttpHandler it uses is registered to the application configuration file and throws an exception if the HttpHandler registration missing. Set this property to false if your scenario uses a file to output the combined skins, or when running in Medium trust. Specifies whether or not multiple embedded stylesheet references should be combined into a single file When EnableStyleSheetCombine set to true, the stylesheet references of the controls on the page are combined to a single file, so that only one <link> tag is output to the page HTML Specifies whether or not the combined output will be compressed. In some cases the browsers do not recognize compressed streams (e.g. if IE 6 lacks an update installed). In some cases the Telerik.Web.UI.WebResource handler cannot determine if to compress the stream. Set this property to Disabled if you encounter that problem. The OutputCompression property works only when EnableStyleSheetCombine is set to true. Specifies the URL of the HTTPHandler that combines and serves the stylesheets. The HTTPHandler should either be registered in the application configuration file, or a file with the specified name should exist at the location, which HttpHandlerUrl points to. If a file is to serve the files, it should inherit the class Telerik.Web.UI.WebResource Gets the style sheets. The style sheets. Gets the style sheets for splitting under IE8,9. Gets the CDN settings. The CDN settings. Specifies whether or not to check the selectors' count in the stylesheet when the request is in IE8. The browser limit is 4095 selectors per stylesheet. If the count exceeds the number of 4095 the stylesheet is not loaded. Specifies where the split CSS should be placed in case the request is under IE9 or IE8 This Clas defines the StyleSheetReference object. Gets or sets the name. The name. Gets or sets the assembly. The assembly. Get or set the order index of the style sheet reference. The default is 0. The items with smaller index will appear first in the output HTML, as well as in the combined StyleSheet Order index Gets or sets the path. The path. Gets or sets the is common CSS. The is common CSS. Gets or sets a value indicating whether this instance is required CSS. true if this instance is required CSS; otherwise, false. This Class defines the StyleSheetReference Collection. Specifies the visibility and position of scrollbars in a RadMultiPage control. No scroll bars are displayed. Overflowing content will be visible. Displays only a horizontal scroll bar. The scroll bar is always visible. Displays only a vertical scroll bar. The scroll bar is always visible. Displays both a horizontal and a vertical scroll bar. The scroll bars are always visible. Displays, horizontal, vertical, or both scroll bars as necessary (the content overflows the RadMultiPage boundaries). Otherwise, no scroll bars are shown. No scroll bars are displayed. Overflowing content is clippet at RadMultiPage boundaries. Provides data for the events of the RadMultiPage control. Initializes a new instance of the RadMultiPageEventArgs class. A RadPageView which represents a page view in the RadMultiPage control. Gets the referenced page view in the RadMultiPage control when the event is raised. The referenced page view in the RadMultiPage control when the event is raised. Use this property to programmatically access the page view referenced in the RadMultiPage control when the event is raised. Represents the method that handles the event provided by the control. For internal use only. Gets or sets the index of the selected. The index of the selected. Gets or sets the change log. The change log. The RadPageView class represents a single page in the RadMultiPage control. This partial Class defines the RadPageView object that inherits WebControl. Gets the RadMultiPage control which contains the current RadPageView A RadMultiPage object which contains the current RadPageView. Null (Nothing in VB.NET) is returned if the current RadPageView is not added in a RadMultiPage control. Gets or sets a value indicating whether the current RadPageView is selected. true if the current RadPageView is selected; otherwise false. The default value is false. Use the Selected property to select a RadPageView object. There can be only one selected RadPageView at a time within a RadMultiPage control. Gets the zero-based index of the current RadPageView object. The zero-based index of the current RadPageView; -1 will be returned if the current RadPageView object is not added in a RadMultiPage control. Gets or sets the identifier for the default button that is contained in the RadPageView control. A string value corresponding to the ID for a button control contained in the RadPageView. The default is an empty string, indicating that the RadPageView does not have a default button. Use the DefaultButton property to indicate which button gets clicked when the RadPageView control has focus and the user presses the ENTER key. Specifies the URL that will originally be loaded in the RadPageView (can be changed on the client). The default is an empty string - "". Specifies the alignment of tabs within the RadTabStrip control. The Tabs will be aligned to the left. The Tabs will be centered in the middle. The Tabs will be aligned to the right. The Tabs will be justified. Specifies the way tabs can be oriented RadTabStrip is above the content (e.g. RadMultiPage). Child tabs (if any) are shown below parent tabs. RadTabStrip is below the content (e.g. RadMultiPage). Child tabs (if any) are shown above parent tabs. RadTabStrip is on the right side of the content (e.g. RadMultiPage). Child tabs (if any) are shown on the left side of parent tabs. RadTabStrip is on the left side of the content (e.g. RadMultiPage). Child tabs (if any) are shown on the right side of parent tabs. The position of the scroll buttons when the RadTabStrip.ScrollChildren property is set to true. The buttons are to the left of tabs. The tabs are between the left and right scroll buttons. The buttons are to the right of the tabs. Represents the method that handles the events provided by the control. A collection of RadPageView objects in a RadMultiPage control. The RadPageViewCollection class represents a collection of RadPageView objects. Use the indexer to programmatically retrieve a single RadPageView from the collection, using array notation. Use the Count property to determine the total number of RadPageView controls in the collection. Use the Add method to add RadPageView controls to the collection. Use the Remove method to remove RadPageView controls from the collection. Initializes a new instance of the class. The owner of the collection. Appends the specified RadPageView to the collection. The RadPageView to append to the collection. Inserts the specified RadPageView object in the current RadPageViewCollection at the specified index location. The zero-based index location at which to insert the RadPageView. The RadPageView to insert. Removes the specified RadPageView from the collection. The RadPageView to remove from the collection. Determines the index of the specified RadPageView in the collection. The zero-based index position of the specified RadPageView in the collection. If the specified RadPageView is not found in the collection -1 is returned. A RadPageView to search for in the collection. Gets the RadPageView at the specified index in the collection. Use this indexer to get a RadPageView from the collection at the specified index, using array notation. The zero-based index of the RadPageView to retrieve from the collection. Defines the relationship between a data item and the tab it is binding to in a control. Specifies the exact value of the ChildGroupCssClass property of the RadTab that will be created during the data binding. Specifies the field, containing the ChildGroupCssClass property value of the RadTab that will be created during the data binding. Specifies the exact value of the DisabledCssClass property of the RadTab that will be created during the data binding. Specifies the field, containing the DisabledCssClass property value of the RadTab that will be created during the data binding. Specifies the exact value of the DisabledImageUrl property of the RadTab that will be created during the data binding. Specifies the field, containing the DisabledImageUrl property value of the RadTab that will be created during the data binding. Specifies the exact value of the HoveredCssClass property of the RadTab that will be created during the data binding. Specifies the field, containing the HoveredCssClass property value of the RadTab that will be created during the data binding. Specifies the exact value of the OuterCssClass property of the RadTab that will be created during the data binding. Specifies the field, containing the OuterCssClass property value of the RadTab that will be created during the data binding. Specifies the exact value of the IsSeparator property of the RadTab that will be created during the data binding. Specifies the field, containing the IsSeparator property value of the RadTab that will be created during the data binding. Specifies the exact value of the IsBreak property of the RadTab that will be created during the data binding. Specifies the field, containing the IsBreak property value of the RadTab that will be created during the data binding. Specifies the exact value of the PerTabScrolling property of the RadTab that will be created during the data binding. Specifies the field, containing the PerTabScrolling property value of the RadTab that will be created during the data binding. Specifies the exact value of the ScrollChildren property of the RadTab that will be created during the data binding. Specifies the field, containing the ScrollChildren property value of the RadTab that will be created during the data binding. Specifies the exact value of the ScrollPosition property of the RadTab that will be created during the data binding. Specifies the field, containing the ScrollPosition property value of the RadTab that will be created during the data binding. Specifies the exact value of the SelectedCssClass property of the RadTab that will be created during the data binding. Specifies the field, containing the SelectedCssClass property value of the RadTab that will be created during the data binding. Specifies the exact value of the SelectedImageUrl property of the RadTab that will be created during the data binding. Specifies the field, containing the SelectedImageUrl property value of the RadTab that will be created during the data binding. Specifies the field, containing the SelectedIndex property value of the RadTab that will be created during the data binding. Specifies the exact value of the SelectedIndex property of the RadTab that will be created during the data binding. Specifies the exact value of the PageViewID property of the RadTab that will be created during the data binding. Specifies the field, containing the PageViewID property value of the RadTab that will be created during the data binding. Specifies the exact value of the ScrollButtonsPosition property of the RadTab that will be created during the data binding. Specifies the field, containing the ScrollButtonsPosition property value of the RadTab that will be created during the data binding. Represents a collection of objects. Gets the object at the specified index from the collection. The at the specified index in the collection. The zero-based index of the to retrieve. Represents a tab in the RadTabStrip control. The RadTabStrip control is made up of tabs. Tabs which are immediate children of the tabstrip are root tabs. tabs which are children of root tabs are child tabs. A tab usually stores data in two properties, the Text property and the Value property. The value of the Text property is displayed in the RadTabStrip control, and the Value property is used to store additional data. To create tabs, use one of the following methods: Use declarative syntax to define tabs inline in your page or user control. Use one of the constructors to dynamically create new instances of the RadTab class. These tabs can then be added to the Tabs collection of another tab or tabstrip. Data bind the RadTabStrip control to a data source. When the user clicks a tab, the RadTabStrip control can navigate to a linked Web page, post back to the server or select that tab. If the NavigateUrl property of a tab is set, the RadTabStrip control navigates to the linked page. By default, a linked page is displayed in the same window or frame. To display the linked content in a different window or frame, use the Target property. This partitial Class defines the RadTab object. Initializes a new instance of the RadTab class. Use this constructor to create and initialize a new instance of the RadTab class using default values. The following example demonstrates how to add tabs to the RadTabStrip control. RadTab tab = new RadTab(); tab.Text = "News"; tab.NavigateUrl = "~/News.aspx"; RadTabStrip1.Tabs.Add(tab); Dim tab As New RadTab() tab.Text = "News" tab.NavigateUrl = "~/News.aspx" RadTabStrip1.Tabs.Add(tab) Initializes a new instance of the RadTab class with the specified text data. Use this constructor to create and initialize a new instance of the RadTab class using the specified text. The following example demonstrates how to add tabs to the RadTabStrip control. RadTab tab = new RadTab("News"); RadTabStrip1.Tabs.Add(tab); Dim tab As New RadTab("News") RadTabStrip1.Tabs.Add(tab) The text displayed for the tab. The Text property is initialized with the value of this parameter. Initializes a new instance of the RadTab class with the specified text and value data. Use this constructor to create and initialize a new instance of the RadTab class using the specified text and value. This example demonstrates how to add tabs to the RadTabStrip control. RadTab tab = new RadTab("News", "NewsTabValue"); RadTabStrip1.Tabs.Add(tab); Dim tab As New RadTab("News", "NewsTabValue") RadTabStrip1.Tabs.Add(tab) The text displayed for the tab. The Text property is initialized with the value of this argument. The value associated with the tab. The Value property is initialized with the value of this parameter. Selects recursively all parent tabs in the hierarchy. Use this method to programmatically select all parents of the tab. Selected tabs will be visible in the browser. The following example demonstrates how to select the parents of the tab which corresponds to the current URL. RadTab currentTab = RadTabStrip1.FindTabByUrl(Request.Url.PathAndQuery); if (currentTab != null) { currentTab.SelectParents(); } Dim currentTab as RadTab = RadTabStrip1.FindTabByUrl(Request.Url.PathAndQuery) If Not currentTab Is Nothing Then currentTab.SelectParents() End If Renders the HTML closing tag of the control into the specified writer. This method is used primarily by control developers. A that represents the output stream to render HTML content on the client. Gets or sets a value indicating whether the tab will behave as separator. true if the tab is separator; otherwise false. The default value is false. Use separators to visually separate the tabs. You also need to specify the width of the separator tab through the Width property. Gets or sets the template for displaying the tab. An object implementing the ITemplateThe default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all tabs use the property of the control. The following example demonstrates how to customize the appearance of a specific tab using the TabTemplate property <telerik:RadTabStrip ID="RadTabStrip1" runat="server"> <Tabs> <telerik:RadTab> <TabTemplate> Tab 1 <img src="Images/tabIcon.gif" alt="" /> </TabTemplate> </telerik:RadTab> </Tabs> </telerik:RadTabStrip> Gets the level of the current tab. An integer representing the level of the tab. Root tabs are level 0 (zero). Gets or sets a value indicating whether the tab is selected. true if the tab is selected; otherwise false. The default value is false. Use the Selected property to determine whether the tab is currently selected within its parent RadTabCollection. Setting the Selected property to true will deselect the previously selected tab. Gets the RadTabStrip instance which contains the current tab. Gets or sets a value indicating whether clicking on the tab will postback. true if the node should postback; otherwise false. If you subscribe to the TabClick event all tabs will postback. To prevent the current tab from initiating postback you can set the PostBack property to false. Gets the data item that is bound to the tab An Object that represents the data item that is bound to the tab. The default value is null (Nothing in Visual Basic), which indicates that the tab is not bound to any data item. The return value will always be null unless accessed within a TabDataBound event handler. This property is applicable only during data binding. Use it along with the TabDataBound event to perform additional mapping of fields from the data item to RadTab properties. The following example demonstrates how to map fields from the data item to RadTab properties. It assumes the user has subscribed to the TabDataBound event. private void RadTabStrip1_TabDataBound(object sender, Telerik.Web.UI.RadTabStripEventArgs e) { e.Tab.ImageUrl = "image" + (string)DataBinder.Eval(e.Tab.DataItem, "ID") + ".gif"; e.Tab.NavigateUrl = (string)DataBinder.Eval(e.Tab.DataItem, "URL"); } Sub RadTabStrip1_TabDataBound(ByVal sender As Object, ByVal e As Telerik.Web.UI.RadTabStripEventArgs) Handles RadTabStrip1.TabDataBound e.Tab.ImageUrl = "image" & DataBinder.Eval(e.Tab.DataItem, "ID") & ".gif" e.Tab.NavigateUrl = CStr(DataBinder.Eval(e.Tab.DataItem, "URL")) End Sub Gets or sets a value indicating whether the children of the tab will be scrollable. true if the child tabs will be scrollable; otherwise false. The default value is false. To enable scrolling of the child tabs the ScrollChildren property must also be set to true. The position of the scroll buttons with regards to the tab band. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. One of the TabStripScrollButtonsPosition enumeration values. The default value is Right. Gets or sets the position of the scrollable band of tabs relative to the beginning of the scrolling area. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. An integer specifying the initial scrolling position (measured in pixels). The default value is 0 (no offset from the default scrolling position). Use negative values to move the tabs to the left. Gets or sets a value indicating whether the tabstrip should scroll directly to the next tab. true if the tabstrip should scroll to the next (or previous) tab; otherwise false. The default value is false. By default tabs are scrolled smoothly. If you want the tabstrip to scroll directly to the next (or previous) tab set this property to true. This property is applicable when the ScrollChildren property is set to true; otherwise it is ignored. Gets or sets the index of the selected child tab. The zero based index of the selected tab. The default value is -1 (no child tab is selected). Use the SelectedIndex property to programmatically specify the selected child tab in a IRadTabContainer (RadTabStrip or RadTab). To clear the selection set the SelectedIndex property to -1. The following example demonstrates how to programmatically select a tab by using the SelectedIndex property. void Page_Load(object sender, EventArgs e) { if (!Page.IsPostBack) { RadTab newsTab = new RadTab("News"); RadTabStrip1.Tabs.Add(newsTab); RadTabStrip1.SelectedIndex = 0; //This will select the "News" tab RadTab cnnTab = new RadTab("CNN"); newsTab.Tabs.Add(cnnTab); RadTab nbcTab = new RadTab("NBC"); newsTab.Tabs.Add(nbcTab); newsTab.SelectedIndex = 1; //This will select the "NBC" child tab of the "News" tab } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Not Page.IsPostBack Then Dim newsTab As RadTab = New RadTab("News") RadTabStrip1.Tabs.Add(newsTab) RadTabStrip1.SelectedIndex = 0 'This will select the "News" tab Dim cnnTab As RadTab = New RadTab("CNN") newsTab.Tabs.Add(cnnTab) Dim nbcTab As RadTab = New RadTab("NBC") newsTab.Tabs.Add(nbcTab) newsTab.SelectedIndex = 1 'This will select the "NBC" child tab of the "News" tab End If End Sub Gets the selected child tab. Returns the child tab which is currently selected. If no tab is selected (the SelectedIndex property is -1) the SelectedTab property will return null (Nothing in VB.NET). Gets the IRadTabContainer instance which contains the current tab. The object which contains the tab. It might be an instance of the RadTabStrip class or the RadTab class depending on the hierarchy level. The value is of the IRadTabContainer type which is implemented by the RadTabStrip class and the RadTab class. Use the Owner property when recursively traversing tabs in the RadTabStrip control. The following example demonstrates how to make a bread crumb trail out of hierarchical RadTabStrip. void Page_Load(object sender, EventArgs e) { if (RadTabStrip1.SelectedIndex >= 0) { RadTab selected = RadTabStrip1.InnermostSelectedTab; IRadTabContainer owner = selected.Owner; string breadCrumbTrail = string.Empty; while (owner != null) { breadCrumbTrail = " > " + owner.SelectedTab.Text + breadCrumbTrail; owner = owner.Owner; } Label1.Text = breadCrumbTrail; } } Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If RadTabStrip1.SelectedIndex >= 0 Then Dim selected As RadTab = RadTabStrip1.InnermostSelectedTab Dim owner As IRadTabContainer = selected.Owner Dim breadCrumbTrail As String = String.Empty While Not owner Is Nothing breadCrumbTrail = " > " & owner.SelectedTab.Text & breadCrumbTrail owner = owner.Owner End While Label1.Text = breadCrumbTrail End If End Sub Gets a RadTabCollection object that contains the child tabs of the current tab. A RadTabCollection that contains the child tabs of the current tab. By default the collection is empty (the tab has no children). Use the Tabs property to access the child tabs of the current tab. You can also use the Tabs property to manage the children of the current tab. You can add, remove or modify tabs from the Tabs collection. The following example demonstrates how to programmatically modify the properties of child tabs. RadTabStrip1.Tabs[0].Tabs[0].Text = "Example"; RadTabStrip1.Tabs[0].Tabs[0].NavigateUrl = "http://www.example.com"; RadTabStrip1.Tabs(0).Tabs(0).Text = "Example" RadTabStrip1.Tabs(0).Tabs(0).NavigateUrl = "http://www.example.com" Gets or sets the Cascading Style Sheet (CSS) class applied when the tab is selected. The CSS class applied when the tab is selected. The default value is empty string. By default the visual appearance of selected tabs is defined in the skin CSS file. You can use the SelectedCssClass property to specify unique appearance for the current tab when it is selected. Gets or sets the Cascading Style Sheet (CSS) class applied when the tab is disabled. The CSS class applied when the tab is disabled. The default value is empty string. By default the visual appearance of disabled tabs is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for the tab when it is disabled. Gets or sets the Cascading Style Sheet (CSS) class applied when the tab is hovered with the mouse. The CSS class applied when the tab is hovered. The default value is empty string. By default the visual appearance of hovered tabs is defined in the skin CSS file. You can use the HoveredCssClass property to specify unique appearance for the tab when it is hovered. Gets or sets the Cascading Style Sheet (CSS) class applied on the outmost tab element (<LI>). The CSS class applied on the wrapping element (<LI>). The default value is empty string. You can use the OuterCssClass property to specify unique appearance for the tab, or to insert elements that are before/after the link element. Gets or sets the Cascading Style Sheet (CSS) class applied to the HTML element containing the child tabs. The CSS class applied to the child tabs container. The default value is empty string. Tabs are rendered as LI (list item) HTML elements inside a UL (unordered list). The CSS class specified by the ChildGroupCssClass property is applied to the UL tag.

ASPX:

<telerik:RadTabStrip ID="RadTabStrip1" runat="server">
<Tabs>
<telerik:RadTab Text="News" ChildGroupCssClass="news">
<Tabs>
<telerik:RadTab Text="CNN" />
<telerik:RadTab Text="NBC" />
</Tabs>
</telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>

HTML:

<li>News
<ul class="news">
<li>CNN</li>
<li>NBC</li>
</ul>
</li>
Gets or sets a value indicating whether next tab will be displayed on a new line. true if the next tab should be displayed on a new line; otherwise false. The default value is false. Use the IsBreak property to create multi-row tabstrip. All tabs after the "break" tab will be displayed on a new line. Gets or sets the ID of the RadPageView in a RadMultiPage that will be switched when the tab is selected. This property overrides the default relation between the page views within a RadMultiPage and the tabs in a RadTabStrip. By default a tab activates the page view with the same index. The ID of the RadPageView that will be activated when the tab is selected. The default value is empty string. Gets or sets the text displayed for the current tab. The text displayed for the tab in the RadTabStrip control. The default is empty string. Use the Text property to specify or determine the text that is displayed for the tab in the RadTabStrip control. Gets or sets custom (user-defined) data associated with the current tab. A string representing the user-defined data. The default value is emptry string. Use the Value property to associate custom data with a RadTab object. Gets or sets the URL to navigate to when the current tab is clicked. The URL to navigate to when the tab is clicked. The default value is empty string which means that clicking the current tab will not navigate. By default clicking a tab will select it. If the tab has any child tabs they will be displayed. To make a tab navigate to some designated URL you can use the NavigateUrl property. You can optionally set the Target property to specify the window or frame in which to display the linked content. Setting the NavigateUrl property will disable tab selection and as a result the TabClick event won't be raised for the current tab. Gets or sets the URL to an image which is displayed next to the text of a tab. The URL to the image to display for the tab. The default value is empty string which means by default no image is displayed. Use the ImageUrl property to specify a custom image that will be displayed before the text of the current tab. The following example demonstrates how to specify the image to display for the tab using the ImageUrl property. <telerik:RadTabStrip id="RadTabStrip1" runat="server">
<Tabs>
<telerik:RadTabImageUrl="~/Img/inbox.gif" Text="Index"></telerik:RadTab>
<telerik:RadTabImageUrl="~/Img/outbox.gif" Text="Outbox"></telerik:RadTab>
<telerik:RadTabImageUrl="~/Img/trash.gif" Text="Trash"></telerik:RadTab>
<telerik:RadTabImageUrl="~/Img/meetings.gif" Text="Meetings"></telerik:RadTab>
</Tabs>
</telerik:RadTabStrip>
Gets or sets the URL to an image which is displayed when the user hovers the current tab with the mouse. The URL to the image to display for the tab when the user hovers it with the mouse. The default value is empty string which means the image specified via ImageUrl will be used. Use the HoveredImageUrl property to specify a custom image that will be displayed when the user hovers the tab with the mouse. Setting the HoveredImageUrl property required the ImageUrl property to be set beforehand. If the HoveredImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the URL to an image which is displayed when the tab is selected. The URL to the image to display when the tab is selected. The default value is empty string which means the image specified via ImageUrl will be used. Use the SelectedImageUrl property to specify a custom image that will be displayed when the current tab is selected. Setting the SelectedImageUrl property required the ImageUrl property to be set beforehand. If the SelectedImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the URL to an image which is displayed when the tab is disabled (its Enabled property is set to false). The URL to the image to display when the tab is disabled. The default value is empty string which means the image specified via ImageUrl will be used. Use the DisabledImageUrl property to specify a custom image that will be displayed when the current tab is disabled. Setting the DisabledImageUrl property required the ImageUrl property to be set beforehand. If the DisabledImageUrl property is not set the value of the ImageUrl will be used instead. Gets or sets the target window or frame in which to display the Web page content associated with the current tab. The target window or frame to load the Web page linked to when the tab is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string which means the linked resource will be loaded in the current window. Use the Target property to target window or frame in which to display the Web page content associated with the current tab. The Web page is specified by the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The Target property is taken into consideration only when the NavigateUrl property is set. The following example demonstrates how to use the Target property <telerik:RadTabStrip id="RadTabStrip1" runat="server">
<Tabs>
<telerik:RadTab Text="News" NavigateUrl="~/News.aspx" Target="_self" />
<telerik:RadTab Text="External URL" NavigateUrl="http://www.example.com" Target="_blank" />
</Tabs>
</telerik:RadTabStrip>
Gets the RadPageView activated when the tab is selected. The RadPageView that is activated when the tab is selected. The default value is null (Nothing in VB.NET). A collection of RadTab objects in a RadTabStrip control. The RadTabCollection class represents a collection of RadTab objects. Use the indexer to programmatically retrieve a single RadTab from the collection, using array notation. Use the Count property to determine the total number of menu items in the collection. Use the Add method to add tabs in the collection. Use the Remove method to remove tabs from the collection. Initializes a new instance of the RadTabCollection class. The owner of the collection. Appends the specified RadTab object to the end of the current RadTabCollection. The RadTab to append to the end of the current RadTabCollection. The following example demonstrates how to programmatically add tabs in a RadTabStrip control. RadTab newsTab = new RadTab("News"); RadTabStrip1.Tabs.Add(newsTab); Dim newsTab As RadTab = New RadTab("News") RadTabStrip1.Tabs.Add(newsTab) Appends the specified array of RadTab objects to the end of the current RadTabCollection. The following example demonstrates how to use the AddRange method to add multiple tabs in a single step. RadTab[] tabs = new RadTab[] { new RadTab("First"), new RadTab("Second"), new RadTab("Third") }; RadTabStrip1.Tabs.AddRange(tabs); Dim tabs() As RadTab = {New RadTab("First"), New RadTab("Second"), New RadTab("Third")} RadTabStrip1.Tabs.AddRange(tabs) The array of RadTab o append to the end of the current RadTabCollection. Inserts the specified RadTab object in the current RadTabCollection at the specified index location. The zero-based index location at which to insert the RadTab. The RadTab to insert. Determines the index of the specified RadTab object in the collection. The RadTab to locate. The zero-based index of tab within the current RadTabCollection, if found; otherwise, -1. Determines whether the specified RadTab object is in the current RadTabCollection. The RadTab object to find. true if the current collection contains the specified RadTab object; otherwise, false. Removes the specified RadTab object from the current RadTabCollection. The RadTab object to remove. Removes the RadTab object at the specified index from the current RadTabCollection. The zero-based index of the tab to remove. Searches the RadTabStrip control for the first RadTab whose Value property is equal to the specified value. A RadTab whose Value property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadTabStrip control for the first RadTab whose Value property is equal to the specified value. A RadTab whose Value property is equal to the specifed value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadTabStrip control for the first RadTab whose Text property is equal to the specified value. A RadTab whose Text property is equal to the specified value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. Searches the RadTabStrip control for the first RadTab whose Text property is equal to the specified value. A RadTab whose Text property is equal to the specified value. If a tab is not found, null (Nothing in Visual Basic) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Returns the first RadTab that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindTab method. void Page_Load(object sender, EventArgs e) { RadTabStrip1.FindTab(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadTab tab) { if (tab.Text == tab.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadTabStrip1.FindTab(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal tab As RadTab) As Boolean If tab.Text = tab.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Gets the RadTab object at the specified index in the current RadTabCollection. The zero-based index of the RadTab to retrieve. The RadTab at the specified index in the current RadTabCollection. For internal use only. Gets or sets the selected indexes. The selected indexes. Gets or sets the log entries. The log entries. Gets or sets the state of the scroll. The state of the scroll. Provides data for the ButtonDataBound event of the RadToolBar control. Initializes a new instance of the RadToolBarButtonEventArgs class. A RadToolBarItem which represents a button in the RadToolBar control. Gets the referenced button in the RadToolBar control when the ButtonDataBound event is raised. The referenced button in the RadToolBar control when the ButtonDataBound event is raised. Use this property to programmatically access the button referenced in the RadToolBar control when the ButtonDataBound event is raised. Represents the method that handles the ButtonDataBound event of a RadToolBar control. The source of the event. A RadToolBarButtonEventArgs that contains the event data. When you create a RadToolBarButtonEventHandler delegate, you identify the method that will handle the event. To associate the event with your event handler, add an instance of the delegate to the event. The event handler is called whenever the event occurs, unless you remove the delegate. Provides data for the events of the RadToolBar control. Initializes a new instance of the RadToolBarEventArgs class. A RadToolBarItem which represents an item in the RadToolBar control. Gets the referenced item in the RadToolBar control when the event is raised. The referenced item in the RadToolBar control when the event is raised. Use this property to programmatically access the item referenced in the RadToolBar control when the event is raised. Represents the method that handles the events of a RadToolBar control. The source of the event. A RadToolBarEventArgs that contains the event data. When you create a RadToolBarEventHandler delegate, you identify the method that will handle the event. To associate the event with your event handler, add an instance of the delegate to the event. The event handler is called whenever the event occurs, unless you remove the delegate. Specifies the expand direction of a drop down within the RadToolBar control. The drop down will expand upwards The drop down will expand downwards Specifies the position of the image of an item within the RadToolBar control according to the item text. The image will be displayed to the left of the text The image will be displayed to the right of the text The image will be displayed above the text The image will be displayed below the text This enum specifies the position of RadComboBoxImage. RadComboBoxImage position is set to right. Right RadComboBoxImage position is set to left. Left Provides data for the RadComboBoxItemsRequested event of the RadComboBox control. Text is the text in the input area of the combobox. This value can be used to filter the items that are added. Value is the value of the currently selected item. NumberOfItems is the number of items that have been added by all previous calls to the ItemsRequested event handler when the ShowMoreResultsBox property is True. EndOfItems is boolean property indicating that no more items should be requested. Once set, the serverside ItemsRequested event is no longer fired. Message is the message that appears in the ShowMoreResults box. This is only used when the ShowMoreResultsBox property is True. Gets or sets the context. The context. Provides data for the RadComboBoxSelectedIndexChanged event of the RadComboBox control. Gets or sets the text. The text. Gets or sets the old text. The old text. Gets or sets the value. The value. Gets or sets the old value. The old value. For internal use only. Gets or sets the command. The command. Gets or sets the index. The index. Gets or sets the ClientState. The ClientState. Gets or sets the text. The text. Gets or sets the context. The context. Gets or sets the number of items. The number of items. Gets or sets a bool property that shows whether the checkAll checkbox is checked or unchecked This Class defines the RadComboBoxContext object and gets or sets the text and the number of items in it. Gets or sets the number of items. The number of items. Gets or sets the text. The text. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the text. The text. Gets or sets the value. The value. Gets or sets the value. The value. Gets or sets the enabled. The enabled. Gets or sets the checked indices. The checked indices. Gets or sets the checked items text overflows. The checked items text overflows. For internal use only. For internal use only. Attributes collection interface Border styles collection interface Columns collection Elements collection interface Collection of ExcelML elements Default constructor for the elements collection Add element to the collection Element to be added to the collection The position into which the new element was inserted Removes all items Determines whether the collection contains a specific value. The object to locate in the collection. true if the Object is found in the collection; otherwise, false. etermines the index of a specific item in the IList. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the item at the specified index. The zero-based index of the item to remove. Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Returns the item at the specified position Item index Rows collection interface Styles collection interface Worksheet collection interface Horizontal alignment type. Possible options are: Automatic, Left, Center, Right, Fill, CenterAcrossSelection Vertical alignment type. Possible options include Automatic, Top, Bottom, Center. AlignmentStyle object. Unifies the vertical and the horizontal alignment settings for a given element. Vertical alignment setting for the current element Horizontal alignment setting for the current element Collection of attributes for a given object Constructor for the Attributes collection that accepts IDictionary IDictionary collection of Attribute objects Default Attributes collection constructor Add an Attribute to the collection Clears the Attribute collection Determines whether the collection contains an element with the specified key. The key to locate in the collection. true if the collection contains an element with the key; otherwise, false. Returns an IDictionaryEnumerator object for the IDictionary object. An IDictionaryEnumerator object for the IDictionary object. Removes the element with the specified key from the collection. The key of the element to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. (Inherited from ICollection.) The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets an ICollection object containing the keys of the collection. Gets an ICollection object containing the values in the collection. Returns the attribute located at the corresponding position Attribute index Attribute object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) AutoFilter options Defines the filtering properties for a single column of the AutoFilter range. AutoFilter Or element AutoFilter And element AutoFilter Condition element Index of AutoFilter element AutoFilter element value Gets/sets the FilterType of the AutoFilter element Determines whether the AutoFilter element is visible AutoFilter condition type Defines a single condition in a custom AutoFilter function. AutoFilterConditionElement constructor that accepts a string Default AutoFilterConditionElement constructor Gets/sets the AutoFilter FilterConditionOperator Gets/sets the AutoFilter value Returns false if the value of the AutoFilter is not empty; otherwise returns true Returns a collection containing the inner elements Defines an AND condition in a custom AutoFilter function. Returns the AutoFilter condition for the current AutoFilterAndElement object Defines an OR condition in a custom AutoFilter function. Gets the second filter condition (AutoFilterConditionElement) Gets the first filter contidion (AutoFilterConditionElement) Defines an AutoFilter range on the current worksheet. AutoFilter cell range Returns true if the AutoFilterElement is empty; otherwise returns false Border styles collection BorderStyles collection default constructor BorderStyles constructor that accepts list of BorderStyles objects IList of BorderStyles Adds an item to the collection. The object to add to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection. Removes all items from the collection. Determines whether the collection contains a specific value. The object to locate in the collection. true if the element is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the IList at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. (Inherited from ICollection.) The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets/sets the BorderStyles element at a given position BorderStyles index BorderStyles element Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) Border position type Border line type BorderStyles element BorderStyles default constructor BorderStyles constructor that accepts border position. PositionType value. Border weight. Max value is 3. Border line style Border position Border color ExcelML Cell element Specifies the URL to which to link this cell. Specifies the number of adjacent cells below the current cell to merge. Specifies the number of adjacent cells across (right unless in right-to-left mode) from the current cell to merge. Data element; specifies the value of this cell. The ID of the style that has to be applied to the current cell. The name of the Column element that corresponds to the current cell Cells collection Default constructor for the CellsCollection class Adds a Cell element to the collection CellElement value The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection. Removes all items from the collection. Gets a CellElement by given unique column name Column name CellElement object Determines whether the collection contains a specific value. The object to locate in the collection. true if the object is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. (Inherited from ICollection.) The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) An IEnumerator object that can be used to iterate through the collection. Gets a value indicating whether the IList has a fixed size. Gets a value indicating whether the IList is read-only. Gets/sets the CellElement object at a given index Cell index CellElement object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) Represents a column in the XMLSS structure True specifies that this column is hidden. False (or omitted) specifies that this column is shown. Specifies the width of a column. This value must be greater than or equal to 0. Columns collection Default constructor for the Columns collection ColumnsCollection constructor that accepts list of Column object IList of Column objects Adds an item to the collection. The object to add to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection. Removes all items from the collection. Determines whether the collection contains a specific value. The object to locate in the collection. true if the object is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) An IEnumerator object that can be used to iterate through the collection. Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets/sets a ColumnElement at a given index Column index ColumnElement object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) Data type Data type converter Converts a DataType value to string DataType value String representation of the DataType Returns true if the object can be converted to any of the supported data types Object to be tested Returns true if conversion is possible; otherwise, false. Converts an object to String Object to be converted Converted string. Convert .NET data type to XMLSS DataType Object to be converted. Converted DataType value DataElement object DataElement default constructor DataElement constructor that accepts object DataElement constructor that accepts DataTypeConverter and object DataTypeConverter object DataElement object value DataType of the DataElement object Value of the DataElement object DataElement inner elements FontStyleElement object Font underline Font size Font italic Font name Font color Font bold InteriorPatternType element. Determines the fill patern. InteriorStyleElement object Interior pattern style Interior color Number format type Number format style Number format type GridExportExcelMLStyleCreatedArgs event arguments object GridExportExcelMLStyleCreatedArgs event arguments object Collection of styles Collection of styles ExcelML row type GridExcelMLExportRowCreatedEventHandler delegate Sender object Event arguments GridExcelMLExportStylesCreatedEventHandler delegate Sender object Event arguments GridExportExcelMLRowCreatedArgs event arguments object GridExportExcelMLRowCreatedArgs event arguments object RowElement object ExcelML row type Parent worksheet ExcelML row type Row object Parent worksheet element GridExcelMLWorkBookCreatedEventArgs event arguments GridExcelMLWorkBookCreatedEventArgs event arguments ExcelML workbook ExcelML workbook ExcelML row element Specifies the height of a row. This value must be greater than or equal to 0. Cells corresponding to the current row The row element cannot have inner elements. Collection of RowElement objects RowsCollection default constructor RowsCollection constructor that accepts list of RowElement objects IList of RowElement objects Adds an item to the collection. The object to add to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection, Removes all items from the IList. Determines whether the collection contains a specific value. The object to locate in the collection. true if the object is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets/sets the RowElement object by given row index Row index RowElement object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) Style element Style element constructor that accepts Style ID Style ID string Default constructor for the StyleElement Id must be set Alignment style object. Speicifies both horizontal and vertical alignment. Borders set for the current style Number format Interior style Font style Cell protection settings Style ID string Collection of StyleElement objects StylesCollection constructor that accepts list of StyleElement objects IList of StyleElement objects Default constructor for StylesCollection Adds an item to the collection. The object to add to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection. Removes all items from the collection. Determines whether the collection contains a specific value. The object to locate in the collection. true if the object is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. (Inherited from ICollection.) The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) An IEnumerator object that can be used to iterate through the collection. Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets/sets StyleElement object at given position Style index StyleElement object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) StylesElement object Styles collection The Styles element cannot have attributes ExcelML table element Returns the columns that belong to the current table Returns current table's row elements Utilily class. Provides helpful methods for ExcelML units conversion. Converts Color object to HTML color string Color object HTML-coded color string Converts Unit values to point (UnitType.Point) Unit value Point value (double) Converts ASP.NET HorizontalAlign to ExcelML HorizontalAlignmentType HorizontalAlign value HorizontalAlignmentType value ExcelML workbook element Renders the workbook StringBuilder that holds the rendered output Styles collection for the workbook element Worksheet elements belonging to this workbook Worksheet collection WorksheetCollection constructor that accepts list of worksheets IList of worksheet objects Default constructor for the WorksheetCollection Adds an item to the collection. The object to add to the collection. The position into which the new element was inserted, or -1 to indicate that the item was not inserted into the collection. Removes all items from the collection. Determines whether the collection contains a specific value. The object to locate in the collection. true if the object is found in the collection; otherwise, false. Determines the index of a specific item in the collection. The object to locate in the collection. The index of value if found in the collection; otherwise, -1. Inserts an item to the collection at the specified index. The zero-based index at which value should be inserted. The object to insert into the collection. Removes the first occurrence of a specific object from the collection. The object to remove from the collection. Removes the collection item at the specified index. The zero-based index of the item to remove. Copies the elements of the ICollection to an Array, starting at a particular Array index. (Inherited from ICollection.) The one-dimensional Array that is the destination of the elements copied from ICollection. The Array must have zero-based indexing. The zero-based index in array at which copying begins. Returns an enumerator that iterates through a collection. (Inherited from IEnumerable.) An IEnumerator object that can be used to iterate through the collection. Gets a value indicating whether the collection has a fixed size. Gets a value indicating whether the collection is read-only. Gets/sets the Worksheet element residing at the specified position Worksheet index WorksheetElement object Gets the number of elements contained in the ICollection. (Inherited from ICollection.) Gets a value indicating whether access to the ICollection is synchronized (thread safe). (Inherited from ICollection.) Gets an object that can be used to synchronize access to the ICollection. (Inherited from ICollection.) ExcelML Worksheet element WorksheetElement constructor that accepts name (string) Default constructor for the WorksheetElement Determines whether the worksheet is protected Returns the AutoFilterElement object Worksheet name Provides the possibility to change various options for the current Worksheet. Table element belonging to the current worksheet Enumeration determining in what format the Excel data will be exported. Class holding settings associated with the exporting to Excel functionality. Gets or sets in which format the Excel data will be exported. The Excel format type. Gets or sets the file extension for RadGrid Excel export. The file extension for RadGrid Excel export. Determines whether RadGrid will fit the image within the boundaries of its parent cell (true) or will leave it with the default dimensions (false). False by default. BIFF only. Determines the default header cell alignment when exporting to Excel. Default value is 'NotSet'. Represents the effects that can be used in an animation. Represents a ContextMenuTargettarget, specified by the id of a server control. An abstract class representing a target which RadContextMenu will be attached to. Gets or sets the ID of the server control RadContextMenu will attach to. Specifies that the RadContextMenu will be displayed when a right-click on the entire page occurs. Represents a ContextMenuTargettarget, specified by client-side element id. Gets or sets the ID of the element RadContextMenu will attach to on the client. Represents a ContextMenuTargettarget, specified by element tagName. Gets or sets the TagName of the elements RadContextMenu will search and attach to on the client. Represents a collection of objects. Initializes a new instance of the ContextMenuTargetCollection class. The owner of the collection. Appends the specified ContextMenuTarget object to the end of the current ContextMenuTargetCollection. The ContextMenuTarget to append to the end of the current ContextMenuTargetCollection. Determines whether the specified ContextMenuTarget object is in the current ContextMenuTargetCollection. The ContextMenuTarget object to find. true if the current collection contains the specified ContextMenuTarget object; otherwise, false. Copies the contents of the current ContextMenuTargetCollection into the specified array of ContextMenuTarget objects. The target array. The index to start copying from. Appends the specified array of ContextMenuTarget objects to the end of the current ContextMenuTargetCollection. The array of ContextMenuTarget o append to the end of the current ContextMenuTargetCollection. Determines the index of the specified ContextMenuTarget object in the collection. The ContextMenuTarget to locate. The zero-based index of tab within the current ContextMenuTargetCollection, if found; otherwise, -1. Inserts the specified ContextMenuTarget object in the current ContextMenuTargetCollection at the specified index location. The zero-based index location at which to insert the ContextMenuTarget. The ContextMenuTarget to insert. Removes the specified ContextMenuTarget object from the current ContextMenuTargetCollection. The ContextMenuTarget object to remove. Removes the ContextMenuTarget object at the specified index from the current ContextMenuTargetCollection. The zero-based index of the tab to remove. Gets the ContextMenuTarget object at the specified index in the current ContextMenuTargetCollection. The zero-based index of the ContextMenuTarget to retrieve. The ContextMenuTarget at the specified index in the current ContextMenuTargetCollection. This enumeration controls the expand behaviour of the items. The default behaviour - all items are loaded in the intial request and expand is performed on the client, without server interaction The child items are loaded from the web service specified by the RadMenu.WebServicePath and RadMenu.WebServiceMethod properties. Represents a collection of objects. Gets the object at the specified index from the collection. The at the specified index in the collection. The zero-based index of the to retrieve. Defines the relationship between a data item and the menu item it is binding to in a control. Specifies the exact value of the ClickedCssClass property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the ClickedCssClass property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the DisabledCssClass property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the DisabledCssClass property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the DisabledImageUrl property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the DisabledImageUrl property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the ExpandedImageUrl property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the ExpandedImageUrl property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the ExpandedCssClass property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the ExpandedCssClass property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the ExpandMode property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the ExpandMode property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the FocusedCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the FocusedCssClass property value of the RadMenuItem that will be created during the data binding. Specifies the exact value of the IsSeparator property of the RadMenuItem that will be created during the data binding. Specifies the field, containing the IsSeparator property value of the RadMenuItem that will be created during the data binding. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the index of the selected item. The index of the selected item. Data class used for transferring menu items from and to web services. For information about the role of each property see the RadMenuItem class. See RadMenuItem.ExpandMode. See RadMenuItem.Selected. See RadMenuItem.NavigateUrl. See RadMenuItem.PostBack. See RadMenuItem.Target. See RadMenuItem.IsSeparator. See RadMenuItem.CssClass. See RadMenuItem.DisabledCssClass. See RadMenuItem.ExpandedCssClass. See RadMenuItem.FocusedCssClass. See RadMenuItem.ClickedCssClass. See RadMenuItem.ImageUrl. See RadMenuItem.HoveredImageUrl. See RadMenuItem.ClickedImageUrl. See RadMenuItem.DisabledImageUrl. See RadMenuItem.ExpandedImageUrl. Represents the different ways RadPanelbar behaves when an item is expanded. More than one item can be expanded at a time. Only one item can be expanded at a time. Expanding another item collapses the previously expanded one. Only one item can be expanded at a time. The expanded area occupies the entire height of the RadPanelbar. The position of the image within a panel item. The image is rendered leftmost. The image is rendered rightmost. Provides data for the events which represents an item in the RadPanelBar control. Initializes a new instance of the RadPanelBarEventArgs class. A RadPanelItem which represents an item in the RadPanelBar control. Gets the referenced RadPanelItem in the RadPanelBar control when the event is raised. The referenced item in the RadPanelBar control when the event is raised. Use this property to programmatically access the item referenced in the RadPanelBar when the event is raised. For internal use only. Gets or sets the log entries. The log entries. Gets or sets the expanded items. The expanded items. Gets or sets the selected items. The selected items. This partial Class defines RadPanelItem object that inherits NavigationItem, IRadPanelItemContainer and ICloneable. Represents a item in the RadPanelBar control. The RadPanelBar control is made up of items. Items which are immediate children of the panelbar are root items. Items which are children of root items are child items. A item usually stores data in two properties, the Text property and the Value property. The value of the Text property is displayed in the RadPanelBar control, and the Value property is used to store additional data. To create panel items, use one of the following methods: Use declarative syntax to define items inline in your page or user control. Use one of the constructors to dynamically create new instances of the RadPanelItem class. These items can then be added to the Items collection of another item or panelbar. Data bind the RadPanelBar control to a data source. When the user clicks a panel item, the RadPanelBar control can navigate to a linked Web page, post back to the server or select that item. If the NavigateUrl property of a item is set, the RadPanelBar control navigates to the linked page. By default, a linked page is displayed in the same window or frame. To display the linked content in a different window or frame, use the Target property. Clones this instance. Initializes a new instance of the RadPanelItem class. Use this constructor to create and initialize a new instance of the RadPanelItem class using default values. The following example demonstrates how to add items to RadPanelBar controls. RadPanelItem item = new RadPanelItem(); item.Text = "News"; item.NavigateUrl = "~/News.aspx"; RadPanelbar1.Items.Add(item); Dim item As New RadPanelItem() item.Text = "News" item.NavigateUrl = "~/News.aspx" RadPanelbar1.Items.Add(item) Initializes a new instance of the RadPanelItem class with the specified text data. Use this constructor to create and initialize a new instance of the RadPanelItem class using the specified text. The following example demonstrates how to add items to RadPanelBar controls. RadPanelItem item = new RadPanelItem("News"); RadPanelbar1.Items.Add(item); Dim item As New RadPanelItem("News") RadPanelbar1.Items.Add(item) The text of the item. The Text property is set to the value of this parameter. Expands all parent items so the item is visible. Initializes a new instance of the RadPanelItem class with the specified text and URL to navigate to. Use this constructor to create and initialize a new instance of the RadPanelItem class using the specified text and URL. This example demonstrates how to add items to RadPanelBar controls. RadPanelItem item = new RadPanelItem("News", "~/News.aspx"); RadPanelbar1.Items.Add(item); Dim item As New RadPanelItem("News", "~/News.aspx") RadPanelbar1.Items.Add(item) The text of the item. The Text property is set to the value of this parameter. The url which the item will navigate to. The NavigateUrl property is set to the value of this parameter. Instantiates the HeaderTemplate inside the Header. Clears all existing controls in the Header before that. Gets the collection of child items. Use this property to retrieve the child items. You can also use it to programmatically add or remove items. A RadPanelItemCollection that represents the child items. Gets or sets a value indicating the position of the image within the item. One of the RadPanelItemImagePosition Enumeration values. The default value is Left. Gets the RadPanelBar instance which contains the item. Use this property to obtain an instance to the RadPanelBar object containing the item. Gets the IRadPanelItemContainer instance which contains the current item. The object which contains the item. It might be an instance of the RadPanelBar class or the RadPanelItem class depending on the hierarchy level. The value is of the IRadPanelItemContainer type which is implemented by the RadPanelBar class and the RadPanelItem class. Use the Owner property when recursively traversing items in the RadPanelBar control. Sets or gets whether the item is separator. It also represents a logical state of the item. Might be used in some applications for keyboard navigation to omit processing items that are marked as separators. Gets or sets a value indicating whether the panel item is expanded. true if the panel item is expanded; otherwise, false. The default is false. Manages the item level of a particular Item instance. This property allows easy implementation/separation of the panel items in levels. Gets or sets the height of the child item group. A Unit that represents the height of the child item group. The default value is Empty. If the total child group height exceeds the value specified with the ChildGroupHeight property scrolling will be applied. Gets or sets the Cascading Style Sheet (CSS) class applied to the element enclosing the child items. The default value is empry string. Gets or sets the Cascading Style Sheet (CSS) class applied when the panel item is disabled. The CSS class applied when the panel item is disabled. The default value is "disabled". By default the visual appearance of disabled panel items is defined in the skin CSS file. You can use the DisabledCssClass property to specify unique appearance for the panel item when it is disabled. Gets or sets a value indicating whether clicking on the item will postback. True if the panel item should postback; otherwise false. By default all the items will postback provided the user has subscribed to the ItemClick event. If you subscribe to the ItemClick all panel items will postback. To turn off that behavior you should set the PostBack property to false. Gets or sets a value indicating whether clicking on the item will collapse it. False if the panel item should collapse; otherwise True. Gets or sets a value indicating whether the item is selected. true if the item is selected; otherwise, false. The default is false. true if the item is selected; otherwise false. The default value is false. Use the Selected property to determine whether the item is currently selected. Gets or sets the text caption for the panel item. The text of the item. The default value is empty string. This example demonstrates how to set the text of the item using the Text property. <radP:RadPanelbar ID="RadPanelbar1" runat="server">
<Items>
<radP:RadPanelItem Text="News" />
<radP:RadPanelItem Text="News" />
</Items>
</radP:RadPanelbar>
Use the Text property to specify the text to display for the item.
Gets or sets the URL to link to when the item is clicked. The URL to link to when the item is clicked. The default value is empty string. The following example demonstrates how to use the NavigateUrl property <telerik:RadPanelBar id="RadPanelBar1" runat="server">
<Items>
<telerik:RadPanelItem Text="News" NavigateUrl="~/News.aspx" />
<telerik:RadPanelItem Text="External URL" NavigateUrl="http://www.example.com" />
</Items>
</telerik:RadPanelBar>
Use the NavigateUrl property to specify the URL to link to when the item is clicked. Use "~" (tilde) in front of an URL within the same ASP.NET application. When specifying external URL do not forget the protocol (e.g. "http://").
Gets or sets the target window or frame to display the Web page content linked to when the panel item is clicked. The target window or frame to load the Web page linked to when the Item is selected. Values must begin with a letter in the range of a through z (case insensitive), except for the following special values, which begin with an underscore: _blank Renders the content in a new window without frames. _parent Renders the content in the immediate frameset parent. _self Renders the content in the frame with focus. _top Renders the content in the full window without frames. The default value is empty string. Use the Target property to specify the frame or window that displays the Web page linked to when the panel item is clicked. The Web page is specified by setting the NavigateUrl property. If this property is not set, the Web page specified by the NavigateUrl property is loaded in the current window. The following example demonstrates how to use the Target property ASPX: <telerik:RadPanelBar runat="server" ID="RadPanelBar1"> <Items> <telerik:RadPanelItem Target="_blank" NavigateUrl="http://www.google.com" /> </Items> </telerik:RadPanelBar> Gets or sets the value associated with the panel item. The value associated with the item. The default value is empty string. Use the Value property to specify or determine the value associated with the item. Gets or sets the data item represented by the item. An object representing the data item to which the Item is bound to. The DataItem property will always return null when accessed outside of ItemDataBound event handler. This property is applicable only during data binding. Use it along with the ItemDataBound event to perform additional mapping of fields from the data item to RadPanelItem properties. The following example demonstrates how to map fields from the data item to %RadPanelItem properties. It assumes the user has subscribed to the ItemDataBound:RadPanelbar.ItemDataBound event.:RadPanelItem% private void RadPanelbar1_PanelItemDataBound(object sender, Telerik.WebControls.RadPanelbarEventArgs e) { RadPanelItem item = e.Item; DataRowView dataRow = (DataRowView) e.Item.DataItem; item.ImageUrl = "image" + dataRow["ID"].ToString() + ".gif"; item.NavigateUrl = dataRow["URL"].ToString(); } Sub RadPanel1_PanelItemDataBound(ByVal sender As Object, ByVal e As RadPanelbarEventArgs) Handles RadPanelbar1.ItemDataBound Dim item As RadPanelItem = e.Item Dim dataRow As DataRowView = CType(e.Item.DataItem, DataRowView) item.ImageUrl = "image" + dataRow("ID").ToString() + ".gif" item.NavigateUrl = dataRow("URL").ToString() End Sub Gets or sets the template for displaying the item. A ITemplate implemented object that contains the template for displaying the item. The default value is a null reference (Nothing in Visual Basic), which indicates that this property is not set. To specify common display for all panel items use the ItemTemplate property of the RadPanelbar class. The following template demonstrates how to add a Calendar control in certain panel item. ASPX: <radP:RadPanelbar runat="server" ID="RadPanelbar1">
<Items>
<radP:RadPanelItem Text="Date">
<Items>
<radP:RadPanelItem Text="SelectDate">
<ItemTemplate>
<asp:Calendar runat="server" ID="Calendar1" />
</ItemTemplate>
</radP:RadPanelItem>
</Items>
</radP:RadPanelItem>
</Items>
</radP:RadPanelbar>
Gets or sets the content template. The content template. Gets or sets the template for displaying footer in RadcomboBox. Get the Header Template container of the RadPanelItem. Gets or sets the path to an image to display for the item. The path to the image to display for the item. The default value is empty string. Use the ImageUrl property to specify the image for the item. If the ImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets a value specifying the URL of the image rendered when the node is hovered with the mouse. If the HoveredImageUrl property is not set the ImageUrl property will be used when the node is hovered. Gets or sets the path to an image to display for the item when it is disabled. The path to the image to display for the item. The default value is empty string. Use the DisabledImageUrl property to specify the image for the item when it is disabled. If the DisabledImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the item when it is selected. The path to the image to display for the item. The default value is empty string. Use the SelectedImageUrl property to specify the image for the item when it is disabled. If the SelectedImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the path to an image to display for the item when it is expanded. The path to the image to display for the item. The default value is empty string. Use the ExpandedImageUrl property to specify the image for the item when it is expanded. If the ExpandedImageUrl property is set to empty string no image will be rendered. Use "~" (tilde) when referring to images within the current ASP.NET application. Gets or sets the Cascading Style Sheet (CSS) class applied when the panel item is clicked. The CSS class applied when the panel item is clicked. The default value is "clicked". By default the visual appearance of clicked panel items is defined in the skin CSS file. You can use the ClickedCssClass property to specify unique appearance for the panel item when it is clicked. Gets or sets the Cascading Style Sheet (CSS) class applied when the panel item is selected. The CSS class applied when the panel item is selected. The default value is "selected". By default the visual appearance of selected panel items is defined in the skin CSS file. You can use the SelectedCssClass property to specify unique appearance for the panel item when it is selected. Gets or sets the Cascading Style Sheet (CSS) class applied when the panel item is opened (its child items are visible). The CSS class applied when the panel item is opened. The default value is "expanded". By default the visual appearance of opened panel items is defined in the skin CSS file. You can use the ExpandedCssClass property to specify unique appearance for the panel item when it is opened. Gets or sets the Cascading Style Sheet (CSS) class applied when the panel item is focused. The CSS class applied when the panel item is focused. The default value is "focused". By default the visual appearance of focused panel items is defined in the skin CSS file. You can use the FocusedCssClass property to specify unique appearance for the panel item when it is focused. Represents the simple binding between the property value of an object and the property value of a RadPanelItem. Specifies the exact value of the ChildGroupCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ChildGroupCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the ChildGroupHeight property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ChildGroupHeight property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the ClickedCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ClickedCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the DisabledCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the DisabledCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the DisabledImageUrl property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the DisabledImageUrl property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the Expanded property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the Expanded property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the ExpandedImageUrl property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ExpandedImageUrl property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the ExpandedCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ExpandedCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the FocusedCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the FocusedCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the ImagePosition property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the ImagePosition property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the IsSeparator property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the IsSeparator property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the PreventCollapse property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the PreventCollapse property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the SelectedCssClass property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the SelectedCssClass property value of the RadPanelItem that will be created during the data binding. Specifies the exact value of the SelectedImageUrl property of the RadPanelItem that will be created during the data binding. Specifies the field, containing the SelectedImageUrl property value of the RadPanelItem that will be created during the data binding. A collection of RadPanelItem objects in a RadPanelBar control. The RadPanelItemCollection class represents a collection of RadPanelItem objects. Use the indexer to programmatically retrieve a single RadPanelItem from the collection, using array notation. Use the Count property to determine the total number of panel items in the collection. Use the Add method to add items in the collection. Use the Remove method to remove items from the collection. Initializes a new instance of the RadPanelItemCollection class. The owner of the collection. Appends the specified RadPanelItem object to the end of the current RadPanelItemCollection. The RadPanelItem to append to the end of the current RadPanelItemCollection. The following example demonstrates how to programmatically add items in a RadPanelBar control. RadPanelItem newsItem = new RadPanelItem("News"); RadPanelBar1.Items.Add(newsItem); Dim newsItem As RadPanelItem = New RadPanelItem("News") RadPanelBar1.Items.Add(newsItem) Appends the specified array of RadPanelItem objects to the end of the current RadPanelItemCollection. The following example demonstrates how to use the AddRange method to add multiple items in a single step. RadPanelItem[] items = new RadPanelItem[] { new RadPanelItem("First"), new RadPanelItem("Second"), new RadPanelItem("Third") }; RadPanelBar1.Items.AddRange(items); Dim items() As RadPanelItem = {New RadPanelItem("First"), New RadPanelItem("Second"), New RadPanelItem("Third")} RadPanelBar1.Items.AddRange(items) The array of RadPanelItem o append to the end of the current RadPanelItemCollection. Removes the specified RadPanelItem object from the current RadPanelItemCollection. The RadPanelItem object to remove. Removes the RadPanelItem object at the specified index from the current RadPanelItemCollection. The zero-based index of the item to remove. Determines the index of the specified RadPanelItem object in the collection. The RadPanelItem to locate. The zero-based index of item within the current RadPanelItemCollection, if found; otherwise, -1. Determines whether the specified RadPanelItem object is in the current RadPanelItemCollection. The RadPanelItem object to find. true if the current collection contains the specified RadPanelItem object; otherwise, false. Inserts the specified RadPanelItem object in the current RadPanelItemCollection at the specified index location. The zero-based index location at which to insert the RadPanelItem. The RadPanelItem to insert. Searches all nodes for a RadPanelItem with a Text property equal to the specified text. The text to search for A RadPanelItem whose Text property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. Searches all nodes for a RadPanelItem with a Value property equal to the specified value. The value to search for A RadPanelItem whose Value property equals to the specified argument. Null (Nothing) is returned when no matching node is found. This method is not recursive. Searches the nodes in the collection for a RadPanelItem which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadPanelItem that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Returns the first RadPanelItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadPanel1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadPanelItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadPanel1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadPanelItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Searches the RadPanelbar control for the first RadPanelItem with a Text property equal to the specified value. A RadPanelItem whose Text property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the RadPanelbar control for the first RadPanelItem with a Value property equal to the specified value. A RadPanelItem whose Value property is equal to the specified value. The method returns the first item matching the search criteria. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Gets the RadPanelItem object at the specified index in the current RadPanelItemCollection. The zero-based index of the RadPanelItem to retrieve. The RadPanelItem at the specified index in the current RadPanelItemCollection. This Class defines RadPanelItemBindingCollection that inherits NavigationItemBindingCollection. This class is a container for the Spell Dialog UI Holds the Spell Localization strings for the RadSpell dialog (loaded from RadSpell.Dialog.resx). Gets or sets a string containing the localization language for the RadSpell Dialog Gets or sets a string containing the localization language for the RadSpell Dialog SpellCheckValidator validates a form based on a RadSpell control. It can be used to enforce spellchecking before form submission. The ControlToValidate must be set to the ID of a RadSpell control. The RadSpell control should be separately set up with a control to check and other options. A collection of RadToolBarButton objects in RadToolBarDropDown and RadToolBarSplitButton. The RadToolBarButtonCollection class represents a collection of RadToolBarButton objects. The RadToolBarButton objects in turn represent buttons within a RadToolBarDropDown or a RadToolBarSplitButton. Use the indexer to programmatically retrieve a single RadToolBarButton from the collection, using array notation. Use the Count property to determine the total number of buttons in the collection. Use the Add method to add buttons to the collection. Use the Remove method to remove buttons from the collection. A collection of RadToolBarItem objects in a RadToolBar control. The RadToolBarItemCollection class represents a collection of RadToolBarItem objects. The RadToolBarItem objects in turn represent items (buttons, dropdowns or split buttons) within a RadToolBar control. Use the indexer to programmatically retrieve a single RadToolBarItem from the collection, using array notation. Use the Count property to determine the total number of toolbar items in the collection. Use the Add method to add toolbar items to the collection. Use the Remove method to remove toolbar items from the collection. Initializes a new instance of the RadToolBarItemCollection class. The owner of the collection. Appends the specified RadToolBarItem object to the end of the current RadToolBarItemCollection. The RadToolBarItem to append to the end of the current RadToolBarItemCollection. The following example demonstrates how to programmatically add toolbar buttons in a RadToolBar control. RadToolBarButton createNewButton = new RadToolBarButton("CreateNew"); RadToolBar1.Items.Add(createNewButton); Dim createNewButton As RadToolBarButton = New RadToolBarButton("CreateNew") RadToolBar1.Items.Add(createNewButton) Searches the ToolBarItemCollection for the first RadToolBarItem with a Text property equal to the specified value. A RadToolBarItem which Text property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the ToolBarItemCollection for the first button item (RadToolBarButton or RadToolBarSplitButton) with a Value property equal to the specified value. A button item which Value property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the ToolBarItemCollection for the first RadToolBarItem with a Text property equal to the specified value. A RadToolBarItem which Text property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the ToolBarItemCollection for the first button item (RadToolBarButton or RadToolBarSplitButton) with a Value property equal to the specified value. A button item which Value property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. A Boolean indicating a case-sensitive or insensitive comparison (true indicates a case-insensitive comparison). Searches the items in the collection for a RadToolBarItem which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadToolBarItem that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Returns the first RadToolBarItem that matches the conditions defined by the specified predicate. The predicate should returns a boolean value. The following example demonstrates how to use the FindItem method. void Page_Load(object sender, EventArgs e) { RadToolBar1.FindItem(ItemWithEqualsTextAndValue); } private static bool ItemWithEqualsTextAndValue(RadToolBarItem item) { if (item.Text == item.Value) { return true; } else { return false; } } Sub Page_Load(ByVal sender As Object, ByVal e As EventArgs) RadToolBar1.FindItem(ItemWithEqualsTextAndValue) End Sub Private Shared Function ItemWithEqualsTextAndValue(ByVal item As RadToolBarItem) As Boolean If item.Text = item.Value Then Return True Else Return False End If End Function The Predicate <> that defines the conditions of the element to search for. Determines whether the specified RadToolBarItem object is in the current RadToolBarItemCollection. The RadToolBarItem object to find. true if the current collection contains the specified RadToolBarItem object; otherwise, false. Appends the specified array of RadToolBarItem objects to the end of the current RadToolBarItemCollection. The following example demonstrates how to use the AddRange method to add multiple items in a single step. RadToolBarItem[] items = new RadToolBarItem[] { new RadToolBarButton("Create New"), new RadToolBarDropDown("Manage"), new RadToolBarSplitButton("Register Purchase")}; RadToolBar1.Items.AddRange(items); Dim items() As RadToolBarItem = {New RadToolBarButton("Create New"), New RadToolBarDropDown("Manage"), New RadToolBarSplitButton("Register Purchase")} RadToolBar1.Items.AddRange(items) The array of RadToolBarItem objects to append to the end of the current RadToolBarItemCollection. Determines the index of the specified RadToolBarItem object in the collection. The RadToolBarItem to locate. The zero-based index of a toolbar item within the current RadToolBarItemCollection, if found; otherwise, -1. Inserts the specified RadToolBarItem object in the current RadToolBarItemCollection at the specified index location. The zero-based index location at which to insert the RadToolBarItem. The RadToolBarItem to insert. Removes the specified RadToolBarItem object from the current RadToolBarItemCollection. The RadToolBarItem object to remove. Removes the RadToolBarItem object at the specified index from the current RadToolBarItemCollection. The zero-based index of the item to remove. Gets the RadToolBarItem object at the specified index in the current RadToolBarItemCollection. The zero-based index of the RadToolBarItem to retrieve. The RadToolBarItem at the specified index in the current RadToolBarItemCollection. Initializes a new instance of the RadToolBarButtonCollection class. The owner of the collection. Appends the specified RadToolBarButton object to the end of the current RadToolBarButtonCollection. The RadToolBarButton to append to the end of the current RadToolBarButtonCollection. The following example demonstrates how to programmatically add toolbar buttons to a RadToolBarDropDown. RadToolBarDropDown manageDropDown = new RadToolBarDropDown("Manage"); RadToolBarButton manageUsersButton = new RadToolBarButton("Users"); manageDropDown.Buttons.Add(manageUsersButton); RadToolBarButton manageOrdersButton = new RadToolBarButton("Orders"); manageDropDown.Buttons.Add(manageOrdersButton); RadToolBar1.Items.Add(manageDropDown); Dim manageDropDown As RadToolBarDropDown = New RadToolBarDropDown("Manage") Dim manageUsersButton As RadToolBarButton = New RadToolBarButton("Users") manageDropDown.Buttons.Add(manageUsersButton) Dim manageOrdersButton As RadToolBarButton = New RadToolBarButton("Orders") manageDropDown.Buttons.Add(manageOrdersButton) RadToolBar1.Items.Add(manageDropDown) Searches the RadToolBarButtonCollection for the first RadToolBarButton with a Text property equal to the specified value. A RadToolBarButton which Text property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the RadToolBarButtonCollection for the first RadToolBarButton with a Value property equal to the specified value. A RadToolBarButton whose Value property is equal to the specified value. The method returns the first item matching the search criteria. This method is not recursive. If no item is matching then null (Nothing in VB.NET) is returned. The value to search for. Searches the items in the collection for a RadToolBarButton which contains the specified attribute and attribute value. The name of the target attribute. The value of the target attribute The RadToolBarButton that matches the specified arguments. Null (Nothing) is returned if no node is found. This method is not recursive. Determines whether the specified RadToolBarButton object is in the current RadToolBarButtonCollection. The RadToolBarButton object to find. true if the current collection contains the specified RadToolBarButton object; otherwise, false. Appends the specified array of RadToolBarButton objects to the end of the current RadToolBarButtonCollection. The following example demonstrates how to use the AddRange method to add multiple buttons in a single step. RadToolBarDropDown manageDropDown = new RadToolBarDropDown("Manage"); RadToolBarButton[] buttons = new RadToolBarButton[] { new RadToolBarButton("Users"), new RadToolBarButton("Orders")}; manageDropDown.Buttons.AddRange(buttons); RadToolBar1.Items.Add(manageDropDown); Dim manageDropDown As RadToolBarDropDown = New RadToolBarDropDown("Manage") Dim buttons() As RadToolBarButton = {New RadToolBarButton("Users"), New RadToolBarButton("Orders")} manageDropDown.Buttons.AddRange(buttons) RadToolBar1.Items.Add(manageDropDown) The array of RadToolBarButton objects to append to the end of the current RadToolBarButtonCollection. Determines the index of the specified RadToolBarButton object in the collection. The RadToolBarButton to locate. The zero-based index of a toolbar button within the current RadToolBarButtonCollection, if found; otherwise, -1. Inserts the specified RadToolBarButton object in the current RadToolBarButtonCollection at the specified index location. The zero-based index location at which to insert the RadToolBarButton. The RadToolBarButton to insert. Removes the specified RadToolBarButton object from the current RadToolBarButtonCollection. The RadToolBarButton object to remove. Removes the RadToolBarButton object at the specified index from the current RadToolBarButtonCollection. The zero-based index of the button to remove. Gets the RadToolBarButton object at the specified index in the current RadToolBarButtonCollection. The zero-based index of the RadToolBarButton to retrieve. The RadToolBarButton at the specified index in the current RadToolBarButtonCollection. Represents the animation settings like type and duration for the control. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. The default value is 450 milliseconds. For internal use only. Gets or sets the log entries. The log entries. A context menu control used with the control. The RadTreeViewContextMenu object is used to assign context menus to nodes. Use the property to add context menus for a object. Use the property to assign specific context menu to a given . The following example demonstrates how to add context menus declaratively <telerik:RadTreeView ID="RadTreeView1" runat="server"> <ContextMenus> <telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <telerik:RadMenuItem Text="Menu1Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu1Item2"></telerik:RadMenuItem> </Items> </telerik:RadTreeViewContextMenu> <telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <telerik:RadMenuItem Text="Menu2Item1"></telerik:RadMenuItem> <telerik:RadMenuItem Text="Menu2Item2"></telerik:RadMenuItem> </Items> </telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> <telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> </Nodes> </telerik:RadTreeNode> <telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> <telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></telerik:RadTreeNode> </Nodes> </telerik:RadTreeNode> </Nodes> </telerik:RadTreeView> OnClientItemClicking is not available for RadTreeViewContextMenu. Use the OnClientContextMenuItemClicking property of RadTreeView instead. OnClientItemClicked is not available for RadTreeViewContextMenu. Use the OnClientContextMenuItemClicked property of RadTreeView instead. OnClientShowing is not available for RadTreeViewContextMenu. Use the OnClientContextMenuShowing property of RadTreeView instead. OnClientShown is not available for RadTreeViewContextMenu. Use the OnClientContextMenuShown property of RadTreeView instead. Provides a collection container that enables RadTreeView to maintain a list of its RadTreeViewContextMenus. Initializes a new instance of the RadTreeViewContextMenuCollection class for the specified RadTreeView. The RadTreeView that the RadTreeViewContextMenuCollection is created for. Adds the specified RadTreeViewContextMenu object to the collection The RadTreeViewContextMenu to add to the collection Determines whether the specified RadTreeViewContextMenu is in the parent RadTreeView's RadTreeViewContextMenuCollection object. The RadTreeViewContextMenu to search for in the collection true if the specified RadTreeViewContextMenu exists in the collection; otherwise, false. Copies the RadTreeViewContextMenu instances stored in the RadTreeViewContextMenuCollection object to an System.Array object, beginning at the specified index location in the System.Array. The System.Array to copy the RadTreeViewContextMenu instances to. The zero-based relative index in array where copying begins Appends the specified array of objects to the end of the current . The array of to append to the end of the current . Retrieves the index of a specified RadTreeViewContextMenu object in the collection. The RadTreeViewContextMenu for which the index is returned. The index of the specified RadTreeViewContextMenu instance. If the RadTreeViewContextMenu is not currently a member of the collection, it returns -1. Inserts the specified RadTreeViewContextMenu object to the collection at the specified index location. The location in the array at which to add the RadTreeViewContextMenu instance. The RadTreeViewContextMenu to add to the collection Removes the specified RadTreeViewContextMenu from the parent RadTreeView's RadTreeViewContextMenuCollection object. The RadTreeViewContextMenu to be removed To remove a control from an index location, use the RemoveAt method. Removes a child RadTreeViewContextMenu, at the specified index location, from the RadTreeViewContextMenuCollection object. The ordinal index of the RadTreeViewContextMenu to be removed from the collection. Gets a reference to the RadTreeViewContextMenu at the specified index location in the RadTreeViewContextMenuCollection object. The location of the RadTreeViewContextMenu in the RadTreeViewContextMenuCollection The reference to the RadTreeViewContextMenu. Represents the method that handles the ContextMenuItemClick event of a RadTreeView control. The source of the event. A RadTreeViewContextMenuEventArgs that contains the event data. The ContextMenuItemClick event is raised when an item in the RadTreeViewContextMenu of the RadTreeView control is clicked. A click on a RadTreeViewContextMenu item of the RadTreeView makes a postback only if an event handler is attached to the ContextMenuItemClick event. The following example demonstrates how to display information about the clicked item in the RadTreeViewContextMenu shown after a right-click on a RadTreeNode. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> void RadTreeView1_ContextMenuItemClick(object sender, RadTreeViewContextMenuEventArgs e) { lblInfo.Text = string.Format(@"You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text); } </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> <%@ Page Language="VB" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> Sub RadTreeView1_ContextMenuItemClick(ByVal sender as Object, ByVal e as RadTreeViewContextMenuEventArgs) lblInfo.Text = String.Format("You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", _ e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text) End Sub </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> Provides data for the ContextMenuItemClick event of the RadTreeView control. This class cannot be inherited. The ContextMenuItemClick event is raised when an item in the RadTreeViewContextMenu of the RadTreeView control is clicked. A click on a RadTreeViewContextMenu item of the RadTreeView makes a postback only if an event handler is attached to the ContextMenuItemClick event. The following example demonstrates how to display information about the clicked item in the RadTreeViewContextMenu shown after a right-click on a RadTreeNode. <%@ Page Language="C#" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> void RadTreeView1_ContextMenuItemClick(object sender, RadTreeViewContextMenuEventArgs e) { lblInfo.Text = string.Format(@"You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text); } </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> <%@ Page Language="VB" AutoEventWireup="true" %> <%@ Register TagPrefix="Telerik" Namespace="Telerik.Web.UI" Assembly="Telerik.Web.UI" %> <script runat="server"> Sub RadTreeView1_ContextMenuItemClick(ByVal sender as Object, ByVal e as RadTreeViewContextMenuEventArgs) lblInfo.Text = String.Format("You clicked on Menu Item {0}(""{1}"") of Node {2}(""{3}"")", _ e.MenuItem.Index, e.MenuItem.Text, e.Node.Index, e.Node.Text) End Sub </script> <html> <body> <form id="form1" runat="server"> <Telerik:RadScriptManager ID="RadScriptManager1" runat="server"></Telerik:RadScriptManager> <br /> <asp:Label ID="lblInfo" style="border:solid 1px black; background-color:InfoBackground;font:normal 12px Courier New;" runat="server">Click on a context menu item to see the information for it.</asp:Label> <br /> <Telerik:RadTreeView ID="RadTreeView1" runat="server" OnContextMenuItemClick="RadTreeView1_ContextMenuItemClick"> <ContextMenus> <Telerik:RadTreeViewContextMenu ID="ContextMenu1"> <Items> <Telerik:RadMenuItem Text="Menu1Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu1Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> <Telerik:RadTreeViewContextMenu Skin="Outlook" ID="ContextMenu2"> <Items> <Telerik:RadMenuItem Text="Menu2Item1"></Telerik:RadMenuItem> <Telerik:RadMenuItem Text="Menu2Item2"></Telerik:RadMenuItem> </Items> </Telerik:RadTreeViewContextMenu> </ContextMenus> <Nodes> <Telerik:RadTreeNode Text="Node1" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node11" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node12" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node2" ContextMenuID="ContextMenu2"> <Nodes> <Telerik:RadTreeNode Text="Node21" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> <Telerik:RadTreeNode Text="Node22" ContextMenuID="ContextMenu2"></Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeNode> </Nodes> </Telerik:RadTreeView> </form> </body> </html> Initializes a new instance of the RadTreeViewContextMenuEventArgs class. A RadTreeNode which represents a node in the RadTreeView control. A RadMenuItem which represents an item in the RadTreeViewContextMenu control. Gets the referenced RadMenuItem in the RadTreeViewContextMenu control when the event is raised. Use this property to programmatically access the item referenced in the RadTreeViewContextMenu when the event is raised. Gets the referenced RadTreeNode in the RadTreeView control when the event is raised. Use this property to programmatically access the item referenced in the RadTreeNode when the event is raised. Specifies the checked state of . The is not checked The is checked The is in Indeterminate mode (some of its child nodes is not checked) This enumeration controls the expand behaviour of the nodes. The default behaviour - all nodes are loaded in the intial request and expand is performed on the client, without server interaction Forces firing of the NodeExpand event - a postback occurs and developers can populate the node with its children in server side event handler Forces firing of the NodeExpand event asyncronously from the client without postback - the NodeExpand event fires and child nodes added to the node collection are automatically transferred to the client without postback. The child nodes are loaded from the web service specified by the RadTreeView.WebServicePath and RadTreeView.WebServiceMethod properties. Specifies where the loading message is shown when Client-side load on demand is used. If the node text is "Some Text", the text is changed to "(loading ...) Some Text" when child nodes are being loaded (Assuming the LoadingMessage property has been set to "(loading...)"; If the node text is "Some Text", the text is changed to "Some Text (loading ...)" when child nodes are being loaded (Assuming the LoadingMessage property has been set to "(loading...)"; The text is not changed and (loading ...)" when child nodes are being loaded (Assuming the LoadingMessage property has been set to "(loading...)"; No loading text is displayed at all. Specifies the position at which the user has dragged and dropped the source node(s) with regards to the destination node. The source node(s) is dropped over (onto) the destination node. The source node(s) is dropped above (before) the destination node. The source node(s) is dropped below (after) the destination node. Provides data for the event of the control. Initializes a new instance of the class. A list of objects representing the source (dragged) nodes. A representing the destination node. A value representing the drop position of the source node(s) with regards to the destination node. Initializes a new instance of the class. A list of objects representing the source (dragged) nodes. A string representing the id of the HTML element on which the source nodes are dropped. Gets the source (dragged) node. A object representing the currently dragged node. The first dragged node is returned if there is more than one dragged node. Gets the destination node. A object representing the destination node. Gets all source (dragged) nodes. A list of object representing the source nodes. Gets or sets the position at which the user drops the source node(s) with regards to the destination nodes. One of the enumeration values. Gets or sets the ID of the HTML element on which the source node(s) is dropped. A string representing the ID of the HTML element on which the source node(s) is dropped. Provides data for the event of the control. Provides data for the , , , , and events of the control. Initializes a new instance of the class. A which represents a node in the control. Gets the referenced node in the control when the event is raised. The referenced node in the control when the event is raised. Use this property to programmatically access the node referenced in the control when the event is raised. Initializes a new instance of the class A object representing the node being edited. A string representing the text entered by the user. Gets the text which the user entered during node editing. Represents the method that handles the event provided by the control. Represents the method that handles the event provided by the control. Represents the method that handles the , , , , and events provided by the control. Data class used for transferring tree nodes from and to web services. For information about the role of each property see the class. See RadTreeNode.ExpandMode. See RadTreeNode.NavigateUrl. See RadTreeNode.PostBack. The CssClass of the RadTreeNode. See RadTreeNode.DisabledCssClass. See RadTreeNode.SelectedCssClass. See RadTreeNode.ContentCssClass. See RadTreeNode.HoveredCssClass. See RadTreeNode.ImageUrl. See RadTreeNode.HoveredImageUrl. See RadTreeNode.DisabledImageUrl. See RadTreeNode.ExpandedImageUrl. See RadTreeNode.ContextMenuID. See RadTreeNode.Checked. Represents the simple binding between the property value of an object and the property value of a RadTreeNode. Specifies the exact value of the ContextMenuID property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the ContextMenuID property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the AllowDrag property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the AllowDrag property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the AllowDrop property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the AllowDrop property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the AllowEdit property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the AllowEdit property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the Category property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the Category property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the Checkable property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the Checkable property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the Checked property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the Checked property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the DisabledCssClass property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the DisabledCssClass property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the DisabledImageUrl property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the DisabledImageUrl property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the EnableContextMenu property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the EnableContextMenu property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the Expanded property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the Expanded property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the ExpandedImageUrl property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the ExpandedImageUrl property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the ExpandMode property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the ExpandMode property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the HoveredCssClass property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the HoveredCssClass property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the SelectedCssClass property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the SelectedCssClass property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the ContentCssClass property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the ContentCssClass property value of the RadTreeNode that will be created during the data binding. Specifies the exact value of the SelectedImageUrl property of the RadTreeNode that will be created during the data binding. Specifies the field, containing the SelectedImageUrl property value of the RadTreeNode that will be created during the data binding. Defines the relationship between a data item and the menu item it is binding to in a control. Gets the object at the specified index in the current . The zero-based index of the to retrieve. The at the specified index in the current . Represents the animation settings like type and duration for the control. Gets or sets the duration in milliseconds of the animation. An integer representing the duration in milliseconds of the animation. The default value is 200 milliseconds For internal use only. Gets or sets the expanded nodes. The expanded nodes. Gets or sets the collapsed nodes. The collapsed nodes. Gets or sets the checked nodes. The checked nodes. Gets or sets the selected nodes. The selected nodes. Gets or sets the log entries. The log entries. Gets or sets the scroll position. The scroll position. For internal use only. For internal use only. Gets or sets the name of the command. The name of the command. Gets or sets the index. The index. Gets or sets the index of the dest. The index of the dest. Gets or sets the source nodes indices. The source nodes indices. Gets or sets the state of the client. The state of the client. Gets or sets the HTML element id. The HTML element id. Gets or sets the tree id. The tree id. Gets or sets the drop position. The drop position. Gets or sets the index of the menu item. The index of the menu item. Gets or sets the context menu ID. The context menu ID. Gets or sets the node edit text. The node edit text. Gets or sets the data. The data. Derives from HttpWorker request; Updates the current RadProgressContext with upload progress information; Represents the method that will handle the event that has an UploadedFileEventArgs event data. The RadUpload instance which fired the event. An UploadedFileEventArgs that contain the event data. UploadedFileEventArgs is the base class for the RadUpload event data. Gets the currently processed UploadedFile. UploadedFile object that contains information about the currently processed file. The following example demonstrates how to use the UploadedFile property to save a file in the FileExists event. Private Sub RadUpload1_FileExists(ByVal sender As Object, ByVal e As WebControls.UploadedFileEventArgs) Handles RadUpload1.FileExists Dim TheFile As Telerik.WebControls.UploadedFile = e.UploadedFile e.UploadedFile.SaveAs(Path.Combine(RadUpload1.TargetFolder, TheFile.GetName + "1" + TheFile.GetExtension)) End Sub private void RadUpload1_FileExists(object sender, Telerik.WebControls.UploadedFileEventArgs e) { Telerik.WebControls.UploadedFile TheFile = e.UploadedFile; TheFile.SaveAs(Path.Combine(RadUpload1.TargetFolder, TheFile.GetName() + "1" + TheFile.GetExtension())); } Represents the method that will handle the custom validation event. The RadUpload instance which fired the event. A ValidateFileEventArgs that contain the event data. Provides data for the ValidatingFile event of the RadUpload control. A ValidatingFileEventArgs is passed to the ValidatingFile event handler to provide event data to the handler. The ValidatingFile event event is raised when validation is performed on the server. This allows you to perform a custom server-side validation routine on a file of a RadUpload control. Gets or sets whether the value specified by UploadedFile property passed validation. true to indicate that the value specified by the UploadedFile property passed validation; otherwise, false Once your validation routine finishes, use the IsValid property to indicate whether the value specified by the UploadedFile property passed validation. This value determines whether the file from the RadUpload control passed validation. This example demonstrates how to implement validation for filenames. Private Sub RadUpload1_ValidatingFile(ByVal sender As Object, ByVal e As WebControls.ValidateFileEventArgs) Handles RadUpload1.ValidatingFile If e.UploadedFile.GetExtension.ToLower() = ".zip" Then 'The zip files are not allowed for upload e.IsValid = False End If End Sub private void RadUpload1_ValidatingFile(object sender, ValidateFileEventArgs e) { if (e.UploadedFile.GetExtension().ToLower() == ".zip") { //The zip files are not allowed for upload e.IsValid = false; } } Gets or sets whether the internal validation should continue validating the file specified by the UploadedFile property. false to indicate that the internal validation should validate the file specified by the UploadedFile property; otherwise, true Once your validation routine finishes, use the SkipInternalValidation property to skip the internal validation provided by the RadUpload control. This example demonstrates how to implement custom validation for specific file type. Private Sub RadUpload1_ValidatingFile(ByVal sender As Object, ByVal e As WebControls.ValidateFileEventArgs) Handles RadUpload1.ValidatingFile If e.UploadedFile.GetExtension.ToLower = ".zip" Then Dim maxZipFileSize As Integer = 10000000 '~10MB If e.UploadedFile.ContentLength > maxZipFileSize Then e.IsValid = False End If 'The zip files are not validated for file size, extension and mime type e.SkipInternalValidation = True End If End Sub private void RadUpload1_ValidatingFile(object sender, ValidateFileEventArgs e) { if (e.UploadedFile.GetExtension().ToLower() == ".zip") { int maxZipFileSize = 10000000; //~10MB if (e.UploadedFile.ContentLength > maxZipFileSize) { e.IsValid = false; } //The zip files are not validated for file size, extension and content type e.SkipInternalValidation = true; } } MaxFileSize Property (Telerik.WebControls.RadUpload) AllowedMimeTypes Property (Telerik.WebControls.RadUpload) AllowedFileExtensions Property (Telerik.WebControls.RadUpload) Stores a single request field - header data and body info (does not hold the entire body). No boundary here. Continuously fills the current request field member (header or body); The byte data of the current request field Indicates if this is the last chunk of information Returns null if the header is not complete yet: Records field information the raw byte array for the field (if the entire field is in the byte array, this would include the header and the body) indicates if this is the final part of the field body data (e.g., in terms of the request parser - if the boundary is reached after this field) Contains only fields with complete headers The most current field, which header is complete This Class gets or sets the ProgressArea strings. Gets or sets the cancel. The cancel. Gets or sets the name of the current file. The name of the current file. Gets or sets the uploaded files. The uploaded files. Gets or sets the total files. The total files. Gets or sets the uploaded. The uploaded. Gets or sets the total. The total. Gets or sets the elapsed time. The elapsed time. Gets or sets the estimated time. The estimated time. Gets or sets the transfer speed. The transfer speed. This Classs gets or sets the Upload strings. Gets or sets the select. The select. Gets or sets the remove. The remove. Gets or sets the add. The add. Gets or sets the clear. The clear. Gets or sets the delete. The delete. This enum specifies the ProgressIndicators. ProgressIndicators is set to None. None = 0 ProgressIndicators is set to TotalProgressBar. TotalProgressBar = 1 ProgressIndicators is set to TotalProgress. TotalProgress = 2 ProgressIndicators is set to TotalProgressPercent. TotalProgressPercent = 4 ProgressIndicators is set to RequestSize. RequestSize = 8 ProgressIndicators is set to FilesCountBar. FilesCountBar = 16 ProgressIndicators is set to FilesCount. FilesCount = 32 ProgressIndicators is set to FilesCountPercent. FilesCountPercent = 64 ProgressIndicators is set to SelectedFilesCount. SelectedFilesCount = 128 ProgressIndicators is set to CurrentFileName. CurrentFileName = 256 ProgressIndicators is set to TimeElapsed. TimeElapsed = 512 ProgressIndicators is set to TimeEstimated. TimeEstimated = 1024 ProgressIndicators is set to TransferSpeed. TransferSpeed = 2048 This Class defines the RadUploadProgressHandler that inherits IHttpHandler. Enables processing of HTTP Web requests by a custom HttpHandler that implements the interface. An object that provides references to the intrinsic server objects (for example, Request, Response, Session, and Server) used to service HTTP requests. Gets a value indicating whether another request can use the instance. true if the instance is reusable; otherwise, false. This Class defines the RadUploadProgressHandler. The tooltip text for the Close title bar button. The tooltip text for the Maximize title bar button. The tooltip text for the Minimize title bar button. The tooltip text for the Reload title bar button. The tooltip text for the PinOn title bar button. The tooltip text for the PinOff title bar button. The tooltip text for the Restore title bar button. The text for the OK button. The text for the Cancel button. The text for the Yes button. The text for the No button. Adds a new shortcut to the collection. The name of the command that will be executed. The key combination that will trigger the command For more information and for the available commands see this help article: http://www.telerik.com/help/aspnet-ajax/radwindow-keyboard-support.html Adds the elements from the specified collection - to the end of the target . The collection that will be extended. The items that will be added. is null index is out of range. first is null. second is null. resultSelector is null. This type is used internally by the data binding infrastructure and is not intended to be used directly from your code. Initializes a new instance of the class. The source. Holds extension methods for . Sorts the elements of a sequence using the specified sort descriptors. A sequence of values to sort. The sort descriptors used for sorting. An whose elements are sorted according to a . Projects each element of a sequence into a new form. An whose elements are the result of invoking a projection selector on each element of . A sequence of values to project. A projection function to apply to each element. Groups the elements of a sequence according to a specified key selector function. An whose elements to group. A function to extract the key for each element. An with items, whose elements contains a sequence of objects and a key. Sorts the elements of a sequence in ascending order according to a key. An whose elements are sorted according to a key. A sequence of values to order. A function to extract a key from an element. Sorts the elements of a sequence in descending order according to a key. An whose elements are sorted in descending order according to a key. A sequence of values to order. A function to extract a key from an element. Calls or depending on the . The source. The key selector. The sort direction. An whose elements are sorted according to a key. Groups the elements of a sequence according to a specified . An whose elements to group. The group descriptors used for grouping. An with items, whose elements contains a sequence of objects and a key. Calculates the results of given aggregates functions on a sequence of elements. An whose elements will be used for aggregate calculation. The aggregate functions. Collection of s calculated for each function. Calculates the results of a given aggregate function on a sequence of elements. An whose elements will be used for aggregate calculation. The aggregate function. Collection of s calculated for the function. Filters a sequence of values based on a predicate. An that contains elements from the input sequence that satisfy the condition specified by . An to filter. A function to test each element for a condition. Filters a sequence of values based on a collection of . The source. The filter descriptors. An that contains elements from the input sequence that satisfy the conditions specified by each filter descriptor in . Returns a specified number of contiguous elements from the start of a sequence. An that contains the specified number of elements from the start of . The sequence to return elements from. The number of elements to return. is null. Bypasses a specified number of elements in a sequence and then returns the remaining elements. An that contains elements that occur after the specified index in the input sequence. An to return elements from. The number of elements to skip before returning the remaining elements. is null. Returns the number of elements in a sequence. The number of elements in the input sequence. The that contains the elements to be counted. is null. Returns the element at a specified index in a sequence. The element at the specified position in . An to return an element from. The zero-based index of the element to retrieve. is null. is less than zero. Creates a from an where T is . A that contains elements from the input sequence. The to create a from. is null. Base class for all descriptors used for handling the logic for property changed notifications. Raises the event. The instance containing the event data. Calls creating a new instance of with given . Name of the property that is changed. Occurs when a property changes. Represents a filtering descriptor which serves as a container for one or more child filtering descriptors. Base class for all used for handling the logic for property changed notifications. Represents a filtering abstraction that knows how to create predicate filtering expression. Creates a predicate filter expression used for collection filtering. The instance expression, which will be used for filtering. A predicate filter expression. Creates a filter expression by delegating its creation to , if is , otherwise throws The instance expression, which will be used for filtering. A predicate filter expression. Parameter should be of type Creates a predicate filter expression used for collection filtering. The parameter expression, which will be used for filtering. A predicate filter expression. Creates a predicate filter expression combining expressions with . The parameter expression, which will be used for filtering. A predicate filter expression. Gets or sets the logical operator used for composing of . The logical operator used for composition. Gets or sets the filter descriptors that will be used for composition. The filter descriptors used for composition. Logical operator used for filter descriptor composition. Combines filters with logical AND. Combines filters with logical OR. The class enables implementation of custom filtering logic. The method checks whether the passed parameter satisfies filter criteria. Creates a predicate filter expression that calls . The parameter expression, which parameter will be passed to method. If false will not execute. Represents declarative filtering. Initializes a new instance of the class. Initializes a new instance of the class. The member. The filter operator. The filter value. Initializes a new instance of the class. The member. The filter operator. The filter value. If set to true indicates that this filter descriptor will be case sensitive. Creates a predicate filter expression. The parameter expression, which will be used for filtering. A predicate filter expression. Determines whether the specified descriptor is equal to the current one. The other filter descriptor. True if all members of the current descriptor are equal to the ones of , otherwise false. Determines whether the specified is equal to the current descriptor. Calls if is , otherwise returns false. Serves as a hash function for a particular type. A hash code for the current filter descriptor. Returns a that represents the current . A that represents the current . Gets or sets the member name which will be used for filtering. The member that will be used for filtering. Gets or sets the type of the member that is used for filtering. Set this property if the member type cannot be resolved automatically. Such cases are: items with ICustomTypeDescriptor, XmlNode or DataRow. Changing this property does not raise event. The type of the member used for filtering. Gets or sets the filter operator. The filter operator. Gets or sets the target filter value. The filter value. Gets or sets a value indicating whether this filter descriptor is case sensitvive. true if the filter descriptor is case sensitive; otherwise, false. The default value is true. Represents collection of . Operator used in Left operand must be smaller than the right one. Left operand must be smaller than or equal to the right one. Left operand must be equal to the right one. Left operand must be different from the right one. Left operand must be larger than the right one. Left operand must be larger than or equal to the right one. Left operand must start with the right one. Left operand must end with the right one. Left operand must contain the right one. Left operand must be contained in the right one. InvalidOperationException. InvalidOperationException. Represents group with aggregate functions. Represents an item that is created after grouping. Represents an item that is created after grouping. Gets the key for this group. The key for this group. Gets the items in this groups. The items in this group. Gets a value indicating whether this instance has sub groups. true if this instance has sub groups; otherwise, false. Gets the count. The count. Gets the subgroups, if is true, otherwise empty collection. The subgroups. Returns a that represents this instance. A that represents this instance. Gets a value indicating whether this instance has any sub groups. true if this instance has sub groups; otherwise, false. Gets the number of items in this group. The items count. Gets the subgroups, if is true, otherwise empty collection. The subgroups. Gets the items in this groups. The items in this group. Gets the key for this group. The key for this group. Gets the aggregate results generated for the given aggregate functions. The aggregate results for the provided aggregate functions. functions is null. Gets or sets the aggregate functions projection for this group. This projection is used to generate aggregate functions results for this group. The aggregate functions projection. Represents the basic class that supports creating functions that provide statistical information about a set of items. Creates the aggregate expression that is used for constructing expression tree that will calculate the aggregate result. The grouping expression. Generates default name for this function using this type's name. Function name generated with the following pattern: {.}_{} Gets or sets the informative message to display as an illustration of the aggregate function. The caption to display as an illustration of the aggregate function. Gets or sets the name of the aggregate function, which appears as a property of the group record on which records the function works. The name of the function as visible from the group record. Gets or sets a string that is used to format the result value. The format string. Represents a result returned by an aggregate function. Initializes a new instance of the class. The value of the result. The number of arguments used for the calculation of the result. Function that generated the result. function is null. Initializes a new instance of the class. that generated the result. function is null. Initializes a new instance of the class. The value of the result. that generated the result. Returns a that represents the current . A that represents the current . Called when a property has changed. Name of the property. Occurs when a property value changes. Gets or sets the value of the result. The value of the result. Gets the formatted value of the result. The formatted value of the result. Gets or sets the number of arguments used for the calulation of the result. The number of arguments used for the calulation of the result. Gets or sets the text which serves as a caption for the result in a user interface.. The text which serves as a caption for the result in a user interface. Gets the name of the function. The name of the function. Represents a collection of items. Gets the first which is equal to . The for the specified function if any, otherwise null. Servers as a base class for group descriptors. Holds that will be used to sort the groups created from the descriptor. Represents a grouping abstraction that knows how to create group key and group sort expressions. Creates a group expression that returns the grouping key for each item in a collection. Expression representing an item in a collection. Expression that creates group key for the given item. Creates the group order by expression that sorts the groups created from this descriptor. The grouping expression, which represents the grouped items created from the . Expression that represents the sort criteria for each group. Gets the sort direction for this descriptor. If the value is no sorting will be applied. The sort direction. The default value is . Creates a group expression by delegating its creation to , if is , otherwise throws The instance expression, which will be used for grouping. Expression that creates group key for the given item. Parameter should be of type Creates a group expression that returns the grouping key for each item in a collection. The parameter expression, which will be used for grouping. Expression that creates group key for the given item. Creates sorting key expression that sorts the groups created from this descriptor using the group's key. The grouping expression, which represents the grouped items created from the . Expression that represents the sort criteria for each group. Changes the to the next logical value. Gets or sets the sort direction for this descriptor. If the value is null no sorting will be applied. The sort direction. The default value is null. Defines property for collection of . Used by the expression data engine to create aggregates for a given group. Gets the aggregate functions used when grouping is executed. The aggregate functions that will be used in grouping. Represents declarative sorting. Gets or sets the member name which will be used for sorting. The member that will be used for sorting. Gets or sets the sort direction for this sort descriptor. If the value is null no sorting will be applied. The sort direction. The default value is null. Gets or sets a value indicating whether member access expression used by this builder should be lifted to null. The default value is true; true if member access should be lifted to null; otherwise, false. Provided expression should have string type ArgumentException. ArgumentException. ArgumentException. did not implement . Invalid name for property or field; or indexer with the specified arguments. InvalidOperationException. InvalidCastException. Holds extension methods for . Child element with name specified by does not exists.