Slide names and ordering

Hello everyone,
seem to be having a small problem here can anyone shed some light on this?
1. I changed the order of some slides, however when I compile it to swf the order goes from slide 7 to 18 to 9... What was the orignal
ordering...
2. I have named every slide but in the TOC it still shows as slide title " slide1 slide2"...
Any ideas what could be wrong?
thanks Yannick

Hi there and happy Easter (if that's a day you celebrate)
Try opening your TOC editor and clicking the reset button as shown below:
Cheers... Rick

Similar Messages

  • I spent ages renaming and sorting my holiday photos in correct order but when uploaded to print they reverted to the original name and order? How can I stop this happening?

    I spent ages renaming and sorting my holiday photos in correct order but when uploaded to print they reverted to the original name and order? How can I stop this happening?

    When you "rename" a photo in iPhoto you're adding a Title to the shot, not renaming the file. This si quite standard metadata in photography, but it appars that it's getting lost in the upload/at Snapfish process.
    You can use the Titles as filenames if you export using the File -> Export command. It's one of the options in the export dialogue. You can upload the exported items.
    Regards
    TD

  • Slide names and descriptions?

    I am new to DPS and pretty average in InDesign. Where to I edit the name of the slides so that they appear when viewing the .folio in Adobe Content Viewer? It would appear in the menu on the left, and the vertical view of all slides in the .folio. Thanks!

    I think you're trying to use InDesign and DPS as tools to generate one complete slideshow. In InDesign's jargon "slideshows" are merely (small or large) interactive parts within a page. The way you want to use it, is to use a pages as a complete slide and the whole folio as a slideshow. Nothing wrong with that, but you might consider a different approach, or even a different tool and file format for such a purpose.
    Nevertheless, try making a horizontal InDesign file (1024x768) with a page for each slide. Upon testing and uploading, look for the "Horizontal swipe only" setting.
    It might still be difficult or even impossible to get titles and other (meta) info in a specific area like the table of contents, because you're actually 'misusing' the functionality of DPS. If you want to get those titles and a nice Table of Contents as well, you need 1 article with 2 layouts (InDesign files) for each slide and title. Make 1 horizontal InDesign file for each slide and 1 vertical InDesign file for a title, combine these two as Layouts into an Article, and add Properties like Titles and description again, to cater for the automated Table of Contents.
    See the tutorials for more info on how to do all these steps and find these options. You can find them here. But beware, you might find it quite challenging for this purpose.

  • Cast and Order by

    One of the requirements we have in generating reports is to order the results by 'users choice'.
    Example:
    The user wants a report for the following customer's, (in the order the user enters the customers name). The report is generated through a procedure using Utl_File, the GUI passes the list of customers as: 'BILL;ADAM;ZACHARY;OSCAR'
    The procedure parses the parameter into two variables, one the IN_LIST and the ORDER_LIST:
    IN_LIST = 'BILL','ADAM','ZACHARY','OSCAR'
    ORDER_LIST = 'BILL',1, 'ADAM',2, 'ZACHARY',3, 'OSCAR',4
    The statement is then parsed and opened with a ref cursor. The completed statement look (something) like:
    v_sql := 'Select * from My_Table where cust_name in ('
              || IN_LIST ||' ORDER BY DECODE( custname, '|| ORDER_LIST ||' ) ' ;Works great.
    But, I was wondering, is there any way of using, CAST with an Object Type that is a nested table type and a simple parse routine that returns this nested table type given a string input, to accomplish the same thing, keeping in mind the requirement of the ORDER BY.
    Something like:
    create or replace type myTableType as table of varchar2 (255);
    Create or replace function In_list
          ( p_string in varchar2 ) return myTableType  as
    l_string        long default p_string || ',';
    l_data          myTableType := myTableType();
    n               number;
    begin
      loop
         exit when l_string is null;
            n := instr( l_string, ',' );
            l_data.extend;
            l_data(l_data.count) :=  ltrim( rtrim( substr( l_string, 1, n-1 ) ) );
            l_string := substr( l_string, n+1 );
      end loop;
      return l_data;
    end;
    select ID, Cust_Name from Cust_Table
    where cust_name in
         (select * from
            TABLE(select cast( in_list('BILL,ADAM,ZACHARY,OSCAR') as mytableType)
                            from dual) )
    -- HOW TO USE AN ORDER BY ???

    Hello V Garcia
    Yes you can use objects to do what you want. This example just assumes the name and order strings match by order rather than repeating the names in both paramters. You could extend it to do that if you need, but it could get tricky if they switch the order of the names between the name and order by strings. You'd have to check for an existing row by name and be moving forwards and back the whole time. This assumption makes things quite a bit simpler.
    SQL> create or replace type sort_obj as object
      2      (str varchar2(255), n number)
      3  /
    Type created.
    SQL> create or replace type sort_tab as table of sort_obj
      2  /
    Type created.
    SQL> create or replace function sorttab
      2      (p_str in varchar2, p_n in varchar2, p_sep in varchar2)
      3  return sort_tab
      4  is
      5      l_str long := p_str || p_sep;
      6      l_n long := p_n || p_sep;
      7      l_sort_tab sort_tab := sort_tab();
      8  begin
      9      while l_str is not null loop
    10          l_sort_tab.extend(1);
    11          l_sort_tab(l_sort_tab.count) := sort_obj (
    12              rtrim(substr(l_str,1,instr(l_str,p_sep)),p_sep),
    13              to_number(rtrim(substr(l_n,1,instr(l_n,p_sep)),p_sep))
    14              );
    15          l_str := substr(l_str,instr(l_str,p_sep)+1);
    16          l_n := substr(l_n,instr(l_n,p_sep)+1);
    17      end loop;
    18      return l_sort_tab;
    19  end;
    20  /
    Function created.In 9i (at least in R2) then you can just do this.
    SQL> select * from
      2      table(sorttab('BILL,ADAM,ZACHARY,OSCAR','1,2,3,4',','))
      3      order by n;
    STR                 N
    BILL                1
    ADAM                2
    ZACHARY             3
    OSCAR               4
    SQL> select * from
      2      table(sorttab('BILL,ADAM,ZACHARY,OSCAR','3,2,4,1',','))
      3      order by n;
    STR                 N
    OSCAR               1
    ADAM                2
    BILL                3
    ZACHARY             4I only just found this because before that in 8i and up you need to cast to the table type
    SQL> select * from
      2      table(cast(sorttab('BILL,ADAM,ZACHARY,OSCAR','3,2,4,1',',') as sort_tab))
      3      order by n;
    STR                 N
    OSCAR               1
    ADAM                2
    BILL                3
    ZACHARY             4pre 8.1.x the full select from dual cast construct is needed.
    Its nice to see that life is getting easier.
    Hth
    Martin

  • Camera Roll - ordered by "Name" and not by "Date".

    My Camera Roll had a problem yesterday and forced itself to be rebuilt. When it came back up I thought a bunch of new images and videos were deleted. I connected my iPhone 4 to Image Capture and found that all the images and videos are still on my phone. However, Camera Roll is now sorting by "Name" and not by "Date" -- Note: These are the columns that are listed in Image Capture.
    Does anyone know how to get the Camera Roll to display images by "Date" again? Thanks for the help!

    Odd yeah, from what I can see there is no way to specify the sort order on the iPhone. Is is possible that the date data became corrupted? Can you grab a screenshot from your computer showing the name / date columns?
    Slightly off topic, but possibly a similar effect to what has happened in this case:
    I know when you transfer files from one hard drive to another, and then try to sort by the "Date Added" attribute, the Date Added becomes the same for all files- the date they were copied to the second hard drive.

  • How to get my images always order by file name, and not by time of captur, in all the folders in the library?

    How to get my images always order by arquive name, and not by time of captur, in all the folders in the library?
    Sorry for the poor english, but im portugues.
    In the library we can change the order of classification of image by, time of capture, name of file etc... I'm wondering if its possible define to be always by the name of file.
    It ´s possible?
    And i have other question, in print label we have an option to auto rotate to feet in page to have the image using the maximum area in the page (auto rotate, zoom etc), its possible to change the orientation of the rotation to be always in  the other direction?

    The Muvos are USB Mass Storage devices and do not have the ability to display track information based upon ID3 tags.
    The Zens all read and display track info based upon ID3 tag information that is either gathered from an online source or entered by the end-user.
    If you want the track information displayed instead of the ID3 tag information, you could edit the ID3 tags and rename the title to whatever you have as the file name. Not sure why your file names would differ so much from the ID3 tag info though, almost all of my content has the same name for the filename as it does on the ID3 tag title.

  • I ordered Illustrator for another user.  I received an invitation that was accepted, logged in and tried to change the account to the name and email of the person it was ordered for.  How can I get this changed and the invitation sent to the right person?

    I ordered Illustrator via creative cloud for another user.  I received an invitation that was accepted  and tried to change the account to the name and email of the person it was ordered for.  How can I get this changed and the invitation sent to the right person? 

    Cloud as a Gift https://forums.adobe.com/thread/1665610

  • First name and last name order in contact list

    Actually, my contact list is displayed with the last name before the first name, but everything is fine in Address Book settings (I choosed "First name, Last name" option), and I checked that first name and last name has not been reversed for some reasons between two fields, the first name is right in place, as is the last name.
    So changing this is AddressBook has no effect.
    I tried disabling Chax, without success.
    It could be possible this problem occured when I enabled Microsoft Exchange address book synchronization, (iSync reported 500+ changes in AB database, I did it anyway and noticed no problems in data after synchronization (I still have a backup :-))
    One more thing , the displayed name in the iChat menu extra is correct.
    So, what could possibly change this behavior I did not already check ?
    Powerbook Aluminium 15" 1,2GHz | iPod | iPod Shuffle | iSight | MX900   Mac OS X (10.4.6)  

    Hi Yann,
    If you add details to the Address card in iChat as you add a Buddy then you need the first set of instructions I posted.
    You nee this menu in iChat http://www.flickr.com/photos/90943061@N00/135575605/
    In the second section of this menu you can sort the list.
    <hr>
    Ahhh. I see what you mean.
    iChat does in fact always display First Name, Last Name as you say.
    Adding a Buddy with the names in the reverse order to display as you want in iChat your Address book gets messed up as it is not consistent with those contacts that are not iChat Buddies.
    The only work around I can see is to change all the Address Book entries to match a reverse entry in iChat and then use the Address Book option to display Last Name, First name to show them the 'correct' Fist name, Last name and have them in Last name, First name in iChat.
    11:06 PM Wednesday; April 26, 2006

  • I have transferred my iTunes library from windows 7 pc to new windows 8 pc. Music was in alphabetical order by surname but new pc has some by surname some by first name and some not in alphabetical order. How can I get sorted?

    Question  Hi - I've transferred my iTunes library from windows 7 pc to one with windows 8. My library was in alphabetical order by surname but after transfer is now some by surname, some by first name, and some not in alphabetical order. How do I sort this out and also make sure that new downloads list by surname alphabetically?  

    Sorting in iTunes is often controlled by selecting different column headings. The sort order for any given column may be further modified by a sort value, e.g. Sort Artist affects the sort order of Artist. If you transferred the library properly all of the metadata should have remained intract and you simply need to select the a column that sorts as you want. If you had to import the library then there is the potential for tagging effects that could mean metadata entered previously didn't import with the media. Note that iTunes has no mechanism for automatically deciding which values are in <Forename> <Surname> order and could therefore be sorted as <Surname> <Forename>. The only automatic process drops leading articles (a/an/the) so that "The Doors" sort under D as "Doors".
    See also Grouping tracks into albums.
    tt2

  • HELP! Going round in circles trying to establish my original Administrator's name and password in order to install much needed updates.

    I am going around in circles trying to establish my original Administrator's name and password so that I can install much needed updates.
    I have my User ID and password. Advice please!

    Yet another update,
    So I got an email back earlier from complaints as i said in previous post, as soon as i got back home from work I called it. Spoke to the first person who put me through to Options, again I told them my problems and they looked through my notes and told me that they couldn't help and transfered me to another department. I then went through all my issues yet again and again was told I needed to be transfered to another department to downgrade. I got put through to Options (where i'd previously been transfered from) this time I got told that they could downgrade me but need to speak to a different person in Options, so again transfered to someone else. This time they said that they will do it, started giving me the details of the new package and was just about to give me a date when they said that because of a technical issue with the way my account was set up they could not continue. Was then told that the order will be handed to the offline team and will be contacted (no time scale given). So annoyed right now!!!!!

  • Is possible to change the order of name and last n...

    After to have installed: "Nokia PC Suite 6.84.10.3 ita", I have noticed that the names in the Contacts folder, come lists to you with the following order: "name for first and last name for second". I have tried to change this order, opening Nokia Contacts Editor, selecting Options > Order names > Last name for first, rebboting Nokia Phone Browser and Nokia Contacts Editor in order to render effective the modifications, but nothing
    to make. Why in the previous versions of PC Suite, it was possible to change this order (Name for first or Last name for first), and instead in the version "Nokia PC Suite 6.84.10.3" it is not possible? Someone of You have the same problem? How I could resolve it? Thanks in
    advance!!

    vCard file is in plain text. you can edit it using text editor - find field like:
    N:han;abrash
    the first name and last name is seperated by ';' there. and you can reorder it to:
    N:abrash:han
    done
    What's the law of the jungle?

  • Change the order of last name and first name

    I use my iPhone in English, however I have a few Japanese contacts and I add their names with kanji (Japanese characters). In Japanese, the last name comes before the first name, and in English, obviously, the first name comes first. I have my settings with the last name first because it makes a little more sense in both languages, but I want to change the order depending on the languages without putting the last name in the first name and vice versa. Is this possible?

    Not really, the name order is global so you cannot just switch it on and off.  Best way is to just reverse the entry order as you have been doing.

  • In order to download the new iTunes update I have to enter my administrator name and password.  When I enter the correct name password it won't put me through.  How do I fix this?

    In order to download the new iTunes update I have to enter my administrator name and password.  I am having trouble.

    Hi johnsherrard,
    If your iPhone is currently disabled due to a password issue, you may find the following article helpful:
    iOS: Forgotten passcode or device disabled after entering wrong passcode
    http://support.apple.com/kb/ht1212
    Regards,
    - Brenden

  • I have an iPhone in my name and my wife has an iPad in her name. We have just ordered an iMac and wondered which account we should use to get the best out of all the devices

    I have an iPhone in my name and my wife has an iPad in her name. We have just ordered an iMac and wondered which account we should use to get the best out of all the devices? Can we use both accounts in iCloud?

    Yes you can.  However, it is better to use one person's account most of the time for purchases in the Mac App Store and iTunes since you can share purchases, such as songs, among various devices using the SAME account.  You Cannot share purchases among different accounts, though.   So make one of your accounts the main "purchasing" account so you can share purchases.
    Hope this helps

  • On my macbook pro under dashboard, you can go to a page to order more widgets, it asks for ur name and password, but I can't get in under any thing I enter. What procedure must you go thru to order more widgets?

    Trying to download a new widget for my dashboard, it wants a name and password. I tried the main one I log into with, I am the administrator, tried my email account and also my cloud account. nothing seems to work. I wanted to dowm load webcams that show Hong Kong senery's. Can anyone help with this?

    Create a New User Account, and as that New User try to set up this one account -- as it is POP, set to leave messages on the server after download. If not familiar with setting up a New User Account, see:
    http://docs.info.apple.com/article.html?path=Mac/10.5/en/8235.html
    This will be a useful test, and is not meant to suggest a permanent switch to the New User Account, but rather a test of the Mail application outside of your normal User Account.
    Also in System Preferences/Networks click on Advanced, then Proxies and make sure no proxy selections have been checked.
    Ernie
    Message was edited by: Ernie Stamper

