Grouping courses within categories in private area

Hi,
I searched through past posts and through the iTunes U manual but didn't find anything about this. It is a really simple question though, so I am sure there is some way to do it.
From the main welcome page in our private area, I would like to create links to three separate program areas.
As it is now, it seems that the only option is to add courses to the welcome page. I would like to have categories on the welcome page. When you select a category, then inside the category page, you would find links to the courses, and inside the courses, of course you would find the audio/video content.
So in short, what I have now is welcome>course>content
What I would like is welcome>program>course>content
I only see options for adding more courses to the welcome page, not for adding categories/program options.
Any help?
Thanks in advance.

When you click on the Create Page drop down menu, choose "Default Welcome" instead of "Default Course."

Similar Messages

  • Can't create a "simple" group/course - and no upload

    Hi all,
    I'm quite new to this task of managing iTunesU for my institution (ICTP, www.ictp.it), and we just got admitted to the iTunesU platform since few days, so please bear with my poor experience (but I'm carefully reading the guides provided by Apple).
    Now... I've had no problem in creating/editing a few test pages/groups/courses, but I'm not able at all to create a "simple" group course, the edit menu only lead me to the two options: "smart" and "feed". And I cannot find the tool menu item to do the "Upload and Manage Files" (I guess it doesn't appear because there are no simple groups, the only ones that can accept manual uploads, am I right?).
    Just to explain better: of course I'll eventually implement a transfer script to upload our videos (I'm working on re-encoding some thousands hours of lectures...), but for now I would like to make some preliminary tests, and upload manually a few videos. What am I doing wrong?
    Is it possible that maybe our approval is still pending, and I'm not allowed to upload anything? But I can edit the site (but not publish it).
    I tried both interfaces, the iTunes.app native and the web one (the "iTunesU Public Site Management" on phobos.apple.com):
    the former is more complete but is missing upload option and "simple" group course creation, while the latter gives me only tools to edit the graphic appearance of the main page (banner, styles, etc...).
    thank you for any help, it will be appreciated very much!
    Carlo,
    Trieste (Italy)

    I think I've found the answer by myself in this thread:
    https://discussions.apple.com/thread/2018158?threadID=2018158&tstart=0
    Unfortunately, it's not the answer I was hoping for... apparently the option to store contents in Apple's servers isn't available anymore for newcomers to iTunesU.
    Now I have to manage a way to do local storage and RSS feeds, new challenge!
    Hope this may help others,
    Carlo.

  • Are PL/SQL Package Body Constants in Shared Area or Private Area

    Based on this it not clear to me if PL/SQL Package Body Constants are stored in shared area or private area.
    http://docs.oracle.com/cd/B28359_01/server.111/b28318/memory.htm
    "PL/SQL Program Units and the Shared Pool
    Oracle Database processes PL/SQL program units (procedures, functions, packages, anonymous blocks, and database triggers) much the same way it processes individual SQL statements. Oracle Database allocates a shared area to hold the parsed, compiled form of a program unit. Oracle Database allocates a private area to hold values specific to the session that runs the program unit, including local, global, and package variables (also known as package instantiation) and buffers for executing SQL. If more than one user runs the same program unit, then a single, shared area is used by all users, while each user maintains a separate copy of his or her private SQL area, holding values specific to his or her session.
    Individual SQL statements contained within a PL/SQL program unit are processed as described in the previous sections. Despite their origins within a PL/SQL program unit, these SQL statements use a shared area to hold their parsed representations and a private area for each session that runs the statement."
    I am also curious what are the fine grained differences from a memory and performance perspective (multi-session) for the two examples below. Is one more efficient?
    Example 1.
    create or replace
    package body
    application_util
    as
    c_create_metadata constant varchar2(6000) := ...
    procedure process_xxx
    as
    begin
    end process_xxx;
    end application_util;
    vs.
    Example 2.
    create or replace
    package body
    application_util
    as
    procedure process_xxx
    as
    c_create_metadata constant varchar2(6000) := ...
    begin
    end process_xxx;
    end application_util;

    >
    What i am asking is fairly granular, so here it is again, let's assume latest version of oracle..
    In a general sense, is the runtime process able to manage memory more effectively in either case, one even slightly more performant, etc
    ie does example 1 have different memory management characteristics than example 2.
    Specifically i am talking about the memory allocation and unallocation for the constant varchar2(6000)
    Ok, a compiler's purpose is basically to create an optimized execution path from source code.
    The constant varchar2(6000) := would exist somewhere in the parse tree/execution path (this is stored in the shared area?).
    I guess among the things i'm after is
    1) does each session use space needed for an additional varchar2(6000) or does runtime processor simply point to the constant string in the parse tree (compiled form which is shared).
    2) if each session requires allocation of space needed for an additional varchar2(6000), then for example 1 and example 2
    at what point does the constant varchar allocation take place and when is the memory unallocated.
    Basically does defining the constant within the procedure have different memory characteristics than defining the constant at the package body level?
    >
    Each 'block' or 'subprogram' has a different scope. So the 'constant' defined in your example1 is 'different' (and has a different scope) than the 'constant' defined in example2.
    Those are two DIFFERENT objects. The value of the 'constant' is NOT assigned until control passes to that block.
    See the PL/SQL Language doc
    http://docs.oracle.com/cd/E14072_01/appdev.112/e10472/fundamentals.htm#BEIJHGDF
    >
    Initial Values of Variables and Constants
    In a variable declaration, the initial value is optional (the default is NULL). In a constant declaration, the initial value is required (and the constant can never have a different value).
    The initial value is assigned to the variable or constant every time control passes to the block or subprogram that contains the declaration. If the declaration is in a package specification, the initial value is assigned to the variable or constant once for each session (whether the variable or constant is public or private).
    >
    Perhaps this example code will show you why, especially for the second example, a 'constant' is not necessarily CONSTANT. ;)
    Here is the package spec and body
    create or replace package pk_test as
      spec_user varchar2(6000);
      spec_constant varchar2(6000) := 'dummy constant';
      spec_constant1 constant varchar2(6000) := 'first constant';
      spec_constant2 constant varchar2(6000) := 'this is the second constant';
      spec_constant3 constant varchar2(6000) := spec_constant;
      procedure process_xxx;
      procedure change_constant;
    end pk_test;
    create or replace package body pk_test as
    procedure process_xxx
    as
      c_create_metadata constant varchar2(6000) := spec_constant;
    begin
      dbms_output.put_line('constant value is [' || c_create_metadata || '].');
    end process_xxx;
    procedure change_constant
    as
    begin
      spec_constant := spec_constant2;
    end change_constant;
    begin
      dbms_output.enable;
      select user into spec_user from dual;
      spec_constant := 'User is ' || spec_user || '.';
    end pk_test;The package init code sets the value of a packge variable (that is NOT a constant) based on the session USER (last code line in package body).
    The 'process_xxx' procedure gets the value of it's 'constant from that 'non constant' package variable.
      c_create_metadata constant varchar2(6000) := spec_constant;The 'change_constant' procedure changes the value of the package variable used as the source of the 'process_xxx' constant.
    Now the fun part.
    execute the 'process_xxx' procedure as user SCOTT.
    SQL> exec pk_test.process_xxx;
    constant value is [User is SCOTT.].Now execute 'process_xxx' as another user
    SQL> exec pk_test.process_xxx;
    constant value is [User is HR.].Now exec the 'change_constant' procedure.
    Now exec the 'process_xxx' procedure as user SCOTT again.
    SQL> exec pk_test.process_xxx;
    constant value is [this is the second constant].That 'constant' defined in the 'process_xxx' procedure IS NOT CONSTANT; it now has a DIFFERENT VALUE.
    If you exec the procedure as user HR it will still show the HR constant value.
    That should convince you that each session has its own set of 'constant' values and so does each block.
    Actually the bigger memory issue is the one you didn't ask about: varchar2(6000)
    Because you declared that using a value of 6,000 (which is 2 ,000 or more) the actual memory allocation not done until RUN TIME and will only use the actual amount of memory needed.
    That is, it WILL NOT pre-allocate 6000 bytes. See the same doc
    http://docs.oracle.com/cd/E14072_01/appdev.112/e10472/datatypes.htm#CJAEDAEA
    >
    Memory Allocation for Character Variables
    For a CHAR variable, or for a VARCHAR2 variable whose maximum size is less than 2,000 bytes, PL/SQL allocates enough memory for the maximum size at compile time. For a VARCHAR2 whose maximum size is 2,000 bytes or more, PL/SQL allocates enough memory to store the actual value at run time. In this way, PL/SQL optimizes smaller VARCHAR2 variables for performance and larger ones for efficient memory use.
    For example, if you assign the same 500-byte value to VARCHAR2(1999 BYTE) and VARCHAR2(2000 BYTE) variables, PL/SQL allocates 1999 bytes for the former variable at compile time and 500 bytes for the latter variable at run time.
    >
    So when you have variables and don't know how much space is really needed do NOT do this:
    myVar1 VARCHAR2(1000);
    myVar2 VARCHAR2(1000);
    myVar3 VARCHAR2(1000);The above WILL allocate 3000 bytes of expensive memory even if it those variables are NEVER used.
    This may look worse but, as the doc states, it won't really allocate anything if those variables are not used. And when they are used it will only use what is needed.
    myVar1 VARCHAR2(2000);
    myVar2 VARCHAR2(2000);
    myVar3 VARCHAR2(2000);

  • ICal Groups and Palm Categories

    I've been struggling to get these two programs to work together well and may have finally figured it out. But before I go and screw up my iCal and/or Palm device...
    If I name all my categories in my Palm the same as the Events in my iCal Group, will they sync correctly? Or will it end up being a big mish-mosh?
    Anyone had any luck doing this?

    I don't know - I haven't had any problems at all. Here is how iCal calendar to Palm category is intended to work:
    Calendars and Categories
    • iCal events are assigned to a Palm category with the same name as the calendar they are part of.
    If the category does not exist on the Palm device, the Events conduit creates a category with the calendar name and assigns the event to that category. If that category cannot be added - due to space limitations - the event is added to Unfiled.
    • Palm events/tasks that are in a specific category are sent to that calendar in iCal only if a calendar with the same name as the category exists.
    If the calendar does not exist, the record will be sent to the calendar that is chosen in the conduit configuration sheet. If the calendar is read only, the event/task will be ignored.
    • On the first synchronization of read-only calendars, the items are properly assigned to the correct category on the device.
    If any edit is made to an item in a read-only calendar the change is ignored but will persist on the device until something forces it to be overwritten by data from the desktop, like if the R/O item was updated. If an item is assigned to a read-only calendar - a new event, etc - it will be switched to the calendar you have selected in your preferences.
    • Calendars listed in the conduit settings are pulled from Sync Services, meaning that if iCal has not finished synchronizing with Sync Services the full list of calendars may not be read.
    I'm curious about something…
    When you first installed the Missing Sync for Palm OS, did you faithfully follow the instructions to synchronize one final time with iSync - so that your handheld and desktop applications contain essentially identical record sets - and, then set the Mark/Space conduits to Overwrite handheld with desktop data prior to the initial synchronization?

  • Cannot remove this sync group because one or more databases are currently provisioning,

    I have a problem with a SYNC group within my development Azure Database.
    It been stuck in "processing" state last December and has never recovered.
    I have since setup a new Sync Group to sync the data between my cloud database and my local database.  The new Sync Group is working properly.
    It bothers me that the old one is still out there, and I would just like to remove it, but I get the following error message:
    Cannot remove this sync group because one or more databases are currently provisioning, 
    re-provisioning, de-provisioning, canceling sync or synchronizing. TracingId=fe9d220c-56c7-791f-ac0f-ea26989e02a1
    Does anyone have any suggestions on how to delete the failed SyncGroup from Azure?

    Hi jstevenson72,
    How about using the DeprovisioningUtil tool? With DeprovisioningUtil tool , you can manually clean up all objects by running the deprovisioning utility from the same folder where the Data Sync Agent gets installed.
    Besides any of the following can result in a failure to delete a sync group.
    • The client agent is offline. Be sure that the client agent is online then try again. Reference : 
    SQL Data Sync Troubleshooting Guide.
    • The client agent is uninstalled or missing.
     If the client agent is uninstalled or otherwise missing:
    1. Remove agent XML file from the SQL Data Sync (Preview) installation folder if the file exists.
    2. Install the agent on same/another on-premise computer, submit the agent key from the portal generated for the agent that’s showing offline.
    • The SQL Data Sync (Preview) service is stopped.
    1. In the Start menu, search on Services.
    2. Click Services in the Programs section of the search results.
    3. Find the SQL Data Sync (Preview) Preview service.
    4. If the service status is Stopped right-click the service name and select Start from the dropdown menu.
    • A database is offline.  Check your SQL Database and SQL Server databases to be sure they are all online.
    • The sync group is provisioning or synchronizing. Wait until the provisioning or synchronizing process finishes then retry deleting the sync group.
    And for Azure issues, I would like to recommend you post the question in the Azure SQL Database forum at
    https://social.msdn.microsoft.com/forums/azure/en-US/home?forum=ssdsgetstarted. It is appropriate and more experts will assist you.
    There is also a similar thread for your reference.
    https://social.msdn.microsoft.com/Forums/en-US/d0c50049-4d20-447e-85f9-904f7d146a40/cannot-remove-a-data-sync-group-even-dropping-the-involved-databases-and-servers?forum=ssdsgetstarted
    Thanks,
    Lydia Zhang
    If you have any feedback on our support, please click
    here.
    Lydia Zhang
    TechNet Community Support

  • I want to transfer my photos from the PC (windows explorer) to my Ipad. The problem is that a keep my photos i different categories and they are in one large folder and subfolders (2 or 3 levels of subfolders).When I sent it to the Ipad, it just respect t

    I want to transfer my photos from the PC (windows explorer) to my Ipad. The problem is that a keep my photos in different categories and they are in one large folder and several subfolders (2 or 3 levels of subfolders).When I sent it to the Ipad, it just respect the first level of folder. After the first subfolder, all the photos are mixed. Any idea how to keep my original organization just transferring from PC to the Ipad (folder having a subfolder also having another subfolder)?
    Thanks
    Diogo

    The Photos app doesn't currently support subfolders, it only has the one level of folder/album. You will either need to change your folder structure on your computer to be just one level, see if there is a third-party photo app in the store that copes with subfolders, or just make do. You can try leaving feedback for Apple : http://www.apple.com/feedback/ipad.html

  • Why in the world would Apple make the track pad LESS useful in OS Lion?  I hate that I can't g back to the top of a web page with a singe swipe.  And of course all the other gestures are totally reversed.  IMHO, this was not an imporvement.

    Why in the world would Apple make the track pad LESS useful in OS Lion?  I hate that I can't g back to the top of a web page with a singe swipe.  And of course all the other gestures are totally reversed.  IMHO, this was not an improvement.

    No one here works for Apple.
    Go to System Preferences > Trackpad > Scroll & Zoom, and uncheck Scroll direction: Natural.

  • Private Area not Created in cFolders

    I assigned a collaboration folder (competitive scenario) while creating a Bid Invitation. This creates a public area and I added a document. The bid invitation is then published.
    Now when bidder creates a bid, private area is not being created in cFolders.
    Am I missing some specific settings here or is this a roles issue?
    Please let me know what roles have to be assigned to the bidder so that he can create a new folders/documents in private area.

    Hi Sreenivas,
    Once you create a new collaboration in competetive scenario by default public area will be created.
    To create private area, click on that collaboration then under 'Work Areas' create new work area. This will become private area. Then assign authorizations to this private area to any one of the vendors.
    Reward points if useful.
    Regards,
    Laxminarasimha

  • Bullet (unordered) sublists within number (ordered) lists are displayed incorrectly

    In my FrameMaker source, I've got the usual L1 Bullet List,
    L2 Number List, L3 Bullet Sublist, L4 Number Sublist styles
    defined. I've imported the source by reference into RoboHelp, and
    I've mapped the FrameMaker styles via fmstyles.css to RoboHelp
    styles. I've resolved almost all the style issues, but a nasty one
    remains: Bullet sublists within number lists are not displayed
    properly.
    All the combinations of lists and sublists look fine in
    FrameMaker. In the help (WebHelp) that RoboHelp produces, bullet
    sublists within bullet lists are displayed as I would expect: The
    sublists are indented and have a different bullet style (circles
    rather than disks) relative to the "parent" list. Bullet sublists
    within number lists, however, are displayed incorrectly. They are
    indented too far (twice as far as I they should be), and they use
    the wrong bullet style (circles rather than disks). No matter how
    many times I use the style editor to try to convince RoboHelp to
    display bullet sublists within number with the correct indentation
    and bullet style, I get the same result. Has anyone every fought
    this battle and won? If so, how did you do it?
    Thanks!

    I think you cannot mix bullet and numbered lists at different
    levels during the import because RoboHelp makes one single list out
    of the entire list/sublist order. I.e., after the import, all list
    items are simple items in one list even though they belonged to
    different list levels in the original document.
    I did succeed in using bulleted sublists within normal bullet
    lists. I created a second CSS style in the import dialog (with a
    larger indention) and mapped it to the FM-style that resembles the
    sublist items.But due to RH putting all items into one list, you
    cannot mix different bullet styles. Most browsers will ignore this
    and display a sinlge bullet style for all items in the list.

  • HT5295 Podcast categories and podcasts are in English and not in Italian

    Podcast app is in Italian language
    Iphone: podcast categories and database are in Italian
    Ipad: podcast categories and database are in english
    IOS 5.1.1. in Italian both in Ipad and Iphone
    Same apple id
    You can see in pic that buttons in the app are in Italian but podcasts are in english
    Thanks and ciao.
    Andrea

    Some websites have a link for an international version that allows to select the language, so you can look for that (it may appear as a flag icon).
    Local Google sites have a link at the bottom of the page to go to the [http://www.gooogle.com/ncr "Google.com in English"] site.
    You may need to hover that local Google page with the mouse to make extra content appear.
    You can set Google preferences on the [http://www.google.com/preferences?hl=en Google Search settings] page (click the gear icon at the top right).
    Such settings are stored in a cookie on your computer that you need to allow.

  • Where is the data stored for Formscentral subscribers based within the European Economic Area?

    We are already experimenting with Formscentral for some basic survey collection tasks, but I am interested in the potential to collect larger and more complex data sets.  However, being based within the European Economic Area it would be easier if the data collected from any of our online published forms remained within the EEA rather than being stored in the US.
    Does Adobe store EEA customers' data within the EEA or is it all stored within the US?

    Everything is stored within the US.
    Randy

  • Private area in CFolders

    Hi all,
    We are implementing Bidding with cFolders. We are using the competitive scenario.
    When a new collaboration is created, a public area gets created.
    When does the system create Private area for the bidders. Is there any customizing setting. We are not able to see private areas for the bidders.
    Thanks and Rgds
    Venkat

    When the bidders try to submit a bid, then the system will create a private folder for them.
    Regards
    Kathirvel

  • When syncing my phone the different categories that things are saved under appears at the bottom of the screen. what is "other"?

    I only have 8G's of memory on my phone so I'm trying to weed out everything I don't need on it but I can't figure out what is being saved in the "other" category. Does anyone have any ideas?

    Hello dernd1,
    Thanks for using Apple Support Communities.
    I see you're wondering what the different categories of storage are when viewing your iPhone in iTunes, specifically "Other."  Below you can find out what those categories encapsulate.
    When you connect your device and select it in iTunes, you'll see your usage by content type:
    Audio: Songs, audio podcasts, audiobooks, voice memos, and ringtones
    Video: Movies, music videos, and TV shows
    Photos: Camera Roll contents, Photo Stream, and Photo Library
    Apps: Installed apps
    Books: iBooks books and PDF files
    Documents & Data: App content such as contacts, calendars, messages, emails, and their attachments, Safari Offline Reading List, and files that you've created in your apps
    Other: Settings, Siri voices, and other system data
    Hover your mouse over the content type for more information about usage.
    See how much storage you've used on your iPhone, iPad, and iPod touch - Apple Support
    Have a good one,
    Alex H.

  • How to get the screen groups for the screen field which are on selectionscn

    hiiii Experts,
                   How to know the screen groups for the screen field which are on selection screen.
    Thanks and regards,
    kasyap

         NAME                                             PNPABKRS-LOW
            GROUP1                                             SEL
            GROUP2                                             DBS
            GROUP3                                             LOW
            GROUP4                                             180
    to get this use this:
    AT SELECTION-SCREEN OUTPUT.
      LOOP AT SCREEN.
        if screen-name CS 'ABKRS'.
          BREAK-POINT.
        endif.
      ENDLOOP.

  • I have a A4 document (569 pages) and within that A4 there are few A3's. Is there a way to isolate the A3's or find out what page numbers are A3's instead of scrolling through all the 569 pages???

    I have a A4 document (569 pages) and within that A4 there are few A3's. Is there a way to isolate the A3's or find out what page numbers are A3's instead of scrolling through all the 569 pages???

    thank you for the info... however I'm done buying pdf readers.... I've got three now, that should suffice.
    I don't think there's a problem such as you mentioned because the pages are all similar : text and drawings. Some of the pages with drawings work, other similar pages don't.
    I converted with Calibre to epub format and this seems to work !!!
    So good so far...
    Now I need to find a conversion to pdf to allow me to use goodreader or iannotate.
    Basically... the text is ok, because a conversion allows reading. So a shortcoming by Apple in my opinion. Again, all pdf's should be readable on such an expensive tool !!!

Maybe you are looking for

  • Simultanious access to DB file by several applications

    I currently have Python application that deals with DBD XML database. That application is being used 2 ways: 1. Apache + mod_python + Python application 2. wxPython or console + Python application Web access is for read-only, so I don't really want t

  • Purchse Order Qty Increase

    Hi I am using SAP B1 2007B Version.  I have created  purchase order. in the purchase order e.g Row 1 Item Qty 100 & Row 2 Item Qty-100. We have received row 1 item qty 100 & make the grpo. Now in Purchse order row 1 is closed . I want to amend/ Incre

  • Need help For report RSVTPROT

    Hello all, there is a standard report <b>RSVTPROT</b> which i need to convert into an ALV only for table <b>T000</b>.i am working on <b>release 4.7</b> in which <b>ALV display</b> is not possible but for <b>ECC6.0</b> SAP provided ALV option.but also

  • How to create new themes in adobe flex projects

    How to create new themes in adobe flex projects 

  • CF6.1 and CF8

    Can these two co-exist on the same server? if so are there any tips & tricks to keep in mind to prevent any issues. Both would be configured in a multi-instance setup Thanks, Daniel