Column sorting in Performance appraisal

HELLO,
              please help me with this...
I am preparing performance appraisal template, the problem is i want the columns to be in order for example: 1. perspective, 2. wightage, 3. target.. but i am unable to do this, i tried and the document is showing 1. weitage, 2. target and last perspective.
please help me with this.....

Hi,
in the 'Column' - tab of your appraisal - template, there's an overview of all selected columns in your template.
To the right of this, you've an up- and down-arrow, which enables you to change the column - sorting.
Wilfred.

Similar Messages

  • Required Performance Appraisal Steps

    hello friends,
    my client want to configure Performance Appraisal, i don't know full steps for the configuration
    i configure Appraisal scales, Appraisal model, Qualifications,  now i struck in appraisal catalog / template
    plz tell me how to configure and link to the employee
    waiting for ur valuable information
    thank you
    praneth

    Hi Pranee
    Pls find the following steps to create the appraisal template.
    There are following table that will accessed by T code SM34.
    VC_T77HAP_BASIC--Columns
    VC_T77HAP_T77SKu2014Value list
    VC_T77HAP_CATEGORY--Category
    VC_T77HAP_CAT_GROUPu2014Category Group
    and to create the template use the tcode OOAM.
    There are some t codes which is used in appraisal
    OOQA-Qualification catalog
    OOAM-Change appraisal model
    PPM-Change profile
    PPCP-Career planning
    PPSP-Succession planning
    PPDPM-Individual development
    PEPM-Profile match up
    APPCREATE-Appraisal create
    I hope this information would be helpful for u.

  • Predefined performance appraisal-ess

    Dear Gurus,
    I would like to know about the configuration part for predefined performance appraisal for EE
    so that,the EE can use it in the NWBC portal
    where and how to define the predefined appraisal in backend?
    Need help on this!

    Hi Archana,
    It should be explicitly hidden for Portal through a BADI HRHAP00_COL_ACCESS  which has to be called in the BSP  HAP_documnet only then it will be hidden.
    CODE inside the BADI
    if status_overview = 'In_process  '.
    if the logon person person is  Appraisee
       if  column to be displayed is Part appraiser comments column
                   hide column
       endif.
    endif.
    Edited by: abhishek nms on Dec 12, 2009 8:29 PM

  • Customizing column sorting in new jsf table

    The new JSF table in the creator 2 is great. I like it. It includes so many out of the box features. It is the reason we use the creator for our current project.
    But I cannot figure out how to customize the column sorting.
    Why do I need column sorting?
    I need to sort a column that can include ad IP address or a host name. Our customer can either use a host name or an IP address to address a device in the network, both in the same column.
    Now sorting an IP address is already difficult. It is actually a sort over a 4 byte number. Sorting over host names is normal alphabetic string sorting.
    How to sort over both in the same column?
    This cannot be done using standard sorting. I need to use a validator or something similar to customize the sorting of this column.
    Can anybody help me with a hint if:
    1- Customizing sorting over a column is possible. (I really would like to keep all other sorting features (icons, multi column support...)).
    2- A hint or code sample, how to do this.
    If this is not possible, I urge the creator team to think of implementing this soon. Otherwise one killer feature of the creator 2 will lose a lot of its teeth.

    Thx mayagiri for your reply!
    But including the src-code for the dataprovider package into a test project, and debugging in the creator-ide has done the thing!
    Here our solution:
    Class ToCompare is the object type which address field displayed in a page, simply containing a table with 2 adress colums, that can be sorted either according to our ip/hostname-comparison or according to String.compare().
    * ToCompare.java
    * Created on 10. Februar 2006, 10:41
    * This class is a basic model object,
    * with a field - String address - according
    * to which it shall be sortable.
    package comparator;
    * @author mock
    public class ToCompare {
         * holds the IP or Host address
        private String address=null;
         * Instance of a Comparator class that
         * provides our sorting algorithm
        private RcHostComparator hostComparator=null;
        /** Creates a new instance of ToCompare */   
        public ToCompare() {
            this("defaultHost");       
         * when creating a new ToCompare instance,
         * the hostComparator is created for it
         *  @ param aAddress - IP or Hostname
        public ToCompare(String aAddress) {
            address=aAddress;
            hostComparator=new RcHostComparator(address);
        public String getAddress() {
            return address;
        public RcHostComparator getHostComparator() {
            return hostComparator;
    }Here the code of the Class RcHostComparator, it is created with the address field of the ToCompare object that it holds. It first checks if the address field is an IP or not, and then chooses the comparison algorithm according to its own field state and the field state of the object to compare to:
    * RcHostComparator.java
    * Created on 10. Februar 2006, 10:43
    *  This class is used to provide a method for
    *  comparing objects that have an address field,
    *  containing either IP adresses or hostnames.
    package comparator;
    import java.text.CollationKey;
    import java.text.Collator;
    import java.util.Comparator;
    import java.util.Locale;
    * @author mock
    public class RcHostComparator implements Comparator
         * holds the IP or Host address
        private String address=null;
         * Is the address an IP
        private boolean isIPAddress=false;
         * if (!isIPAddress) this is created out of the address
         * to provide a performant way of comparing it with another
         * CollationKey, in order to sort Strings localized
         *  @ see java.text.Collator
         *  @ see java.text.CollationKey
        private CollationKey hostnameCollationKey=null;
         * if (isIPAddress) this array holds
         * the 4 byte of the Ip address to compare
        private int[] intValues=null;
         * minimum for IP bytes/ints
        private static final int minIntValue=0;
         * maximum for IP bytes/ints
        private static final int maxIntValue=255;
         * Creates a new instance of IpComparator
         *  @ param aAddress  - holds the IP or Host address
        public RcHostComparator(String aAddress) {
            address=aAddress;
             * check if address is an IP
            isIPAddress=checkIP();
             * if Hostname -> instantiate localized CollationKeys
            if(!isIPAddress){
                 Collator _localeCollator=Collator.getInstance(Locale.getDefault());
                 hostnameCollationKey=_localeCollator.getCollationKey(address);
            }else{}
         *  Here the comparison of the address fields is done.
         *  There a 4 cases:
         *  -1 both Hostnames
         *  -2 aObject1 IP, aObject2 Hostname
         *  -3 aObject1 Hostname, aObject2 IP
         *  -4 both IPs
         *  @ param aObject1, aObject2 - Comparator objects
        public int compare(Object aObject1, Object aObject2)
          int _result= 0;
          if(aObject1 instanceof RcHostComparator && aObject2 instanceof RcHostComparator )
               RcHostComparator _ipComparator1=(RcHostComparator)aObject1;
               RcHostComparator _ipComparator2=(RcHostComparator)aObject2;
               *  Compare algorithms, according to address types
               if(!_ipComparator1.isIPAddress()&&!_ipComparator2.isIPAddress()){
                       *  If both addresses are Strings use collationKey.compareTo(Object o)
                    _result=_ipComparator1.getHostnameCollationKey().compareTo(_ipComparator2.getHostnameCollationKey());
               }else{
                       *  IPs are smaller than Strings -> aObject1 < aObject2
                    if(_ipComparator1.isIPAddress()&&!_ipComparator2.isIPAddress()){
                         _result=-1;
                    }else{
                                *  IPs are smaller than Strings -> aObject1 > aObject2
                         if(!_ipComparator1.isIPAddress()){
                              _result=1;
                         }else{
                             int _intIndex=0;
                             int[] _int1=_ipComparator1.getIntValues();
                             int[] _int2=_ipComparator2.getIntValues();
                                      * compare IP adresses per bytes
                             while(_result==0 && _intIndex<4){
                                  if(_int1[_intIndex]>_int2[_intIndex]){
                                       _result=1;
                                  }else if(_int1[_intIndex]<_int2[_intIndex]){
                                       _result=-1;
                                  }else{}                            
                                             _intIndex++;
          }else{}   
          return _result;
         *  checks if the address field holds an IP or a hostname
         *  if (_isIP) fill intValues[] with IP bytes
         *  if (!isIP)  create hostnameCollationKey
        private boolean checkIP(){
           boolean _isIP=false;
           String[] _getInts=null;
            *  basic check for IP address pattern
            *  4 digits also allowed, cause leading
            *  0 stands for octet number ->
            *  0172=122                  ->
            *  0172.0172.0172.0172 = 122.122.122.122
           boolean _firstcheck=address.matches("[0-9]{1,4}\\.[0-9]{1,4}\\.[0-9]{1,4}\\.[0-9]{1,4}");
           if(_firstcheck){
                _getInts=address.split("\\.");           
                intValues=new int[4];
                for (int _count=0; _count<4; _count++){
                   try{                     
                       int _toIntValue;
                       if(_getInts[_count].startsWith("0")){
                                // if leading 0 parse as octet -> radix=8
                               _toIntValue=Integer.parseInt(_getInts[_count], 8);                          
                       }else{  
                                // parse as is -> radix=10 -> (optional)
                               _toIntValue=Integer.parseInt(_getInts[_count]);                          
                       if(_toIntValue<minIntValue||_toIntValue>maxIntValue){
                              // out of unsigned byte range -> no IP
                              return _isIP;
                       }else{
                              // inside byte range -> could be part of an IP
                              intValues[_count]=_toIntValue;
                   }catch(NumberFormatException e){
                           // not parseable -> no IP
                           return _isIP;
               // all 4 bytes/ints are parseable and in unsigned byte range -> this is an IP
                _isIP=true;
           }else{}      
           return _isIP;
        public boolean isIPAddress() {
                return isIPAddress;
        public int[] getIntValues() {
                return intValues;
        public CollationKey getHostnameCollationKey() {
                return hostnameCollationKey;
        public String getAddress()
            return address;
    }The page bean holds an array of ToCompare objects. It is the model for a new table component, hold by an ObjectArrayDataProvider. Here a code excerpt:
    public class Page1 extends AbstractPageBean
        private ToCompare[] toCompare= new ToCompare[]{
            new ToCompare("1.1.1.1"),
            new ToCompare("2.1.1.1"),
            new ToCompare("9.1.1.1"),
            new ToCompare("11.1.1.1"),
            new ToCompare("0172.0172.0172.0172"),
            new ToCompare("123.1.1.1"),
            new ToCompare("a"),
            new ToCompare("o"),
            new ToCompare("u"),
            new ToCompare("z"),
            new ToCompare("�"),      
            new ToCompare("�"),
            new ToCompare("�")        
         * This method is automatically generated, so any user-specified code inserted
         * here is subject to being replaced
        private void _init() throws Exception
            objectArrayDataProvider1.setArray(toCompare);
        private TableRowGroup tableRowGroup1 = new TableRowGroup();   
        private ObjectArrayDataProvider objectArrayDataProvider1 = new ObjectArrayDataProvider();
    }The relevant .jsp section for the two column table looks like:
    <ui:tableRowGroup binding="#{Page1.tableRowGroup1}" id="tableRowGroup1" rows="10" sourceData="#{Page1.objectArrayDataProvider1}" sourceVar="currentRow">
      <ui:tableColumn binding="#{Page1.tableColumn1}" headerText="SortIP" id="tableColumn1" sort="#{currentRow.value['hostComparator']}">
        <ui:staticText binding="#{Page1.staticText1}" id="staticText1" text="#{currentRow.value['address']}"/>
      </ui:tableColumn>
      <ui:tableColumn binding="#{Page1.tableColumn2}" headerText="SortString" id="tableColumn2" sort="address">
        <ui:staticText binding="#{Page1.staticText2}" id="staticText2" text="#{currentRow.value['address']}"/>
      </ui:tableColumn>
    </ui:tableRowGroup>Sorting localized with Locale="DE_de" according to ip/hostcompare sorts:
    SortIP
    1.1.1.1
    2.1.1.1
    9.1.1.1
    11.1.1.1
    0172.0172.0172.0172
    123.1.1.1
    a

    o

    u

    zWhereas normal sort over String address whitout localization sorts:
    SortString
    0172.0172.0172.0172
    1.1.1.1
    11.1.1.1
    123.1.1.1
    2.1.1.1
    9.1.1.1
    a
    o
    u
    z


    �Not that short, but I hope it will help - if anyone has the need for another than the default sorting algorithms
    Best regards,
    Hate E. Lee

  • Listview column sort

    I have code that allows a user to sort columns in a listview. I use it in many forms around my windows project. It works nicely on all pages and searching through the listview works nicely except for one page the searching is slowed down enormously when
    the column sorting is enabled but sorting works fine. Below is the code for that page.
    I allow the users to search in the search box on top (not showing but it was a textbox the user can type in and it searches in the listview) and then it reloads the listview on bottom based on the search criteria.
    Also the user can click on the column header in the listview and it will sort the columns….
    SEARCH
    private void ProductSearch_TextChanged(object sender,
    EventArgs e)
                ProductsSearch(btnAdvancedSearch.Text);
    private void ProductsSearch(string filterOption)
    StringBuilder sb = new
    StringBuilder();
    string ID = txtItemID.Text.EscapeLikeValue();
    string Name1 = txtItemName1.Text.EscapeLikeValue();
    string Name2 = txtItemName2.Text.EscapeLikeValue();
    string Name3 = txtItemName3.Text.EscapeLikeValue();
    if (ID.Length > 0)
                    sb.Append("ITEMSTRING like '" + ID +
    if (Name1.Length > 0)
    if (sb.Length > 0)
                        sb.Append(" and ");
    switch (filterOption)
    case "Basic Search":
                            sb.Append("' ' + Description
    like '%" + Name1 + "%'");
    break;
    case "Advanced Search":
                            sb.Append("Description like
    '" + Name1 + "%'");
    break;
    if (Name2.Length > 0)
    if (sb.Length > 0)
                        sb.Append(" and ");
    switch (filterOption)
    case "Basic Search":
                            sb.Append("' ' + Description
    like '% " + Name2 + "%'");
                            break;
    case "Advanced Search":
                            sb.Append("Description like
    '% " + Name2 + "%'");
    break;
    if (Name3.Length > 0)
    if (sb.Length > 0)
                        sb.Append(" and ");
    switch (filterOption)
    case "Basic Search":
                            sb.Append("' ' + Description
    like '% " + Name3 + "%'");
    break;
    case "Advanced Search":
                            sb.Append("Description like
    '% " + Name3 + "%'");
    break;
                lsvItems.Items.Clear();
                dtProducts.DefaultView.RowFilter = sb.ToString();
    foreach (DataRow row
    in dtProducts.Select(sb.ToString()))
    ListViewItem lvi = new
    ListViewItem(row["Item"].ToString());
                    lvi.SubItems.Add(row["Description"].ToString());
                    lvi.SubItems.Add(row["Cost"].ToString());
                    lvi.SubItems.Add(row["Price"].ToString());
                    lsvItems.Items.Add(lvi);
    if (dtProducts.DefaultView.Count <= 0)
    Validation.ShowMessage(Main.lblStatus,
    "No items match your search.");
    SORTING
    public Form1()
                InitializeComponent();
                lsvColumnSorter =
    new ListViewColumnSorter(0);
    this.lsvItems.ListViewItemSorter = lsvColumnSorter;
    private ListViewColumnSorter lsvColumnSorter;
    private void lsvItems_ColumnClick(object sender,
    ColumnClickEventArgs e)
               ((ListView)sender).ColumnSort(e, lsvColumnSorter);
    public static
    void ColumnSort(this
    ListView lsv, ColumnClickEventArgs e,
    ListViewColumnSorter lsvColumnSorter)
    // Determine if clicked column is already the column that is being sorted.
    if (e.Column == lsvColumnSorter.SortColumn)
    // Reverse the current sort direction for this column.
    if (lsvColumnSorter.Order == System.Windows.Forms.SortOrder.Ascending)
                        lsvColumnSorter.Order = System.Windows.Forms.SortOrder.Descending;
    else
                        lsvColumnSorter.Order = System.Windows.Forms.SortOrder.Ascending;
    else
    // Set the column number that is to be sorted; default to ascending.
                    lsvColumnSorter.SortColumn = e.Column;
                    lsvColumnSorter.Order = System.Windows.Forms.SortOrder.Ascending;
    // Perform the sort with these new sort options.
                lsv.Sort();
    In this specific page the column sorting code is effecting the searching code.
    What could the problem be?
    Debra has a question

    Hi Debra,
    I suggest you could use the listview to search.
    you could refer to this post:
    http://stackoverflow.com/questions/16549823/filtering-items-in-a-listview
    Use the listView item, not to reload the listViewitem.
    And then i see you using the ListViewColumnSorter class, what is this class? Is it customized?
    If you could share the more details, I could help you better.
    Best regards,
    Youjun Tang
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Performance appraisal

    Dear All,
    i need to know if we can upload a custom performance appraisal from and then make the work flow according to the reporting structure  with mail trigeering .
    the version is 4.6c.
    regards
    Chakravarthi Nalla

    Hi
    As as the making of a custom appraisal form is concerned you can do it with the help of
    phap_catalog (Creation of new appraisal template)
    If you want to add a new column into it T Code is OOHAP_Basic
    If you want to add a new rowin to it you have to right click---Insert--New Element
    Regards
    Harshvardhan

  • Unable to capture the adf table column sort icons using open script tool

    Hi All,
    I am new to OATS and I am trying to create script for testing ADF application using open script tool. I face issues in recording two events.
    1. I am unable to record the event of clicking adf table column sort icons that exist on the column header. I tried to use the capture tool, but that couldn't help me.
    2. The second issue is I am unable to capture the panel header text. The component can be identified but I was not able to identify the supporting attribute for the header text.

    Hi keerthi,
    1. I have pasted the code for the first issue
    web
                             .button(
                                       122,
                                       "/web:window[@index='0' or @title='Manage Network Targets - Oracle Communications Order and Service Management - Order and Service Management']/web:document[@index='0' or @name='1824fhkchs_6']/web:form[@id='pt1:_UISform1' or @name='pt1:_UISform1' or @index='0']/web:button[@id='pt1:MA:0:n1:1:pt1:qryId1::search' or @value='Search' or @index='3']")
                             .click();
                        adf
                        .table(
                                  "/web:window[@index='0' or @title='Manage Network Targets - Oracle Communications Order and Service Management - Order and Service Management']/web:document[@index='0' or @name='1c9nk1ryzv_6']/web:ADFTable[@absoluteLocator='pt1:MA:n1:pt1:pnlcltn:resId1']")
                        .columnSort("Ascending", "Name" );
         }

  • Interactive Report wide Column Sorting hangs in Internet Explorer

    I have an application that contains an interactive report. The Column Sorting and Filtering functions work fine in Firefox. However, if I try to sort a wide (110 byte - it contains a hyperlink) column in Internet Explorer, APEX produces the 'loading data' image and then hangs. Even a sort of a narrow (3 byte) column is noticeably slower in Internet Explorer than in Firefox.
    We are running APEX 3.1.1 on Oracle Database 10g Enterprise Edition Release 10.2.0.4.0 - 64bit Production with the Partitioning, OLAP, Data Mining and Real Application Testing options

    Hello,
    I answer you over your post.
    Joe Bertram wrote:
    Hi,
    That's an interesting issue. What kind of images are these? Are they the default images installed or are they your custom set of images?The images are png files included as they were icons into the table.
    >
    You say the images disappear when you sort the report. Does it happen when you sort on demand in the dashboard or when you sort it in the report itself? Or both?Only when sort from the dashboard. From the report itself, the answers works fine.
    >
    What are your environment details?Server:
    OBI 10.1.3.4.1.090414.1900
    Windows 2003 server
    JDK 1.6.0.17
    Thin Client:
    Internet explorer 8
    >
    Thanks for the extra info.
    Best regards,
    -JoeIt happens also in other two environments (Development and Pre-production) with the same SW architecture.
    Thanks for your time.

  • Issue Action links,Column sorting in OBIEE(11g) 11.1.1.7.0

    Hello everyone,
    I want to provide the feature column sorting to my users but i dont want to provide any feature to users when they click on right mouse button.When we click on right mouse in action link column value it is giving the "action links","include/exclude columns" options etc.
    I disabled the do not display the action link report name in the column properties.
    Also disable the  include/exclude columns options in the interaction XYZ properties of the view.
    But still i am not able to understand why these links are coming when i run the report from the dashboard.
    Please help me out here.
    thanks,
    prassu

    Hi Timo,
    I am using data control web services to get these attributes on to the jspx page. The table has the value property which is binding to the iterator( #{bindings.SUMMARY_LINES_ITEM.collectionModel}).
    The table has various coulmns like order no, status, request and so on..where Order no and status are converted to a cmd link which navigates to another page on a query.
    I don't understand how setting sorting to true in one of the columns can make it not found in the iterator! And I get the errors only if sorting is done first before querying(clicking on one of the values in a column to navigate to another page).
    Thanks,
    Sue

  • Creation of Performance appraisal template.

    hello seniors,
    right now i am configuring Performance appraisal, 75% configuration complete (i.e., appraisal scales, qualification groups, qualifications)  but i dont know how to create Template & how to release.
    thank you,
    praneeth kumar

    Hi,
    You can use the below T-codes for creating the template & appraisal process...Just explore few on your own you will come to know more
    T-Code     Description
    APPCHANGE                          Reporting Options for Appraisals
    APPCREATE                          Create Appraisal
    APPDELETE                          Delete Appraisal
    APPDISPLAY     Display Appraisal
    APPSEARCH                          Reporting Options for Appraisals
    APPTAKEBACK     Reset Appraisal Status to 'Active'
    PHAP_ADMIN     Administrator - Appraisal Document
    PHAP_ADMIN_PA     PA: Administrator - Appr. Document
    PHAP_ANON                          Appraisal Documents - Anonymous
    PHAP_CATALOG     Appraisal Template Catalog
    PHAP_CATALOG_PA     PA: Catalog for Appraisal Templates
    PHAP_CHANGE     Change Appraisal Document
    PHAP_CHANGE_PA     PA: Change Appraisal Document
    PHAP_CORP_GOALS     Co. Goals & Core Value Maintenance
    PHAP_CREATE     Create Appraisal
    PHAP_CREATE_PA     PA: Create Appraisal Document
    PHAP_PMP_OVERVIEW     Start PMP Process Overview
    PHAP_PMP_TIMELINE     Maintain Process Timeline
    PHAP_PREPARE     Prepare Appraisal Documents
    PHAP_PREPARE_PA     PA: Prepare Appraisal Documents
    PHAP_SEARCH     Evaluate Appraisal Document
    PHAP_SEARCH_PA     PA: Evaluate Appraisal Document
    PHAP_START_BSP     Generate Internet Addresses
    PHAP_TEAM_GOALS     Maintaining Team Goals
    Regards,
    Prasad Lad

  • Adding a box in Portal for Performance appraisal template

    Dear Experts,
    We have already released a performance appraisal template and its in production use for a while now.
    Now, client wants to add 1 box titled 'Managers comment'. Since its already released template I cant make changes in it and add a criteria in the form of 'Managers Comment'. What is the solution? Is there a way by which we can make this box appear in portal through coding? This change is required in a template which is in use. We cant create a new template.
    I know there is a note to make changes to released appraisal template but as its risky I dont want to use it.
    Please advise.

    you cant make changes to released template, if you do also, new changes wont be shown
    Please refer the note 888650
    and do the steps as indicated in order to cancel already released one

  • In list view: Why don't searches include results from the Collections field? Why won't the Collections column sort properly?

    In list view: Why don't searches include results from the Collections field? Why won't the Collections column sort properly?

    I create a new index on column2, (INDEX_N3)
    and change SQL to
    select 1 from table T1 where
    T1.COLUMN_002 = '848K 36892'
    This time INDEX_N3 will be used.
    but change SQL to
    select 1 from table T1 where
    T1.COLUMN_002 = '848K 36892'
    and T1.COLUMN_004 = '1000'
    The explain plan will show full scan.
    Why?
    Thanks.

  • Itunes / ipod column sort locked?

    When looking at my ipod via itunes the column sort is locked on sort by "Genre" and i can't change it? When looking at my computer files it works fine it's just on the ipod? I know it worked last week? not sure if i did something or ???
    thanks

    I'm having the same problem with my iphone.  When I click the "manually manage music, it prompts me that the iphone is synced with another library.  Do i want to erase this iphone and sync with this itunes library?
    Of course I dont want to do this!  My iphone is "synced" with my computer at home, while at work, I'd like to listen to music to my iphone through my work mac (which has no mp3s on it) using itunes.  Annoying!
    Anyone find a third party solution to this?

  • DataGrid Column Sort Prevents Drag From Updating DataProvider

    Hi
    I have a datagrid with an XMLListCollection as the Data Provider.
    I have dragging set on so that when I drag a row to somewhere else in the list the XMLListCollection gets updated just fine and so does the DataGrid.
    However, if a column sort has previously been set this seems to stop the XMLListCollection being updated on the drag.
    I have tried setting the sort property on the XMLListColelction to null and then doing a refresh - this works to a point but it restores the default sort order which is not really what I want as the user may wish to continue from where the column sort got them to.
    I was wondering if anyone had any suggestions please ?
    Thanks a lot.
    Chris

    Hi
    Thanks for replying
    This is what the debugger says:
    TypeError: Error #1010: A term is undefined and has no properties.
        at mx.controls.listClasses::ListBase/makeRowsAndColumnsWithExtraRows()[C:\autobuild\3.2.0\fr ameworks\projects\framework\src\mx\controls\listClasses\ListBase.as:1358]
        at mx.controls.listClasses::ListBase/updateDisplayList()[C:\autobuild\3.2.0\frameworks\proje cts\framework\src\mx\controls\listClasses\ListBase.as:3658]
        at mx.controls.dataGridClasses::DataGridBase/updateDisplayList()[C:\autobuild\3.2.0\framewor ks\projects\framework\src\mx\controls\dataGridClasses\DataGridBase.as:581]
        at mx.controls::DataGrid/updateDisplayList()[C:\autobuild\3.2.0\frameworks\projects\framewor k\src\mx\controls\DataGrid.as:1437]
        at mx.controls.listClasses::ListBase/validateDisplayList()[C:\autobuild\3.2.0\frameworks\pro jects\framework\src\mx\controls\listClasses\ListBase.as:3280]
        at mx.managers::LayoutManager/validateDisplayList()[C:\autobuild\3.2.0\frameworks\projects\f ramework\src\mx\managers\LayoutManager.as:622]
        at mx.managers::LayoutManager/doPhasedInstantiation()[C:\autobuild\3.2.0\frameworks\projects \framework\src\mx\managers\LayoutManager.as:695]
        at Function/http://adobe.com/AS3/2006/builtin::apply()
        at mx.core::UIComponent/callLaterDispatcher2()[C:\autobuild\3.2.0\frameworks\projects\framew ork\src\mx\core\UIComponent.as:8628]
        at mx.core::UIComponent/callLaterDispatcher()[C:\autobuild\3.2.0\frameworks\projects\framewo rk\src\mx\core\UIComponent.as:8568]
    For instance, after the page with the flash module loads, and I click on a column, I get the error. This is quite random, sometimes I need a couple of tries to get the error...
    If you require more information about it I will try to provide.
    Thank you
    Vlad

  • Problem with Column Sorting in Request Table View

    We've enabled column sorting on the table view in an Answers request but it doesn't work when more than around 400 rows are returned. It works Ok when fewer than 400 rows are returned. Does anyone know if there is a specific limit to the number of rows where column sorting works?
    Thanks,
    Mike

    I've dug into the query log a little more. When this request returns more than around 400 records and you click on a column heading to sort the table view, the query from the log is not changing to reflect the new sort order. It stays as whatever the default sort order was for the request.
    Column heading sorting on other requests in different subject areas on this same server works fine. I've tested this other request with up to 6400 rows returning and it's sorting works.
    All caching is turned off for the subject area.

Maybe you are looking for

  • About ABAP Technical Systems and Business Systems

    Hi experts, I have an Integration scenary with XI and an R3 vía RFC. I've already created it in the development environment and when I'm going to transport to Consolidation and Production I find that the ABAP Business System related to the ABAP Techn

  • Drop and D

    Please help me, I purchased the Zen Xtra last Wednesday, and was wondering if there is software which will enable me to take my music folders from my pc which contains sub-folders and copy the folders and paste them to my Zen Xtra where they would be

  • Outbound interfaces from oracle general ledger

    Hi, I have a requirement of exporting : • Stores transactions • Invoice transactions • Payment transactions • Bank reconciliation transactions • Goods Received Not invoiced (GRNI) Accrual transactions Please let me know if there are any stadard inter

  • Configuring SLD for ABAP trial version.

    Hi,   I have installled ABAP trial version and 2004s Java trial version.I am facing error in configuring SLD for 2004s ABAP trial version . I am getting this below error. com.sap.mw.jco.JCO$Exception: (102) RFC_ERROR_COMMUNICATION: Connect to message

  • Does LR 3 slow down when there's a lot of photos?

    I've been adding a ton of photos into my catalog recently (I now have 23 thousand photos) and I'm wondering if having a lot of photos in my catalog will slow Lightroom down. I've been recently worried about the speed of LR because it has been slow to