Sort Order Not working in LR 3

I cannot get sort order to function correctly in Library Mode. When I make it "User Order" it still put them in some seemingly random order and won't let me drag and drop images into a new order. I drag them to a location and it places them in a completely different random location.
Is this a bug, is this normal, what am I missing? Seems like incredibly basic functionality.
FYI, this particular set is all virtual copies not original images. it is a set of "treated" virtual copies and has 526 images in it.
Driving me crazy and need solution. Help!
Thanks!

Yeah, it is a collection within a collection set. I just upgraded from 3.0 to 3.3 and it seems to have fixed it. Was weird that a bug like that could make it to version 3.2 before being fixed but as long as it's fixed now.
Wouldn't happen in collections with much less images, was only happening in the one with 500+ and they were all virtual copies. Not sure if that had anything to do with it but figured I'd add the info here in case anyone else has problems.

Similar Messages

  • Specified Sort Order not working correctly in InfoView

    Hello All,
    We are running Crystal 2008 version 12.2.0.290 with Infoview 12.1.0 and are having a problem with specified sort orders working correctly.  In Crystal we are using the 'Chart Expert' to set the specified order of the percent bar chart.  It works just fine in Crystal 2008 and shows the stacked bar in the order we would expect.  We then save the report to InfoView and run the report on a schedule and it comes back in a completely different order. Not the order we specified in designing the report.  Any ideas on what is going on?
    Thanks in advance.

    We are experiencing a similar issue with the sort order in Infoview. We are using Crystal XI.5.8.26 and Infoview.
    The specified sort order works correctly in Crystal but in Infoview it comes back with a different order. Are there any suggestions on resolving this disparity?
    Thank you.

  • Sorting does not work  with ROW_NUMBER () OVER (ORDER BY

    CREATE OR REPLACE PROCEDURE SP_SALES (
    p_sales_id IN VARCHAR2,
    p_rownnum_from IN NUMBER,
    p_rownnum_to IN NUMBER,
    p_sort_by IN VARCHAR2,
    p_query OUT SYS_REFCURSOR,
    AS
    v_query VARCHAR2 (32000);
    v_sort_list VARCHAR2(32000) ;
    BEGIN
    IF p_spv_sort_by IS NULL THEN
    v_sort_list := 'given_name ASC ' ;
    ELSE
    v_sort_list :=p_spv_sort_by;
    END IF ;
    DBMS_OUTPUT.PUT_LINE ('v_sort_list '||v_sort_list);
    OPEN p_query FOR
    SELECT sales_id,
    item_id,
    order_num,
    employee_name
    ,given_name
    dept_id,
    manager_name,
    ROW_NUM
    FROM
    (SELECT x.*,
    ROW_NUMBER () OVER (ORDER BY v_sort_list ) ROW_NUM
    FROM (sales_id,
    item_id,
    order_num,
    employee_name
    ,given_name
    dept_id,
    manager_name,
    FROM order rvw,
    sales pol,
    emp ca,
    WHERE pol.id = rvw.pr_order_id
    AND ca.empid =pol.employee_id
    AND status = 'SUP') x )
    WHERE ROW_NUM BETWEEN p_rownnum_from AND p_rownnum_to;
    -- ORDER by v_sort_list ;
    DBMS_OUTPUT.PUT_LINE ('v_sort_list '||v_sort_list);
    EXCEPTION
    WHEN OTHERS THEN
    DBMS_OUTPUT.PUT_LINE ('EX ');
    END;
    END;
    SHOW ERRORS
    Sorting does not work. Am I doing something wrong here?
    executing procedure using below
    declare
    x SYS_REFCURSOR;
    y number;
    BEGIN
    SP_SALES('70159_502',1,5, 'GIVEN_NAME'||' ASC' ,:x);
    --dbms_output.put_line (:x);
    END;

    Hello
    Depending on how many different columns you can sort on and the data types of them, it may be feasible for you to include the conditional logic in the existing statement without the need for dynamic sql...
    DTYLER_APP@pssdev2> var p_spv_sort_by varchar2(100)
    DTYLER_APP@pssdev2>
    DTYLER_APP@pssdev2> exec :p_spv_sort_by:='some other column'
    PL/SQL procedure successfully completed.
    P_SPV_SORT_BY
    some other column
    DTYLER_APP@pssdev2>
    DTYLER_APP@pssdev2> WITH source AS
      2  (   SELECT 'a' given_name, 'z' other_column from dual UNION ALL
      3      SELECT 'b' given_name, 'y' other_column from dual UNION ALL
      4      SELECT 'c' given_name, 'x' other_column from dual
      5  )
      6  SELECT
      7      given_name,
      8      other_column,
      9      ROW_NUMBER ()
    10     OVER (
    11        ORDER BY
    12           CASE
    13              WHEN :p_spv_sort_by IS NULL THEN given_name
    14              WHEN :p_spv_sort_by = 'some other column' THEN other_column
    15           END)
    16        ROW_NUM
    17  FROM
    18      source
    19  /
    G O    ROW_NUM
    c x          1
    b y          2
    a z          3
    3 rows selected.
    DTYLER_APP@pssdev2> exec :p_spv_sort_by:=NULL;
    PL/SQL procedure successfully completed.
    P_SPV_SORT_BY
    DTYLER_APP@pssdev2> WITH source AS
      2  (   SELECT 'a' given_name, 'z' other_column from dual UNION ALL
      3      SELECT 'b' given_name, 'y' other_column from dual UNION ALL
      4      SELECT 'c' given_name, 'x' other_column from dual
      5  )
      6  SELECT
      7      given_name,
      8      other_column,
      9      ROW_NUMBER ()
    10     OVER (
    11        ORDER BY
    12           CASE
    13              WHEN :p_spv_sort_by IS NULL THEN given_name
    14              WHEN :p_spv_sort_by = 'some other column' THEN other_column
    15           END)
    16        ROW_NUM
    17  FROM
    18      source
    19  /
    G O    ROW_NUM
    a z          1
    b y          2
    c x          3
    3 rows selected.
    DTYLER_APP@pssdev2>But that would depend on the columns you're sorting on being of the same data type or at least having the ability to convert them to the same data type without loosing the sort order.
    DTYLER_APP@pssdev2> WITH source AS
      2  (   SELECT 'a' given_name, sysdate - 2 other_column from dual UNION ALL
      3      SELECT 'b' given_name, sysdate - 1 other_column from dual UNION ALL
      4      SELECT 'c' given_name, sysdate  other_column from dual
      5  )
      6  SELECT
      7      given_name,
      8      other_column,
      9      ROW_NUMBER ()
    10     OVER (
    11        ORDER BY
    12           CASE
    13              WHEN :p_spv_sort_by IS NULL THEN given_name
    14              WHEN :p_spv_sort_by = 'some other column' THEN other_column
    15           END)
    16        ROW_NUM
    17  FROM
    18      source
    19  /
                WHEN :p_spv_sort_by = 'some other column' THEN other_column
    ERROR at line 14:
    ORA-00932: inconsistent datatypes: expected CHAR got DATE
    DTYLER_APP@pssdev2> WITH source AS
      2  (   SELECT 'a' given_name, sysdate - 2 other_column from dual UNION ALL
      3      SELECT 'b' given_name, sysdate - 1 other_column from dual UNION ALL
      4      SELECT 'c' given_name, sysdate  other_column from dual
      5  )
      6  SELECT
      7      given_name,
      8      other_column,
      9      ROW_NUMBER ()
    10     OVER (
    11        ORDER BY
    12           CASE
    13              WHEN :p_spv_sort_by IS NULL THEN given_name
    14              WHEN :p_spv_sort_by = 'some other column' THEN TO_CHAR(other_column,'YYYYMMDDHH24MISS')
    15           END)
    16        ROW_NUM
    17  FROM
    18      source
    19  /
    G OTHER_COLUMN            ROW_NUM
    a 12-SEP-2011 15:04:19          1
    b 13-SEP-2011 15:04:19          2
    c 14-SEP-2011 15:04:19          3
    3 rows selected.HTH
    David

  • In SharePoint sorting is not working in the list.

    Sorting is not working when i click on the list column, where the column filed is an people or Group datatype.
    Please help me out in this.
    Ramesh S

    Hi,
    You can refer this post-
    https://social.technet.microsoft.com/Forums/office/en-US/b748bb03-4881-4aa5-9c87-bd4558b9201c/unable-to-sort-task-lists-by-assigned-to-column?forum=sharepointadminprevious
    Thanks,
    Danny
    Please remember to Mark as Answer if it works or vote of it is helpful

  • Table sort is not working for columns.

    Hi,
    I am using TableSort.java class. Followed https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sapportals.km.docs/library/user-interface-technology/wd%20java/wdjava%20archive/developing%20with%20tables%20in%20web%20dynpro.pdf
    to create the action and assigned that to onSort event for the table. When I run, I see the ascending-descending icons besides the columns, but nothing happens when I click them. Here is the context.
    Context
    l
    l
    l ---User_Table
             > Email
             > Name
            |
             > Office
    Here Name is a custom string (last name, first name). Also office is a custom string (office1, office2, ...etc).
    Edited by: srinivas M on Feb 8, 2009 6:03 AM
    Edited by: srinivas M on Feb 8, 2009 6:03 AM

    Hi Srinivas,
      If you want to do an initial sort. You have to add the following method to the TableSorter class.
    public void initialSort(String columnId, IWDNode dataSource) {
              // find the things we need
              String direction = WDTableColumnSortDirection.UP;
              IWDTableColumn column = (IWDTableColumn) table.getView().getElement(columnId);
              NodeElementByAttributeComparator elementComparator = (NodeElementByAttributeComparator) comparatorForColumn.get(column);
              if (elementComparator == null){
                   //not a sortable column
                   column.setSortState(WDTableColumnSortDirection.NOT_SORTABLE);
                   return;
              // sorting
              elementComparator.setSortDirection(WDTableColumnSortDirection.valueOf(direction));
              dataSource.sortElements(elementComparator);
    In your wdDoModifyView() after initializing the tablesorter class you have to call the above method.
    if (firstTime) {
                IWDTable table = (IWDTable) view.getElement("Table");
                wdContext.currentContextElement().setTableSorter(
                   new TableSorter(table, wdThis.wdGetSortAction(), null));
                      wdContext.currentContextElement().getTableSorter().initialSort("Your Column ID", wdContext.nodeUser_Search_Results());
    Can you double check in your code if the table is bound to the node "User_Search_Results" and not "User_Table". If the table is bound to the "User_Table" then the sort will not work since in the code you are sorting the node "User_Search_Results".
    If you want to implement sort on only one column you can use the alternate constructor for the TableSorter class.
    TableSorter(IWDTable table, IWDAction sortAction, Map comparators, String[] sortableColumns)
    You have to give a String array of columns that need to be sort enabled.
    Regards,
    Sanyev

  • LSMW For Converting Open Sales Orders (not working for more than 1 item)

    Hi,
    I am using following standard object for Open sales orders .
    Object               0090   Sales documents                   
    Method               0000                                     
    Program Name         RVINVB10                                 
    Program Type         D   Direct Input                         
    Its not working for more than 1 line item.
    For more than 1 line item its giving Error saying that
    '102122                         V1                   845
    Print parameter SAPML2 1 is not defined
    Can anybody help me out in this regard.
    Thanks in advance.
    Nitin.

    hello, friend.
    i will still research the subject.  but the first thing that comes into my mind is t-code VA05.  with this, you have the option to change the Plant en masse.  so a possible workaround is for you to list a number of sales orders using VA05.  you then sort the line items by Plant.  choose all items with the same plant, change the plant via mass change... then change back to the original plant.  hopefully, the new settings should apply.
    do test a few sales orders by doing this for a larger scope.
    regards.

  • Date Sorting is not working as expected

    Hey,
    I am using Report builder 3.0 to create one daily report where I need daily metrics and I am putting it under columns. I want it in day wise order but somehow it shows data in below format. My dates are in M/D/YYYY format. Notice how 1/10 is displayed
    before 1/2.
    Solutions tried -
    1. I tried Putting Date as first thing in the Sorting section on matrix.
    2. Created Expression in Sort  =Day(Fields!Date.Value)
    3. Created custom code to prepond 0 to day and month so dates becomes in MM/DD/YYYY format but it is not working.
    Query -
     SELECT NON EMPTY { [Measures].[Work Item Count] } ON COLUMNS, NON EMPTY { ([Work Item].[System_State].[System_State].ALLMEMBERS * [Date].[Date].[Date].ALLMEMBERS ) } DIMENSION PROPERTIES MEMBER_CAPTION, MEMBER_UNIQUE_NAME ON ROWS FROM ( SELECT ( STRTOMEMBER(@FromDateDate,
    CONSTRAINED) : STRTOMEMBER(@ToDateDate, CONSTRAINED) ) ON COLUMNS FROM ( SELECT ( STRTOSET(@WorkItemClaimsSandboxTargetVersion, CONSTRAINED) ) ON COLUMNS FROM ( SELECT ( { [Work Item].[System_WorkItemType].&[Defect] } ) ON COLUMNS FROM ( SELECT ( { [Team
    Project].[Team Project Hierarchy].&[{########-####-####-####-############}] } ) ON COLUMNS FROM [Work Item])))) WHERE ( [Team Project].[Team Project Hierarchy].&[{########-####-####-####-############}], [Work Item].[System_WorkItemType].&[Defect],
    IIF( STRTOSET(@WorkItemClaimsSandboxTargetVersion, CONSTRAINED).Count = 1, STRTOSET(@WorkItemClaimsSandboxTargetVersion, CONSTRAINED), [Work Item].[ClaimsSandbox_TargetVersion].currentmember ) ) CELL PROPERTIES VALUE, BACK_COLOR, FORE_COLOR, FORMATTED_VALUE,
    FORMAT_STRING, FONT_NAME, FONT_SIZE, FONT_FLAGS
    Replaced alphanumeric char with #### above.
    Nothing worked. Please help me out here. I am stuck for a month or so. Would appreciate your prompt response.
    Thanks in advance,
    Shrikant

    Hi Shrikant,
    Per my understanding that you have some problem when sorting on the column group on the matrix, which don't work, right?
    I have tested on my local environment and can't produce the issue, you issue can be caused by the wrong method you have used to setting the sorting, you may set the sorting by select the "Tablix Properties", if so, it will not work.
    Please reference to the details information below about how to do the sorting setting:
    Right click the "Column Group" and select the "Group Properties".
    Select the Sorting on the left pane and do the setting like below:
    This setting works fine on my side.
    If you still have any problem, please feel free to ask.
    Regards
    Vicky Liu
    If you have any feedback on our support, please click
    here.
    Vicky Liu
    TechNet Community Support

  • JMS destination key used for message ordering not working

    Hi there,
    i'm using Weblogic 10.3. I've been trying to implement ordering of messages using a destination key assigned to a JMS message queue. The default ordering is FIFO (it uses the JMSMessageID in ascending order for this).
    According to documentation (http://download.oracle.com/docs/cd/E12840_01/wls/docs103/ConsoleHelp/taskhelp/jms_modules/destination_keys/ConfigureDestinationKeys.html) one can also configure the queue to behave in a LIFO manner by creating a destination which sorts on the JMSMessageID in a descending order.
    I have tried this, it does not work. I have also played with different message priority settings and tried to sort on the JMSPriority field of the messages in ascending and descending order, it changes nothing. Messages keep being processed in a FIFO manner.
    Has anyone been able accomplish message ordering other than FIFO? Am I missing something?
    Any assistance would be highly appreciated!

    Why not try
    if (_key.keyPressed(TAB)) then
    -- DO WHATEVER CONDITION
    end if
    im not sure if that is the correct way of telling the system
    to use the TAB key but this works for RETURN when the user hits the
    enter key, so if u substitute the TAB for the command to use the
    TAB key im sure it will work
    im sorry if it doesnt tho, but its worth a try if your still
    struggling

  • Playlist sort order not carried to iTouch

    After upgrade to IOS 5, playlist (podcasts) sort order in iTunes on MBP is not maintained when syncing w/ iTouch.  No options on iTouch to sort.
    Thoughts or bug?
    Related...one podcast would not purge from iTouch via sync, so had to restore iTouch.  Did not fix sort order transfer problem.

    I am also having the same problem. Running the newest iTunes and iPhone software my smart playlists are not working correctly. My "Recently Added" is correct in iTunes, and if I look at the playlist on my iPhone info in iTunes it is correct there, but the actual playlist on my iPhone is populated entirely with audiobook files. I have tried deleting and recreating the playlist which gives the same results. I have also specified that items within the playlist should be music files only and still get the same results.
    I have a playlist that's Top 50 Most Played that's also not behaving properly (ie correct in iTunes but not on my iPhone).
    Any suggestions?

  • Javascript sort() function not working correctly

    I have an image gallery that automatically loads via a PHP readdir function which populates an array, and then I have a Javascript sort() function which sorts the images in order numerically. In Chrome and Safari, the images display as numbered in the directory. However, in Firefox and Internet Explorer, they display out of order (firefox) and not at all (ie). Here is the code for the php file: <?
    Header("content-type: application/x-javascript");
    function returnimages($dirname=".") {
    $pattern="(\.jpg$)|(\.png$)|(\.jpeg$)|(\.gif$)";
    $files = array();
    $curimage=0;
    if($handle = opendir($dirname)) {
    while(false !== ($file = readdir($handle))){
    $file = basename($file,".jpg");
    echo 'myImg['.$curimage.']="'.$file .'";';
    $curimage++;
    closedir($handle);
    return($files);
    echo 'var myImg=new Array();';
    returnimages()
    ?>
    and here is the code for the javascript sort:
    function sortNumber(a,b)
    return a - b;
    myImg.sort(sortNumber);
    // Tell browser the type of file
    myImgEnd = ".jpg";
    var i = 0;
    // Create function to load image
    function loadImg(){
    document.imgSrc.src = myImg[i] + myImgEnd;
    Any ideas as to why Firefox is behaving this way?

    After you check the box to sort on the column, are you making sure to select a sort order for the same column?
    Earl

  • Sort function not working

    I have a SQL report with different fields. At the report attribute when I checked sort, it gives me error "ORA-00911: invalid character". Any idea?
    My report is working fine without selecting sort function.
    Thanks,
    Mushtak

    After you check the box to sort on the column, are you making sure to select a sort order for the same column?
    Earl

  • Sort order notes iOS 6.0

    Since it is finally possible to sort my Notes with MacOS 10.8.2 I am desperately seeking for the same possibility on my iPhone and iPad (iOS 6.0). It does neither use the sort-order (alphabetically!!!) from my desktop Mac nor am I able to change the sort-order on my iPhone. This is really a pain! Any solution out there???
    Please Apple, if you dont want to allow the users to make their own choice of sort order, at least let them use and transfer the sort order they have on their Mac!!!
    By the way: same problem with photos! With iOS 6.0 the devices do NOT use (anymore) the sort order of my iPhoto-folders. WHY? Help!

    HI Friend,
    You must set the Cellular Data according (Settings>>General>>Cellular>>Cellular Data). Contact your carrier for further information.
    Turn on Cellular Data, Roaming and 3G as well, even your carrier doesn't have 3G available.
    Did you turn on Restrictions before?
    Hope it will be helpful

  • "Sort" Option not working

    Hi,
    I have a particular characteristic 0WBS_ELEMT in my report. When I right click on that characteristic and click on sort and then sort in the ascending or descending order, the values are not getting sorted.Where am i possibly getting wrong?
    Regards,
    Anjana.

    Hi...
    DId you go to the InfoObject properties in Query Designer.
    Its right there.
    More into:
    Right Click on the InfoObject in the Query Designer (in Rows)
    Go down there and see Sort Order. Make the check box - ON.
    Here, give the preferences by KEY, Ascending, etc.
    Kindly assign me some points if this helps you...
    Regards,
    Debjani...
    Edited by: Debjani  Mukherjee on Sep 6, 2008 9:19 AM

  • Itunes Movie pre-orders - NOT WORKING

    I purchased SALT via Pre-order. I was finally able to get it to download, but was charged the full price and not the pre-order price. I also pre-ordered Resident Evil and the links do not work to download my order.
    I am able to log into the store and down load other items, so it is not an issue with my account, connection, login, or permissions on my mac.
    Any ideas? I see others are having similar issues with other pre-orders as well.

    I was having the same problem and only just now I went into iTunes, then the iTunes Store and selected 'Account' in the Quick Links menu on the right-hand side, it popped up and asked me to re-login, so I did and low and behold I got a pop-up message stating that I had pre-orders ready for download and if I wished to download them now to click "Ok", so I did and my stalled pre-orders came to life and started downloading... wish Apple could improve on this but now I'm happier they're downloading

  • Z Sort key not working

    Hi
    Sory Key Z02  field name AWKEY u2013 Reference  its assigned in GL Master data.
    Purpose :
    When billing document released for accounting then Billing Document number populated   in Assignment field of Accounting document, subsequently we can check this billing document in FBL3.
    It is working fine in 4.5b but not working in Ecc6 after Tech upgrade.
    imdad

    Please ask your SD consultant to do the same.
    Sort key doesn't work for this.
    Also please check VOFA & VTFA, here you have option that which value you want to capture in reference and assignment field.
    Rgds
    Murali. N

Maybe you are looking for

  • Decrease print spool file size generated by PS CS5 Mac OS 10.6.8?

    Hi, Certain big/hi-res Photoshop (CS5) documents - sent from a 2010 era Intel Mac to an older HP 1200dpi Laserjet (LJ 2100M/HPs PostScript, standard HP/Apple drivers) - were taking forever to print. In one case, for example, a 6MB on disk, Grayscale

  • File Share crawl - NetApp Servers - Permission Issues

    hello, There are many file share contents hosted on NetApp, which are being crawled by the SharePoint 2013 Search engine in our organization. The Search Crawl account is granted Read and Execute permissions on the Shared Drive. The crawler reads the

  • Creating File in Shift-JIS, Japanese Encoding for EFT

    Hi, We need to do EFT for the data which is present in Shift-JIS(JA16SJIS), Japanese characterset. Our database is having NLS_CHARACTERSET -- UTF8 NLS_NCHAR_CHARACTERSET -- AL16UTF16 File needs to be sent to the bank in the Shift-JIS format, I need t

  • Adobe Edge won't install on Mac

    Hi I'm using Apple Mac OS X 10.8.3. When I go to install Edge Animate in the Application Manager, I get an error stating that I need to close the program and uninstall the beta. Adobe Edge Animate is not listed when I search in the Programs and Featu

  • Purchased Mountain Lion and the initial download had an error and now it's stuck doing nothing

    I was on 10.6.8 and purchased Mountain Lion. It started downloading and when I came back to check on it, the icon was gone from the dock. Looked under purchases in the App Store and it said "An error has occured". It would not let me download again t