JPanel not sharing components

Hi,
I am creating a number of components(JLabel,JTextField) and using them in 2 different JPanel. But, as soon as I try to make the JPanels share the same components(sharedLabel), only the last JPanel gets the shared component. Why there is no sharing?
relevant code:
     JLabel sharedLabel = new JLabel("Model:")
     addUsedCarPanel = new JPanel();
     addUsedCarPanel.add(sharedLabel);
     addNewCarPanel = new JPanel();
     addNewCarPanel.add(sharedLabel);
I will appreciate your reply.
     

Hello,
you can't share components the way you try. Swing's gui components are ordered hierachically in a tree like manner. Any swing component has an unique parent component.
In your case you must actually create two labels with the same text and add them to your two panels.
However what is actually possible is model sharing. I.e. two different JTables can show the same data (data from the same model).

Similar Messages

  • JPanel not displaying components

    i am working on a simple html renderer- at the moment all i am trying to do is to add JTextPane components to two different JPanels (search and content). I can add the text panes to the search bar, however none of the components are displayed in the content panel. I get no compile time errors, im really at a loss as to what the problem could be.
    this is the code im using-
    public class Demo extends JFrame
        private JPanel search, content;
        private JSplitPane splitPane;
        //private ArrayList<JTextPane> textCollection;
        //private ArrayList<JTextPane> preCollection;
        //specifies the universal font size the content JPanel
        private final int fontSize = 18;
        //specifies the universal font size for the search JPanel
        private final int searchFontSize = 9;
        /** Creates a new instance of Main */
        public Demo()
          this.setTitle("DEMO!");
          this.setDefaultCloseOperation(EXIT_ON_CLOSE);
          //sets default size
          this.setSize(500, 500);
          //init panel controls- these will hold all rendered controls
          search = new JPanel();
          //use BoxLayout to ensure controls are positioned correctly
          search.setLayout(new BoxLayout(search, BoxLayout.Y_AXIS));
          search.setBackground(Color.white);
          content = new JPanel();
          content.setLayout(new BoxLayout(content, BoxLayout.Y_AXIS));
          content.setBackground(Color.white);
          //init JScrollPanes for both containers- allows for scrolling content of unlimited width/length
          JScrollPane contentScroller = new JScrollPane(content);
          JScrollPane searchScroller = new JScrollPane(search);
          //create a split pane container to contain both scroll panes
          splitPane = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT, searchScroller, contentScroller);
          //search bar recieves 25% of screen size
          splitPane.setDividerLocation(this.getWidth() / 4);
          this.getContentPane().add(splitPane);
          //show controls
          this.setVisible(true);
        * Creates a new text component- text contained will be line wrapped as the user resizes the JFrame
        public void newText(String text)
          //init properites of new JTextPane
          JTextPane tp = newTextPane(text);
          tp.setBackground(Color.blue);
          //line wrap add to content panel
          tp.setFont(new Font("Times New Roman", Font.PLAIN, fontSize));
          tp = getLines(tp, this.getWidth() - splitPane.getDividerLocation());
          content.add(tp);
          //resize text for search panel, line wrap and add to search panel
          tp.setFont(new Font("Times New Roman", Font.PLAIN, searchFontSize));
          tp = getLines(tp, splitPane.getDividerLocation());
          search.add(tp);
        * Creates a new preformated text component- this will not be line wrapped
        public void newPre(String preformattedContent)
            JTextPane tp = newTextPane(preformattedContent);
            tp.setBackground(Color.red);
            //add to content panel
            tp.setFont(new Font("Courier New", Font.PLAIN, fontSize));
            content.add(tp);
            //resize text for search panel and add to search panel
            tp.setFont(new Font("Courier New", Font.PLAIN, searchFontSize));
            search.add(tp);
        * Small method that init's a JTextPane component with common properites used by the newText/Pre methods
        private JTextPane newTextPane(String s)
          JTextPane tp = new JTextPane();
          //set text
          tp.setText(s);
          //may not be editied
          tp.setEditable(false);
          //align correctly
          tp.setAlignmentY(Component.TOP_ALIGNMENT);
          tp.setAlignmentX(Component.LEFT_ALIGNMENT);
          //set maximum size to preferred size, this makes sure the JTextComponent will not "stretch" when the JFrame is resized drastically
          tp.setMaximumSize(tp.getPreferredSize());
          return tp;
        * Sets the appropriate preferred height & width of a given JTextPanel, essentially word wrapping any text contained within
        private JTextPane getLines(JTextPane tp, int paneSize)
          //get preferred size of the text panel - this is the smallest size the text panel may be and still visibly display its text content
          Dimension d = tp.getPreferredSize();
          double prefWidth = d.getWidth();
          double prefHeight = d.getHeight();
          //factor will determine if line wrapping is required
          double factor = prefWidth / (double) paneSize;
          //if factor is greater than 1, the preferred width is greater than the size available in the pane
          if (factor >= 1){
            //set width so that it matches the size available on the screen
            d.setSize((double) this.getWidth() - paneSize, factor * prefHeight);
            tp.setMaximumSize(d);
            tp.setPreferredSize(d);
          //else- do nothing! resizing is not required
          return tp;
         * @param args the command line arguments
        public static void main(String[] args)
          Demo d = new Demo();
          d.newText("this is some content ooh look content i hope this is long enough to test the wrapp esfsdfsdf sdf sdfsdfsd fsdf sdfsdfsdfd sfsdf sdfsdxf sdf sdf sdfsd fsd fsdf ing");
          d.newPre("a     pre          formatted           lump of    =  text! !  !");
        public void paint(Graphics g)
            super.paint(g);
            System.out.println("update called");
            //preferred.setSize(this.getWidth() - (this.getWidth() / 4), this.getHeight());
            //max.setSize(this.getWidth(), this.getHeight());
    }

    Do you need to keep adding JTextPane's to the content and search panes or do you just need to append text to the existing panes?
    If the later, you may want to create the JTextPanes in the constructor and use a set method to append/edit/remove text. As follows:
    import javax.swing.*;
    import java.awt.*;
    public class Demo extends JFrame
        private JPanel search, content;
        private JSplitPane splitPane;
        private JTextPane contentTextPane;
        private  JTextPane searchTextPane;
        //private ArrayList<JTextPane> textCollection;
        //private ArrayList<JTextPane> preCollection;
        //specifies the universal font size the content JPanel
        private final int fontSize = 18;
        //specifies the universal font size for the search JPanel
        private final int searchFontSize = 9;
        /** Creates a new instance of Main */
        public Demo()
          this.setTitle("DEMO!");
          this.setDefaultCloseOperation(EXIT_ON_CLOSE);
          //sets default size
          this.setSize(500, 500);
          //init panel controls- these will hold all rendered controls
          search = new JPanel();
          //use BoxLayout to ensure controls are positioned correctly
          search.setLayout(new BoxLayout(search, BoxLayout.Y_AXIS));
          search.setBackground(Color.white);
          content = new JPanel();
          content.setLayout(new BoxLayout(content, BoxLayout.Y_AXIS));
          content.setBackground(Color.white);
          //init JScrollPanes for both containers- allows for scrolling content of unlimited width/length
          JScrollPane contentScroller = new JScrollPane(content);
          JScrollPane searchScroller = new JScrollPane(search);
          //create a split pane container to contain both scroll panes
          splitPane = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT, searchScroller, contentScroller);
          //search bar recieves 25% of screen size
          splitPane.setDividerLocation(this.getWidth() / 4);
          /*add the textpanes to the JPanels*/
          contentTextPane = new JTextPane();
          content.add(contentTextPane);
          searchTextPane = new JTextPane();
          search.add(searchTextPane);
          this.getContentPane().add(splitPane);
          //show controls
          this.setVisible(true);
        * Creates a new text component- text contained will be line wrapped as the user resizes the JFrame
        public void newText(String text)
          //init properites of new JTextPane
          JTextPane tp = newTextPane(text);
          tp.setBackground(Color.blue);
          //line wrap add to content panel
          tp.setFont(new Font("Times New Roman", Font.PLAIN, fontSize));
          tp = getLines(tp, this.getWidth() - splitPane.getDividerLocation());
          content.add(tp);
          //resize text for search panel, line wrap and add to search panel
          tp.setFont(new Font("Times New Roman", Font.PLAIN, searchFontSize));
          tp = getLines(tp, splitPane.getDividerLocation());
          search.add(tp);
        public void addToContent(String text){
             contentTextPane.setText(text);
        * Creates a new preformated text component- this will not be line wrapped
        public void newPre(String preformattedContent)
            JTextPane tp = newTextPane(preformattedContent);
            tp.setBackground(Color.red);
            //add to content panel
            tp.setFont(new Font("Courier New", Font.PLAIN, fontSize));
            content.add(tp);
            //resize text for search panel and add to search panel
            tp.setFont(new Font("Courier New", Font.PLAIN, searchFontSize));
            search.add(tp);
        * Small method that init's a JTextPane component with common properites used by the newText/Pre methods
        private JTextPane newTextPane(String s)
          JTextPane tp = new JTextPane();
          //set text
          tp.setText(s);
          //may not be editied
          tp.setEditable(false);
          //align correctly
          tp.setAlignmentY(Component.TOP_ALIGNMENT);
          tp.setAlignmentX(Component.LEFT_ALIGNMENT);
          //set maximum size to preferred size, this makes sure the JTextComponent will not "stretch" when the JFrame is resized drastically
          tp.setMaximumSize(tp.getPreferredSize());
          return tp;
        * Sets the appropriate preferred height & width of a given JTextPanel, essentially word wrapping any text contained within
        private JTextPane getLines(JTextPane tp, int paneSize)
          //get preferred size of the text panel - this is the smallest size the text panel may be and still visibly display its text content
          Dimension d = tp.getPreferredSize();
          double prefWidth = d.getWidth();
          double prefHeight = d.getHeight();
          //factor will determine if line wrapping is required
          double factor = prefWidth / (double) paneSize;
          //if factor is greater than 1, the preferred width is greater than the size available in the pane
          if (factor >= 1){
            //set width so that it matches the size available on the screen
            d.setSize((double) this.getWidth() - paneSize, factor * prefHeight);
            tp.setMaximumSize(d);
            tp.setPreferredSize(d);
          //else- do nothing! resizing is not required
          return tp;
         * @param args the command line arguments
        public static void main(String[] args)
          Demo d = new Demo();
          d.newText("this is some content ooh look content i hope this is long enough to test the wrapp esfsdfsdf sdf sdfsdfsd fsdf sdfsdfsdfd sfsdf sdfsdxf sdf sdf sdfsd fsd fsdf ing");
          d.newPre("a     pre          formatted           lump of    =  text! !  !");
          d.addToContent("testing the content panel");
        public void paint(Graphics g)
            super.paint(g);
            System.out.println("update called");
            //preferred.setSize(this.getWidth() - (this.getWidth() / 4), this.getHeight());
            //max.setSize(this.getWidth(), this.getHeight());
    }If this is not the case let me know and Ill take another look. ;-)

  • Images uploaded in Shared Components not displaying

    We recently installed version 4.2.1 on a new dedicated server. The entire setup went through without error.
    The default images found in apex (/i/apex/builder/ etc.) are all visible. But when we upload any image through Shared Components > Images do not show on screen. An entry is available in the report on the Images page but the image itself is blank. The URL of the image is shown as : "+http://hostname:port/apex/wwv_flow_file_mgr.get_file?p_security_group_id=100000&p_flow_id=100&p_fname=Sampleimage.jpg+". The image is available in the wwv_flow_file_objects$ table and can be viewed through the BLOB_CONTENT column. But it is not visible in the front end.
    Is there a solution to this issue?
    Thanks,
    Aniket

    AniketP wrote:
    We recently installed version 4.2.1 on a new dedicated server. The entire setup went through without error.
    The default images found in apex (/i/apex/builder/ etc.) are all visible. But when we upload any image through Shared Components > Images do not show on screen. An entry is available in the report on the Images page but the image itself is blank. The URL of the image is shown as : "+http://hostname:port/apex/wwv_flow_file_mgr.get_file?p_security_group_id=100000&p_flow_id=100&p_fname=Sampleimage.jpg+". The image is available in the wwv_flow_file_objects$ table and can be viewed through the BLOB_CONTENT column. But it is not visible in the front end.Is the image associated with an application (No Application Associated)? If not then consider using the #APP_IMAGES# substitution istring nstead of #WORKSPACE_IMAGES#

  • Non-application specific static files not visible in shared components

    Hello,
    We recently upgraded to APEX 4.0.2.00.07. In the past we have uploaded a number of static files with no specific application linked to them.
    Now, when I search on these files using Shared Components -> Static Files, I don't find them back.
    But, if I directly query the view APEX_WORKSPACE_FILES (using the APEX schema owner), I see all the files. They have APPLICATION_ID = 0 and APPLICATION_NAME is empty.
    Is this a bug? I couldn't reproduce this with newly added static files, whether I specify an application or not.
    Matthias
    Edited by: mhoys on Mar 1, 2011 11:40 AM

    Owen:
    Excellent idea/perspective...I did not think of that.  Each of our forms/screens has a seperate class file.  Each class file has a CreateForm() routine that is called when an instance of the class is intiated behind the menu selection. 
    Here is a block of code In Main.vb I use to execute a menu selection:
    Case "MPA"
      '8/30/07 EJD - Work Order Parameters Screen
       If GetFormCount(G_MPAMaint_Form_Type).ToString = "0" Then
               Dim MPAForm As New MPA
               BubbleEvent = False
        Else
               UpdateStatus("Another MPA maintenance screen is already open", SAPbouiCOM.BoStatusBarMessageType.smt_Error)
               BubbleEvent = False
        End If
    So, I can utilize this code in the case statement where I was doing the ActivateMenu if I hear you right.  Now, can you help me with how I would pass the
    variables instead of making them Public Shared in the Main class?  Or is it ok to expose them that way?
    I Appreciate the help,
    Ed

  • Shared Components Images Create Image does not work

    I am using oracle XE on Windows XP.
    Uploading an image for an application does not work.
    Home>Application Builder>Application 105>Shared Components>Images>Create Image
    It goes wrong when I try to upload the image:
    - Iexplorer gives an error 404 after pressing the Upload button.
    - Firefox just gives an empty page.
    When I try to refresh the resulting page (do another post) I get the following error:
    Expecting p_company or wwv_flow_company cookie to contain security group id of application owner.
    Error ERR-7621 Could not determine workspace for application (:) on application accept.

    Hi Dietmar,
    After setting the language to English (USA) [en-us] it works for +- 50 % of the uploads.
    Below is my tracefile.
    Dump file e:\oraclexe\app\oracle\admin\xe\bdump\xe_s001_2340.trc
    Wed Nov 23 19:03:17 2005
    ORACLE V10.2.0.1.0 - Beta vsnsta=1
    vsnsql=14 vsnxtr=3
    Oracle Database 10g Express Edition Release 10.2.0.1.0 - Beta
    Windows XP Version V5.1 Service Pack 2
    CPU : 2 - type 586
    Process Affinity : 0x00000000
    Memory (Avail/Total): Ph:267M/1014M, Ph+PgF:1431M/2444M, VA:1578M/2047M
    Instance name: xe
    Redo thread mounted by this instance: 1
    Oracle process number: 15
    Windows thread id: 2340, image: ORACLE.EXE (S001)
    ------ cut ------
    *** 2005-11-23 19:50:44.718
    *** ACTION NAME:() 2005-11-23 19:50:44.718
    *** MODULE NAME:() 2005-11-23 19:50:44.718
    *** CLIENT ID:() 2005-11-23 19:50:44.718
    *** SESSION ID:(26.18) 2005-11-23 19:50:44.718
    Embedded PL/SQL Gateway: /htmldb/wwv_flow.accept HTTP-404 ORA-01846: not a valid day of the week
    *** SESSION ID:(27.19) 2005-11-23 19:50:51.937
    Embedded PL/SQL Gateway: /htmldb/wwv_flow.accept HTTP-404 ORA-01846: not a valid day of the week
    *** 2005-11-23 19:50:59.078
    *** SERVICE NAME:(SYS$USERS) 2005-11-23 19:50:59.078
    *** SESSION ID:(27.21) 2005-11-23 19:50:59.078
    Embedded PL/SQL Gateway: Unknown attribute 3
    Embedded PL/SQL Gateway: Unknown attribute 3
    Strange error... there is nothing in my form that is related to dates...
    Kind regards,
    Pieter

  • When installing CS3 Design Premium it instals Version Cue server and shared components, but I get the message "Errors: 6 component (s)" and dose not install, Photoshop, Flash, Illustrator, Indesign or Creative Suite Premium

    When installing CS3 Design Premium it instals Version Cue server and shared components, but I get the message "Errors: 6 component (s)" and dose not install, Photoshop, Flash, Illustrator, Indesign or Creative Suite Premium

    Thank you Bturko in the future only migrate/copy/transfer your documents and settings.  Adobe applications especially are not designed to be transferred from one computer to another.  It is possible to recover however.  I would recommend the following steps:
    Run the uninstaller located in Applications/Utilities/Adobe Installers
    Run the CC Cleaner Tool to ensure complete removal - Use the CC Cleaner Tool to solve installation problems | CC, CS3-CS6 - http://helpx.adobe.com/creative-suite/kb/cs5-cleaner-tool-installation-problems.html.
    If you need to download a fresh copy of the installation files they can be downloaded at Download CS3 products.
    Run the installer and reinstall Creative Suite 3.

  • Only installs shared components, not Dreamweaver cs3....

    First... hello! Total newbie!
    Operating system: XP Pro
    I just bought Dreamweaver CS3. I have tried NUMEROUS times
    (for the past 2 days!) to install this on my computer. Every single
    time I get all the shared components, but NEVER dreamweaver CS3.
    Has this happened to anyone else? Have you found a solution? Cause
    honestly, I'm about to throw the computer through the nearest
    window!

    Gwynn1976 wrote:
    > First... hello! Total newbie!
    >
    > Operating system: XP Pro
    >
    > I just bought Dreamweaver CS3. I have tried NUMEROUS
    times (for the past 2
    > days!) to install this on my computer. Every single time
    I get all the shared
    > components, but NEVER dreamweaver CS3. Has this happened
    to anyone else? Have
    > you found a solution? Cause honestly, I'm about to throw
    the computer through
    > the nearest window!
    >
    Are you logged in as administrator? Maybe your account has
    restrictions
    in place?
    Steve

  • Issue with Shared Components - Report Layouts Download

    After my isp provider upgraded from APEX 3.2.1 to 4.0, I am now unable to go into the Shared Components -> Report Layouts section and access an existing report to download my rtf template. Is there another way to go and get this out of the database. I need to update a report layout that is old and I do not have a backup of the original report and do not want to spend the time to recreate.
    Thanks,
    Mark

    If you have TOAD, or if you can install it, by connecting to your database you will be able to access your report layout via the Schema Browser. The whole path should be "All Schemas -> APEX_040000 -> Tables -> WWV_FLOW_REPORT_LAYOUTS". In that table you will find you report layout. Double click on it and copy/paste it into a text editor.
    Note: You might need to be granted some rights to access the 400+ tables of the APEX_040000 schema. Or if you have a DBA, ask him to do this for you.
    Of course, if you don't want to install TOAD, I bet you could query that table from the SQL Commands of the SQL Workshop, but you would again need the rights to access said table.
    Best regards,
    Mathieu

  • How to Clear Cache for an Old Static File in Shared Components

    Hello,
    I am using Apex 4.1.1.00.23, HTTP Server with mod_plsql, and Oracle Database 10.2.0.5.0.
    My situation is as follow:
    I have a CSS static file in the shared components that is used in different applications. I recently modified the CSS file, but the changes are not reflected in my applications.
    I tried clearing the cache of my browsers, deleting the file from shared components and creating a new one with the same name, and nothing is working.
    Using Firebug, I can see that the file used in my pages is the old version of it. Anyone can tell me if the server is caching the file and how can I clear it?
    Thank you for your help,
    Erick

    What kind of document is it (e.g. is this a parsed
    HTML file, or a static file)? have you adjusted your
    cache settings with the nsfc.conf file? have you
    enabled the nsfc report? Are the files stored on NFS
    volumes?
    Regardless, you can force the cache to be flushed by
    enabling the nsfc report, and then accessing the URI
    like so:
    /nsfc?restart
    See the Performance and Tuning Guide:
    http://docs.sun.com/source/817-1836-10/perftune.html#w
    p17232I tried to to do this. Did n't worked. /nsfc?restart is not working for me. I have IPlanet 6.1 Webserver version. Without having any backend server running, I am getting JSPs displayed from cache!! Please help me out.

  • Translate report layouts (Shared Components)

    Hi,
    I create in my application PDF using shared components (Report Queries and Report Layouts) and the BI Publisher. The queries I have deposited in Report Qieries and templates in report layouts. The call is done via the URL (which appears in the report query). Now I have translated my application and see that the titles of my templates are not visible with the xlife file. How can I translate the report layout from the Shared Components.
    Thank you in advance for your support.
    Ines

    Sruthi Tamiri wrote:
    1. Apex version#3.2
    Out of date and unsupported...please consider upgrading.
    2. IE# 6+
    Are you really still trying to support IE6?
    When i clik on that specfic tab which is time causing, in that screen contains
    1. Popup screens
    2. Text items
    3. List items
    We have tried to this option from toad to check which Query is cauisng the problem, but nothing query is running in back end to tarce what could be exact problem
    In toad#9.2 version we have option as Database->Monitor>Session Browser [where we can see which query is running under specfic session]
    To establish exactly where time is being spent, use Debug mode to identify APEX or database issues, and timeline/profiling developer tools in the browser to check for network or JavaScript problems.
    What web server are you using? If you're using EPG check the SHARED_SERVERS configuration.

  • Shared components missing

    I have an application that was apparently created without shared components. Is there a way to import shared components into an existing application? I tried exporting from another app; but apparently none of my applications have shared components.

    Hi,
    >
    I have an application that was apparently created without shared components. Is there a way to import shared components into an existing application? I tried exporting from another app; but apparently none of my applications have shared components.
    >
    It is not mandatory for applications to have shared components, though it is rather unusual as applications generally use Tabs and Lists for navigation and these are shared components.
    If none of your applications have shared components then what is there to export and import? You can create new shared components in the applications as needed.
    Cheers,

  • Importing external images into shared components

    Hi,
    I need to use a UP&DOWN arrow image "GIF" files in one of my portal hierarchy component.
    I could not locate these type of up&down arrow gif files in images direcftory of shared components.
    However left and right arrows are available, but I need up&down arrows.
    How can I import a externally created "GIF" file into images folder of shared components.
    Any ideas/pointers are appreciated.
    Thanks in advance,
    Surya

    You can add the image (store it in wwdoc_document$) and then refer to it using the /docs/??.gif method. Or , add it to a folder
    and then refer to it. One piece of unsolicited advice: why don't you store it on the file system. In my experience, the image is
    retrieved a lot faster, than when in the db (and you avoid the security checks that the Portal makes)
    Hi,
    I need to use a UP&DOWN arrow image "GIF" files in one of my portal hierarchy component.
    I could not locate these type of up&down arrow gif files in images direcftory of shared components.
    However left and right arrows are available, but I need up&down arrows.
    How can I import a externally created "GIF" file into images folder of shared components.
    Any ideas/pointers are appreciated.
    Thanks in advance,
    Surya

  • Absent images in shared components

    I can't see list of images in "Shared Components > Images", but wget http://10.20.50.77:7777/i/16admin.gif return current image from apex/image directory. Where I can see what is wrong?
    APEX 3.2.1
    ORACLE XE
    Standalone Oracle HTTP Server (Apache2)
    dads.conf:
    Alias /i/ "/home/apache1/data/data/apex/images/"
    httpd.conf:
    Alias /i/ "/home/apache1/data/data/apex/images/"
    <Directory "/home/apache1/data/data/apex/images/">
    Options MultiViews
    AllowOverride None
    Order allow,deny
    Allow from all
    </Directory>
    Edited by: lvccgd on 24.02.2010 1:21

    Hello,
    The images in Shared Components -> Images are ones you have uploaded specifically for your application (or workspace). They are unrelated (strictly speaking) to the images in the /i/ folder (which are either stored on the filesystem if you use the OHS or stored in the DB if you use the EPG etc).
    Hope this helps,
    John.
    Blog: http://jes.blogs.shellprompt.net
    Work: http://www.apex-evangelists.com
    Author of Pro Application Express: http://tinyurl.com/3gu7cd
    REWARDS: Please remember to mark helpful or correct posts on the forum, not just for my answers but for everyone!

  • Shared components failed to install

    I have recently purchased a graphics  tablet that came with a bundle dvd of software that included Photoshop Elements 9. However, my computor does not have a dvd drive, so I was able to successfully install all the software onto my computor by transferring the files from the disk onto a flashdrive and installing from there- well, that is all except photoshop. It kept failing to install the "shared technologies." From there, I tried installing the programs straight onto my flashdrive and cutting and pasting the files onto my computor. The welcome screen would pop up, but nothing else would happen.
    Any suggestions for my situation?
    Message title was edited by: Brett N

    You can't install to another computer or drive and simply move the files around. There are registry keys on Windows that tell the computer where the files are, so when you move them it breaks things (this is true of any large application, not just PSE or Adobe applications).
    But your method of install (copying the disk to a flash drive and installing from there) should not be the source of the problem, that should work just fine. I believe the Shared Components failing to install would have happened even if you had the correct disk drive to install directly.
    Take a look at this document for more info about this behavior: Troubleshoot installation | Photoshop Elements, Premiere Elements | Windows > Error: Below mentioned applications have failed to install: Shared technologies.

  • Shared Components Subscription

    Hi,
    I have a master application that uses a custom authentication scheme.
    My other applications are using the subscription option, referencing my master application authentication scheme.
    I'm using subscription for other shared components as well.
    Is there a list of subscriptions for an application?
    I know that if I check the master authentication scheme (or any other shared components) that there is a list of of the subscribed elements.
    That's not really what I'm looking for.
    I would like to have something like
    Application 100 is using the following subscription :
    -Authentication scheme: reference application 1
    -Navigation Bar Entries: reference application 1Thanks
    Max

    Hi Max,
    i don't know of any report showing all the subscriptions you are looking for, but you can easily write one yourself. APEX provides all the informations you need in various dictionary Views.
    You can see those Views in Application Builder -> Utilites -> APEX Views . For best overview switch to the tree-view there.
    brgds,
    Peter
    Blog: http://www.oracle-and-apex.com
    ApexLib: http://apexlib.oracleapex.info
    Work: http://www.click-click.at

Maybe you are looking for