Multiple layouts - each patch a different layout

Hello,
I am looking for a way to change the layout for each patch individually, instead of just having one layout per concert. I'm working on a one man show, so let's say for one song I am singing, so I want lots of parameters for the voice plugins. On the next song I'm playing keyboard, so I want to have a new layout to play around with the synths. Obviously it's too much knobs to squeeze into one layout, it will be a mess.
The problem is, if I add or remove any object in any one patch, it affects all the other patches as well. But I don't want that. How to solve that?
Thanks allot for any input!
sean

you can not have different layouts in a single concert file, BUT, you can have many concert files with a different layout using same presets.
On any Concert, you can drag a Patch or Set out to the finder's desktop, so it is copied there as a collection of control items with NO LAYOUT. similarly, you can drag it back to the patch/set bin and have that patch restored again under the current layout.
Having said that, you could design a MAIN layout to cover all your needs, set all your patches, and then dragging them all to a finder's folder to have them as individual items.
Then modify your layout as you please and save it under a different name (ex. SOLO LAYOUT, TWO PERF LAYOUT, etc...). You can turn some controls into other kinds, say, a radio button into a slider, change colors, size, placement..but be aware to not ERASE any item to keep the order they were created so it will correspond when loading a patch. If there is an item you do not need, just make it small and place where it does not disturb you.
you can even set different midi input mapping to control the screen items.
Once this is done, you can drag your patch items from the finder to this concert file and everything should work the same under the new layout appearance.
I use this method when I change between different MIDI controllers on stage, to have a screen look similar to my hardware.
Hope it helps.
valgreen