Maybe you are looking for

  • Error with Soap sender channel

    I have a scenario SOAP->Proxy ..whenever I send a message through SOAP its giving error as below: com.sap.engine.interfaces.messaging.api.exception.MessagingException: com.sap.engine.interfaces.messaging.api.exception.MessagingException: Connection S

  • Horizontal lines appear in grab acquision after a while

    Hello everyone, My system is using 4 cameras. this system worked for about 3 years and never had a problem with this. But now, When I start my process for less than an hour, I start to see horizontal lines in my acquisition image. Even when I close a

  • Fetch Sales order & item from Prod ord to TR Header text when staging mat

    Hello We have a need to see Sales order and item number in TR header text when selecting TR to be processed in transaction LB10. TR´s are created via transaction LP10. Is there any solution to get Sales order number from Production order to be automa

  • /JOB/ DC - Java , J2EE **  Weblogic**, Sybase/oracle, Swing, Solaris/Unix, NT.

    All, Let me know if you're interested, I'll supply contact details ============================================= A major financial services company in the D.C. area that is looking for Java developers with 5 + years experience in web dev/ internet te

  • Doubly extended Airport network has become unstable

    I have an ethernet-wired Airport Extreme generating a wireless network, extended twice by Airport Express units, with a TiVo wireless adapter getting feed from the 2nd AXpress. TiVo is located about 120' from AXtreme; that's the full length of the ne