Similar Messages

  • How do we print multiple components each in a different page?

    hello
    I would like to print multiple JPanels (lets say an array) each in a different page.
    The question I ask is about the following code
             printerJob.setPrintable(printTable.getInstance(), pageFormat);
                  try
                        if (printerJob.printDialog())
                             printerJob.print();
                        }

    Lets say that we have the following code. How do we modify it?
    * This example is from the book "Java Foundation Classes in a Nutshell".
    * Written by David Flanagan. Copyright (c) 1999 by O'Reilly & Associates. 
    * You may distribute this source code for non-commercial purposes only.
    * You may study, modify, and use this example for any purpose, as long as
    * this notice is retained.  Note that this example is provided "as is",
    * WITHOUT WARRANTY of any kind either expressed or implied.
    import java.awt.*;
    import java.awt.print.*;
    import java.io.*;
    import java.util.Vector;
    public class PageableText implements Pageable, Printable {
      // Constants for font name, size, style and line spacing
      public static String FONTFAMILY = "Monospaced";
      public static int FONTSIZE = 10;
      public static int FONTSTYLE = Font.PLAIN;
      public static float LINESPACEFACTOR = 1.1f;
      PageFormat format;   // The page size, margins, and orientation
      Vector lines;        // The text to be printed, broken into lines
      Font font;           // The font to print with
      int linespacing;     // How much space between lines
      int linesPerPage;    // How many lines fit on a page
      int numPages;        // How many pages required to print all lines
      int baseline = -1;   // The baseline position of the font.
      /** Create a PageableText object for a string of text */
      public PageableText(String text, PageFormat format) throws IOException {
        this(new StringReader(text), format);
      /** Create a PageableText object for a file of text */
      public PageableText(File file, PageFormat format) throws IOException {
        this(new FileReader(file), format);
      /** Create a PageableText object for a stream of text */
      public PageableText(Reader stream, PageFormat format) throws IOException {
        this.format = format;
        // First, read all the text, breaking it into lines.
        // This code ignores tabs, and does not wrap long lines.
        BufferedReader in = new BufferedReader(stream);
        lines = new Vector();
        String line;
        while((line = in.readLine()) != null)
          lines.addElement(line);
        // Create the font we will use, and compute spacing between lines
        font = new Font(FONTFAMILY, FONTSTYLE, FONTSIZE);
        linespacing = (int) (FONTSIZE * LINESPACEFACTOR);
        // Figure out how many lines per page, and how many pages
        linesPerPage = (int)Math.floor(format.getImageableHeight()/linespacing);
        numPages = (lines.size()-1)/linesPerPage + 1;
      // These are the methods of the Pageable interface.
      // Note that the getPrintable() method returns this object, which means
      // that this class must also implement the Printable interface.
      public int getNumberOfPages() { return numPages; }
      public PageFormat getPageFormat(int pagenum) { return format; }
      public Printable getPrintable(int pagenum) { return this; }
       * This is the print() method of the Printable interface.
       * It does most of the printing work.
      public int print(Graphics g, PageFormat format, int pagenum) {
        // Tell the PrinterJob if the page number is not a legal one.
        if ((pagenum < 0) | (pagenum >= numPages))
          return NO_SUCH_PAGE;
        // First time we're called, figure out the baseline for our font.
        // We couldn't do this earlier because we needed a Graphics object
        if (baseline == -1) {
          FontMetrics fm = g.getFontMetrics(font);
          baseline = fm.getAscent();
        // Clear the background to white.  This shouldn't be necessary, but is
        // required on some systems to workaround an implementation bug
        g.setColor(Color.white);
        g.fillRect((int)format.getImageableX(), (int)format.getImageableY(),
                   (int)format.getImageableWidth(),
                   (int)format.getImageableHeight());
        // Set the font and the color we will be drawing with.
        // Note that you cannot assume that black is the default color!
        g.setFont(font);
        g.setColor(Color.black);
        // Figure out which lines of text we will print on this page
        int startLine = pagenum * linesPerPage;
        int endLine = startLine + linesPerPage - 1;
        if (endLine >= lines.size())
          endLine = lines.size()-1;
        // Compute the position on the page of the first line.
        int x0 = (int) format.getImageableX();
        int y0 = (int) format.getImageableY() + baseline;
        // Loop through the lines, drawing them all to the page.
        for(int i=startLine; i <= endLine; i++) {
          // Get the line
          String line = (String)lines.elementAt(i);
          // Draw the line.
          // We use the integer version of drawString(), not the Java 2D
          // version that uses floating-point coordinates. A bug in early
          // Java2 implementations prevents the Java 2D version from working.
          if (line.length() > 0)
            g.drawString(line, x0, y0);
          // Move down the page for the next line.
          y0 += linespacing; 
        // Tell the PrinterJob that we successfully printed the page.
        return PAGE_EXISTS;
       * This is a test program that demonstrates the use of PageableText
      public static void main(String[] args) throws IOException, PrinterException {
        // Get the PrinterJob object that coordinates everything
        PrinterJob job = PrinterJob.getPrinterJob();
        // Get the default page format, then ask the user to customize it.
        PageFormat format = job.pageDialog(job.defaultPage());
        // Create PageableText object, and tell the PrinterJob about it
        job.setPageable(new PageableText(new File("file.txt"), format));
        // Ask the user to select a printer, etc., and if not canceled, print!
        if (job.printDialog())
             job.print();
    }thank you in advance

  • Is there an app or service that will allow me to monitor / find / lock / wipe multiple Ipads each with a different Apple ID?

    We have started to provide IPads to some of our employees.  They will use their own Apple accounts for purchases, but we would like to be able to have Icloud type access in case of an emergency.  For example, we use Prey for our android phones.

    I suggest checking out MobileIron.  It is a very nice MDM deployment.  The VSP and Sentry appliances are very easy to configure and manage.  Deployment of iOS, Android, Blackberry, Win and Sybian devices is very streamlined nd straight forward.  You can deploy in-house apps, control app settings and policies, deploy security and activesync policies and control all aspects you asked about, remote wipe, lock, block, locate, etc.

  • Multiple layouts per portal

    i would like to create a look and feel like amazon.com(and many other sites) with tabs and each tab having different layout.
    since a portal can only have one layout per group, how can this be done.
    i was thinking of having multiple portals and then switch the user to different portals depending on the tab clicked.
    but that is clumsy with all that session information transfering and admin setup.
    i saw in you api that there is something called a category and that you can get a layout using a category as an argument.
    is there going to be native support for multiple layouts per portal? if so, when, next release?

    Hi Thomas,
    you have several options with the portal standard:
    1.) If the user only has one role assigned at a time you can attach the portal layout to the roles. So depending on the role the user has he sees the respective layout - BUT: how to asign the two roles to the user!? This can only be done by admins and I assume that it is no intended to call the admins every time the user needs the other role?
    2.) The entry to the portal is realized with different urls like http://yourportal.com/VIEW1 and http://yourportal.com/VIEW2.
    VIEW1 and VIEW2 are so called portal aliases and you can attach the different layouts to those aliases.
    BUT: the two roles have nothing to do with the aliases so you still have the problem of role assignment.
    3.) Each person gets two users with each user assigned to one role and one layout assigned to the user or group or role...
    Anyhow: I would ask the people who brought up the idea of two different layouts - WHY?? A portal is ONE single point of entry for EVERY application and information a user needs. So why two different layouts? And what, if five others are coming each bringing their own layouts, too?
    4.) If you really want to have different layouts each time a different top-level navigation point is active you have to program your own portal component. That would fit your needs but is besides standard.
    Hth,
    Michael

  • Spool - Single Spool for multiple layouts

    Hi Experts,
    I am writing a Sap SCRIPT print program for multiple number of customers with different layouts. But i am getting seperate spools for different customers. There fore i need to print out all customers in a single spool.
    Can some one help me how to do this?
    Thanks
    Dany

    Hi,
    DO not call the OPEN_FORM FM multiple times for each layout.
    This should solve the problem bcz OPEN_FORM has an import parameter OPTIONS which has a NEW SPOOL field, which would be set everytime you call it.
    Best regards,
    Prashant

  • Portal with multiple layout !!!

    Hi,
    I've seen a lot of questions in this Newsgroup regarding the development of a
    portal containing multiple layouts, but no clear answers was given.
    If the only way to develop a portal with multiple layout is to not use the portal
    framework, please could you give me a detailed approach how to do it (maybe there
    is Howto document somewhere ...) !
    Thanks for your help, I'm stuck and unfortunately not very familiar with the product.
    /Julien

    Thanks Phil,
    OK, then could you explain me how to build a simple portal without the portal/portlet
    facilities, but taking advantage of the personnalization tags available.
    - e.g. Which APPLICATION_INI I need to setup ?
    I appreciate your help
    /Julien
    "Phil" <[email protected]> wrote:
    >
    Julien - BEA's next portal release (version 4.0) will
    have complete support for a variety of different
    layout templates. There will be a selection of layouts
    out-of-the-box as well as the ability to provide your
    own custom layout. Also, "tabs" will be added to the
    portal and each tab may use a different layout template.
    Version 4.0 is scheduled for Fall 2001.
    With previous versions of the portal product, you will
    need to edit/customize portalcontent.jsp and the jsp's
    it calls. The layout Html is spread through them, so it
    is not a fun excercise.
    -Phil
    "Julien GATTONI" <[email protected]> wrote:
    Hi,
    I've seen a lot of questions in this Newsgroup regarding the development
    of a
    portal containing multiple layouts, but no clear answers was given.
    If the only way to develop a portal with multiple layout is to not use
    the portal
    framework, please could you give me a detailed approach how to do it
    (maybe there
    is Howto document somewhere ...) !
    Thanks for your help, I'm stuck and unfortunately not very familiarwith
    the product.
    /Julien

  • Multiple layouts for the same user in the same portal

    Hello.
    I have a challenge.
    Currently there is a portal (6.40) running as a frontend for an application. So the portal is used for only this purpose. The content is a changed masthead and a number of WebDynpros and UWL's all accessing the same backend.
    Now there is a wish to use the same portal to execute a transaction iView for the same backend. Simple. BUT when a user uses the portal for the product he/she shall not see the transaction iView and also when the user sees the transaction iView, the WDs and UWL's should not be shown in the navigation. And also the masthead should be different on the two views.
    Putting in another portal is not anoption, this should be done on the same portal. The way I expect it to work is by accessing the same portal og two different URL's.
    Companies cannot be used since some of the users should be able to access poth views.
    I know that in a prefect world it would simply be a matter of creating two different roles and assign them as needed and if the user has both roles hen they would both be available in the navigation. But to the user the portal should look like different portals.
    Any suggestions on how to achieve this functionality?
    Br,
    Thomas Mouritsen

    Hi Thomas,
    you have several options with the portal standard:
    1.) If the user only has one role assigned at a time you can attach the portal layout to the roles. So depending on the role the user has he sees the respective layout - BUT: how to asign the two roles to the user!? This can only be done by admins and I assume that it is no intended to call the admins every time the user needs the other role?
    2.) The entry to the portal is realized with different urls like http://yourportal.com/VIEW1 and http://yourportal.com/VIEW2.
    VIEW1 and VIEW2 are so called portal aliases and you can attach the different layouts to those aliases.
    BUT: the two roles have nothing to do with the aliases so you still have the problem of role assignment.
    3.) Each person gets two users with each user assigned to one role and one layout assigned to the user or group or role...
    Anyhow: I would ask the people who brought up the idea of two different layouts - WHY?? A portal is ONE single point of entry for EVERY application and information a user needs. So why two different layouts? And what, if five others are coming each bringing their own layouts, too?
    4.) If you really want to have different layouts each time a different top-level navigation point is active you have to program your own portal component. That would fit your needs but is besides standard.
    Hth,
    Michael

  • Multiple Layouts in a single JFrame

    Hi,
    Is it possible to have multiple layouts in a single JFrame ? What I need to do is that I need to have following components in a SINGLE content pane of a JFrame:-
    A) 2 Labels
    B) 1 Button
    C) 1 4x4 Grid of buttons
    Now implement (C) I need to use GridLayout for nide grid like looks like
    mContentPane.setLayout(new GridLayout(4,4));
    But (A) and (B) obviously shouldn't be part of Grid. So I assume I need to use different layout in the same content pane. Any idea how can I accomplish this ?
    Thanks

    import java.awt.*;
    import javax.swing.*;
    class Testing extends JFrame
      public Testing()
        setLocation(400,300);
        setDefaultCloseOperation(EXIT_ON_CLOSE);
        JPanel main = new JPanel(new BorderLayout());
        JPanel top = new JPanel(new GridLayout(4,4));
        for(int x = 0; x < 16; x++) top.add(new JButton(""+(x+1)));
        JPanel bottom = new JPanel();
        bottom.add(new JLabel("JLabel 1"));
        bottom.add(new JButton("JButton"));
        bottom.add(new JLabel("JLabel 2"));
        main.add(top,BorderLayout.CENTER);
        main.add(bottom,BorderLayout.SOUTH);
        getContentPane().add(main);
        pack();
      public static void main(String[] args){new Testing().setVisible(true);}
    }

  • Multiple Layout in report

    Hi
    I am creating a report with multiple layout ( to be executed as concurrent request from Apps) with following 3 layouts.
    1.Group Above
    2.Group Above with Matrix
    3.Group Above
    Reports are based on Global Temporary tables which are populated in Before Report Trigger. Data is populated successfully. When only one Layout exists , it displays data as expected. But when I am adding second layout it is displaying blank report. Are there any properties that need to be set like Base Printing on , Anchor, Print Object on in case of such scneario.I have tried setting this properties with different combinations but same result.
    Would appreciate any inputs from you guys.
    Thanks
    Yogesh

    hello,
    check if you experience the same behaviour if you report of a regular table (not a global temporary one).
    in general you should see what you want, exactly the way you did it.
    regards,
    ph.

  • Report multiple layout

    hi all,
    i just want to know how to create multiple layout.
    based on the parameter selected i should run the particular layout.
    how to do it.
    any one help
    regards
    Rajesh

    Hi Rajesh,
    create your 2 layouts in the same report und surround each of the two layouts with a frame. Connect the upper left edges of the frames with an anchor, which has the properties collapsing activated. The write for layout/frame 1 a format-trigger:
    IF :param_layout = 'A' then RETURN TRUE; ELSE RETURN FALSE; END IF;
    and for layout/frame 2 a format trigger
    IF :param_layout = 'B' then RETURN TRUE; ELSE RETURN FALSE; END IF;
    So only one of the layouts is used and Layout 2 is because of the collabsing anchor at the same position as Layout 1
    Regards
    Rainer

  • Multiple sections, each section different first/next page headers

    Hi,
    Ï'm developing a PO (purchase order)-document.
    This document has 2 sections.
    First sections contains PO-documents. Second section contains PO-copies.
    First section has different header for first page and next pages for each seperate PO. So multiple PO's are printed and page 1 of each PO has different header than page 2 of same PO. This works fine.
    For the copies I added a new section which is basically the same as the first except the fact that the first page and next page headers for the PO-copies contain the word "DUPLICAAT".
    Section 1 still works fine.
    However in section 2 all pages of each PO, including the first page, get the next-page header. The first page of a PO in section 2 does NOT get the different first page header.
    Just to get it working I created a very simple rtf with 2 sections and 2 pages for each section. For each section I appointed a different header for the first page and the second page. The rtf contains only fixed text, no xml-tags. In MS-Word the rtf-template looks fine, each page has the expected header. I loaded any XML-file and viewed the PDF-output. Result: first page of section 2 has the next-page header for section 2 instead of the first-page header.
    Is this a bug or am I doing things in the wrong way ?
    I can upload the testing template if necessary.
    Thanks in advance,
    Jan Blok

    Any suggestions, anyone ?

  • HT204364 how do I order multiple card or postcard with different images each one in same order?

    how do I order multiple card or postcard with different images each one in same order?
    I keep paying separate shipping cost for each different photo

    That is not an option - with the exeption of photo prints you can only identical items on one order
    LN

  • Running multiple java apps simultaneously, each using a different jre.

    I have a situation where I have 3 or 4 applications (and one applet) that were built over time, each with a different version of the jdk (ranging from 1.2.2.005 to 1.3.2). I need to know of a way (and it must exist) to run each of these applications on the same machine, and at runtime, have each application (or applet) run with its respective version of the jre. Certainly, one could change some source code and make all programs compatible with a particular jre, but that doesn't solve my problem if a new app is built with a new version of the jdk down the road. Currently, each runs fine by themselves, but if I try to run them together as different processes, some won't do anything because the default jre may not be what it needs. Would the Java Plug-in software have a role to play in this? Is there a way to specify (link) which application should use which jre?
    P.S. These applications (right now) don't have to interact or interface in any way. I just need to have them all running as separate processes on the same machine and be able to jump from one to the other.

    However ... if you have the programs running in Java1.x, I
    wouldn't recommend to let it run under Java 1.y; atleast
    not without thorough testing.I do it all the time and have not had a problem. I'm
    currently using JDK 1.4 beta 3 and I regularly run a
    Java application written with JDK 1.1.
    It sounds like the programs you are running are
    relying on behavior that is not guaranteed. If that
    behavior changes in a later version, it can break your
    program. Program to the contracts provided by other
    classes and packages, and you should have few or no
    problems.I guess you are right. Maybe you can help me with the following problem (this is off this topic, I know): I have Swing JDK 1.2 and Swing from JDK 1.3. I have to register keys on components.
    In JDK 1.2 I can use registerKeyBoardAction, in JDK 1.3 I have to use input maps and action maps. Both solutions only work with certain JDK. What I did was writing code which detects the java version and takes the appropriate action to register the keys. To make the thing compile in 1.2, I have to use reflection for the input/action map methods, because they are only available in 1.3.
    Any idea how to solve this more elegantly ?

  • Can I attach two scanners each having a different twain drivers

    Can I attach two scanners each having a different twain drivers?
    I have a brothers all in one printer (scan print fax) it has a twain driver for the scan.
    I want to add a slide scanner to my system, it requires a different twain driver.
    Ia thi a problem? I i have a problem how do i remove one or both twain drivers?

    Two links may help
    In Brother website there is a link describing how to remove drivers.  The example shows multiple drivers, multiple vendors
    http://www.brother-usa.com/FAQs/Solution.aspx?FAQID=200000032625&ProductID=MFC44 20C&Keyword=#.VHNPbIuWXoY
    The second link from Brother shows their supported Yosemite products
    http://support.brother.com/g/s/id/os/macintosh.html

  • Multiple discounts are given at different levels of sales cycle

    I have a requirement,
    Multiple discounts are given at different levels of sales cycle(like opportunity, quotation etc), interlinked with document flows.
    It must be assured that all the matchings must be taken into accounts and are displayed underneath each other.
    ex:
    discount simple : 15%
    discount simple : 12%
    special discount : 10%
    Is it a standard functionality in SAP CRM or should we do enhancement to cope the functionality, if it is an enhancement any idea how to do that.
    Regards,
    Venki

    For quick assistance post testable script.
    Tree processing examples using recursive CTE:
    http://www.sqlusa.com/bestpractices2005/organizationalchart/
    Kalman Toth Database & OLAP Architect
    Free T-SQL Scripts
    New Book / Kindle: Exam 70-461 Bootcamp: Querying Microsoft SQL Server 2012

Maybe you are looking for

  • Song names imported as "artist - track name" instead of "track name"

    When I add a folder to my library (a folder which contains MP3 files which all contain complete ID3 tags), about 50% of the song names get imported as "artist - track name" instead of just "track name". If I click on any track which was imported like

  • One Sold to party and many ship to party and many BP&PY

    Dear Experts, Please help me to resolve the issue: Issue is; I made three accounts. Z001: acc for SP Z002: acc for SH Z004: acc for BP Now what i have done, My BP and my PY are same but one sold to party which is not my BP&PY & many ship to party. No

  • Backup while database are running in replication mode

    We have to devise the stratgey for backup and restore of database which are involed into repliation e.g. master database and snapshot database

  • How do I submit my photo for my podcast page?

    I already submitted my podcast and it was accepted by iTunes. At the time, I didn't have a photo to put up so I skipped that part (thinking I could do it later). Now I can't figure out how to get an image up, and it's all ready (600x600 px). I also d

  • Firefox is not displaying some fonts

    Since I upgraded my mac to the new imac and to OS 10.6 I have been having problems with fonts on Firefox. Most of them do not display. In fact, I am sending this message on Safari because Firefox only showed the login, not the ask new question page.