My dream container

Hi all. In Flex so far i know containers that allow you to specify x and y of the children, containers that list them all vertically (VBox) and horizontally (HBox) - I need a container like in HTML that list all objects horizontally until they hit the width limit and put them on another line, and so far. Is there one? Tried all in Flex 4 components list.
Thank you!

this sounds like a great idea.
perhaps you can do it if you extend one of the existing containers.
I've never tried to do it so I cant help more at this point, but it might be something interesting to work on.

Similar Messages

  • Trying to use Jpanes

    I'm trying to make a program that will take three numbers and calculate the mean, range and variance using buttons, Jpane, JOptionPane. When I run the program and hit the button for calculating range, it prompts me for the three numbers using JOptionPane, but then it tells me that the mean is "0.00" I played around a little, but can't figure out why it's doing this. This is my first time trying to use buttons and windows other than JOPtionPane, so any assistance would be greatly appreciated. Sorry that it's a little messy and I haven't put comments yet; it's still in the earliest of stages.
    Thanks
    Method Class
    import javax.swing.*;
    public class SquiresProject4 {
              String num1String, num2String, num3String;
              double num1, num2, num3, mean, range, variance, smallest, largest, sumOfSquares;
              boolean runAgain = true; 
              double quotient;
                   public void getInput()
                   num1String = JOptionPane.showInputDialog( "Enter first number" );
                 num1 = Double.parseDouble(num1String);
                   num2String = JOptionPane.showInputDialog( "Enter the second number" );
               num2 = Double.parseDouble(num2String);
                   num3String = JOptionPane.showInputDialog( "Enter the third number");
                   num3 = Double.parseDouble(num3String);
                   public double getMean(double num1, double num2, double num3, double mean)
                        mean = num1 + num2 + num3;     
                   return mean;
                   public double getRange(double num1, double num2, double num3, double range, double largest, double smallest)
                        if (num1 > num2 && num2 > num3)
                             largest = num1;
                             smallest = num2;
                        else if (num2 > num1 && num1 > num3)
                             largest = num2;
                             smallest = num3;
                        else if (num3 > num2 && num2 > num1)
                             largest = num3;
                             smallest = num1;
                        range = (largest - smallest);
                   return range;
                   public double getVariance(double num1, double num2, double num3, double mean, double variance, double sumOfSquares)
                        sumOfSquares = Math.sqrt(num1 - mean) + Math.sqrt(num2 - mean) + Math.sqrt(num3 - mean);
                        variance = (sumOfSquares/2);
                   return variance;
    }MAIN
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.text.*;
    Simple demonstration of putting buttons in a panel.
    public class SquiresDriver extends JFrame implements ActionListener
        public static final int WIDTH = 600;
        public static final int HEIGHT = 200;
          double num1, num2, num3, mean, range, variance, smallest, largest, sumOfSquares;
          DecimalFormat  df = new DecimalFormat("0.00");
        public static void main(String[] args)
            SquiresDriver guiWithPanel = new SquiresDriver( );
            guiWithPanel.setVisible(true);
          SquiresProject4 method = new SquiresProject4();
        public SquiresDriver( )
            setSize(WIDTH, HEIGHT);
            addWindowListener(new WindowDestroyer( ));
            setTitle("Calculator of Dreams");
            Container contentPane = getContentPane( );
            contentPane.setBackground(Color.ORANGE);
            contentPane.setLayout(new BorderLayout( ));
            JPanel buttonPanel = new JPanel( );
            buttonPanel.setBackground(Color.WHITE);
            buttonPanel.setLayout(new FlowLayout( ));
            JButton stopButton = new JButton("Calculate MEAN");
            stopButton.setBackground(Color.WHITE);
            stopButton.addActionListener(this);
            buttonPanel.add(stopButton);
            JButton goButton = new JButton("Calculate RANGE");
            goButton.setBackground(Color.WHITE);
            goButton.addActionListener(this);
            buttonPanel.add(goButton);
                JButton nextButton = new JButton("Calculate Variance");
            nextButton.setBackground(Color.GREEN);
            nextButton.addActionListener(this);
            buttonPanel.add(nextButton);
            contentPane.add(buttonPanel, BorderLayout.SOUTH);
        public void actionPerformed(ActionEvent e)
           Container contentPane = getContentPane( );
           if (e.getActionCommand( ).equals("Calculate MEAN"))
                      method.getInput();
                        method.getMean(num1, num2, num3, mean);
                        JOptionPane.showMessageDialog(     null, "The mean is: " +df.format(method.getMean(num1,num2,num3, mean)));
            else if (e.getActionCommand( ).equals("Calculate RANGE"))
               method.getInput();
                else if (e.getActionCommand( ).equals("Calculate Variance"))
               method.getInput();
                else
                System.out.println("Error in button interface.");
    }

    OK, I see a few more problems. SquireProject4 stores the variables num1, num2, num3,... locally within the class. Then , you also declare them in the method arguments. The getInput() method sets the values of the variables at the class level, but your call to getMean() only sees the num1, num2, ... that are declared in the method. So, you computations do not involve any values. Here's a recommended change.
    import javax.swing.*;
    public class SquiresProject4 {
                 String num1String, num2String, num3String;
              double num1, num2, num3, mean, range, variance, smallest, largest, sumOfSquares;
              boolean runAgain = true; 
              double quotient;
                   public void getInput()
                   num1String = JOptionPane.showInputDialog( "Enter first number" );
                 num1 = Double.parseDouble(num1String);
                   num2String = JOptionPane.showInputDialog( "Enter the second number" );
               num2 = Double.parseDouble(num2String);
                   num3String = JOptionPane.showInputDialog( "Enter the third number");
                   num3 = Double.parseDouble(num3String);
                   public double getMean()
                        mean = num1 + num2 + num3;     
                   return mean;
                   public double getRange()
                                    smallest=Math.min(num1,num2);
                                    smallest=Math.min(smallest,num3);
                                    largest=Math.max(num1,num2);
                                    largest=Math.max(largest,num3);
                        range = (largest - smallest);
                   return range;
                   public double getVariance()
                        sumOfSquares = Math.pow((num1 - mean),2) + Math.pow((num2 - mean),2) + Math.pow((num3 - mean),2);
                        variance = (sumOfSquares/2);
                   return variance;
    MAIN
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.text.*;
    Simple demonstration of putting buttons in a panel.
    public class SquiresDriver extends JFrame implements ActionListener
        public static final int WIDTH = 600;
        public static final int HEIGHT = 200;
          double num1, num2, num3, mean, range, variance, smallest, largest, sumOfSquares;
          DecimalFormat  df = new DecimalFormat("#.##");
        public static void main(String[] args)
            SquiresDriver guiWithPanel = new SquiresDriver( );
            guiWithPanel.setVisible(true);
          SquiresProject4 method = new SquiresProject4();
        public SquiresDriver( )
            setSize(WIDTH, HEIGHT);
            addWindowListener(new WindowDestroyer( ));
            setTitle("Calculator of Dreams");
            Container contentPane = getContentPane( );
            contentPane.setBackground(Color.ORANGE);
            contentPane.setLayout(new BorderLayout( ));
            JPanel buttonPanel = new JPanel( );
            buttonPanel.setBackground(Color.WHITE);
            buttonPanel.setLayout(new FlowLayout( ));
            JButton stopButton = new JButton("Calculate MEAN");
            stopButton.setBackground(Color.WHITE);
            stopButton.addActionListener(this);
            buttonPanel.add(stopButton);
            JButton goButton = new JButton("Calculate RANGE");
            goButton.setBackground(Color.WHITE);
            goButton.addActionListener(this);
            buttonPanel.add(goButton);
                JButton nextButton = new JButton("Calculate Variance");
            nextButton.setBackground(Color.GREEN);
            nextButton.addActionListener(this);
            buttonPanel.add(nextButton);
            contentPane.add(buttonPanel, BorderLayout.SOUTH);
        public void actionPerformed(ActionEvent e)
           Container contentPane = getContentPane( );
           if (e.getActionCommand( ).equals("Calculate MEAN"))
                      method.getInput();
                        JOptionPane.showMessageDialog(     null, "The mean is: " +df.format(method.getMean()));
            else if (e.getActionCommand( ).equals("Calculate RANGE"))
               method.getInput();
                else if (e.getActionCommand( ).equals("Calculate Variance"))
               method.getInput();
                else
                System.out.println("Error in button interface.");
    You calculations for the sum of squares was also incorrect. You were taking teh square root rather than squaring. I made the necessary change above.
    I haven't tested this code, but it should fix your problems.

  • What all contents should a dream SAP SD book contains

    Hi Friends,
    This is a kind of question which nobody would have expected on this forum but am really interested in knowing your valuable inputs to find out that what would you really love to see in a SAP SD book.
    Your true inputs are highly appreciated.
    Thanks
    Kapil Sharma

    HI,
    It all depends on whom do you want to sell this book?
    Like --Experienced/Fresh SAP SD consultant
             Aspiring SAP -SD consultant
             Person with  or without functional experience(SD) or
             Person with or without IT Knowledge
             OR a layman
    I suggest that
    1)Pl. include real life scenario and its solutions.Try to cover as many as industrial sectors.pl. focus on that.If you go to any of the SAP-SD teaching institute or refer book,basic information never change.Like configuration etc....
    2)Pl find out what information is missing in available books in market and SAP SD Consultant needs on their job.I have not referred any book other than supplied by SAP germany.I don't know what other books contain.
    e-book would be added advantage.
    thanks,
    vrajesh

  • Dream Weaver CS 3 Image Insert

    Hello.  I'm new here,  and probably don't have right forum but here goes.  Dream Weaver CS 3.  I am trying to set up my first test web page and seem to do okay until I get to images.  When I insert image and select what I want, it says "not in root folder, do I want to save image to this folder"  I click yes, then try to insert.  All I get is some kind of a "form image" I take it to be - looks like a place holder.  If I drag the image its name  appears at the insert point but no image.   What am I doing wrong, or where do I post this?  Thanks.

    Hi,
    You dont need spry, its a simple nav bar is all. Most likely was created by hand.
    This is the CSS code for it.
    #navbar {
         width:960px;
         height:1.4em;
         margin:0 auto;
         text-align:center;
         line-height:1.4em;
    This is the HTML code for it.
            <div id="navbar">
                 <a href="index.html">Home</a>
                 <a href="about-artigas-plumbing.html">About Us</a>
                 <a href="services.html">Services</a>
                 <a href="plumbing-tips.html">Tips & Hints</a>
                 <a href="contact.html">Contact Us</a>
            </div><!--close navbar-->
    The div layer is a simple way to contain the links then it uses the CSS to control the layout.
    That kind of code is applied to each page or you could create a template then put that code into it and apply the template to a page. Then all pages with that template applied to it can be updated easily.

  • Dream Weaver CS 3 crashes when FTPING

    I have just started to use Dream Weaver again, I used it a
    few months back. When I click on remote site and test connection,
    it crashes. I am on a IMAC running 10.5.5 and the latest Dream
    Weaver CS3. I see resolutions using IP address and it does not
    work. I have no fire wall issue since I can ftp files from the
    command line. There is no Antivirus running. Any ideas?

    Hi,
    You dont need spry, its a simple nav bar is all. Most likely was created by hand.
    This is the CSS code for it.
    #navbar {
         width:960px;
         height:1.4em;
         margin:0 auto;
         text-align:center;
         line-height:1.4em;
    This is the HTML code for it.
            <div id="navbar">
                 <a href="index.html">Home</a>
                 <a href="about-artigas-plumbing.html">About Us</a>
                 <a href="services.html">Services</a>
                 <a href="plumbing-tips.html">Tips & Hints</a>
                 <a href="contact.html">Contact Us</a>
            </div><!--close navbar-->
    The div layer is a simple way to contain the links then it uses the CSS to control the layout.
    That kind of code is applied to each page or you could create a template then put that code into it and apply the template to a page. Then all pages with that template applied to it can be updated easily.

  • TS3276 After installing Lion in my iMac, some formatted emails contain in sections of the text rows of letter A contained in boxes.

    After installing Lion in my iMac, some formatted emails contain, in some sections of the text, rows of the letter A contained in boxes. See attachment.

    In general theory, one now has the Edit button for their posts, until someone/anyone Replies to it. I've had Edit available for weeks, as opposed to the old forum's ~ 30 mins.
    That, however, is in theory. I've posted, and immediately seen something that needed editing, only to find NO Replies, yet the Edit button is no longer available, only seconds later. Still, in that same thread, I'd have the Edit button from older posts, to which there had also been no Replies even after several days/weeks. Found one that had to be over a month old, and Edit was still there.
    Do not know the why/how of this behavior. At first, I thought that maybe there WAS a Reply, that "ate" my Edit button, but had not Refreshed on my screen. Refresh still showed no Replies, just no Edit either. In those cases, I just Reply and mention the [Edit].
    Also, it seems that the buttons get very scrambled at times, and Refresh does not always clear that up. I end up clicking where I "think" the right button should be and hope for the best. Seems that when the buttons do bunch up they can appear at random around the page, often three atop one another, and maybe one way the heck out in left-field.
    While I'm on a role, it would be nice to be able to switch between Flattened and Threaded Views on the fly. Each has a use, and having to go to Options and then come back down to the thread is a very slow process. Jive is probably incapable of this, but I can dream.
    Hunt

  • Div container? Making it transparent

    So i am a noob to dream weaver and still working out its power especially since i use to use front page anyway here is what i am hoping to learn how to do,
    So i have My main page background with a div container on top,centred that will contain the site content... i am using a template for this and just modifying it to suit my need... cheating lol owell.. the term div container i am just using from the template thats what it calls it anyway im not experienced enough to know what it is.
    So i want to make this 'div container' tranparent. so that i can see my page background though it how do i go about that??
    If this makes no sense ther is an image to show the template that i am using and the desired transparent effect i am trying to obtain..
    Am i going about this completely wrong??
    Also off the transparent topic and probably more important then
    The templates sets it up so that the 'centre frame ' so to speak is a <div #container> do i just use this as my target frame for my content to load in?
    And is there away to lock the height of the div container to a specific height because at the moment i control the width but the height of the div container is subject to what content is inside of it...
    Any help would be much appreciated this is all new to me but something i want to do...
    thanks
    david

    Include files are nothing more than snippets of html code. An include statement is inserted into the parent page where you want the content to appear.  For this demo, I have three pre-built SSI files in my Includes folder:
    HeadMenu.ssi
    LeftLinks.ssi
    Footer.ssi 
    My parent page has been saved as Untitled.shtml (.shtml or .shtm tells the server there are include statements in the page). You may also use .php or .asp however those include statements look different than the ones in this demo.
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    <html xmlns="http://www.w3.org/1999/xhtml">
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
    <title>Untitled Document</title>
    <link href="style.css" rel="stylesheet" type="text/css" />
    </head>
    <body>
    <div id="container">
    <div id="header">
    <!--#include virtual="Includes/HeadMenu.ssi" -->
    <!--end header --> </div>
    <div id="sidebar1">
    <!--#include virtual="Includes/LeftLinks.ssi" -->
    <!--end sidebar1 --> </div>
    <div id="mainContent">
    <h1>Main Content H1</h1>
    <p>Lorem ipsum dolor sit amet, consectetuer adipiscing odio.</p>
    <!--end mainContent --> </div>
    <div id="footer">
    <!--#include virtual="Includes/Footer.ssi" -->
    <!--end footer --> </div>
    <!--end container --> </div>
    </body>
    </html>
    My HeadMenu.ssi file looks like this:
    <div id="menu">
    <a href="#content">skip menu &gt;</a>
    <a class="intro" href="index.shtml">home</a>
    <a class="gallery" href="gallery.shtml">gallery</a>
    <a class="tools" href="tools.shtml">tools</a>
    <a class="portfolio" href="portfolio.shtml">portfolio</a>
    <a class="fees" href="Fees.shtml">fees</a>
    <a class="links" href="links.php">links</a>
    <a class="contact" href="contact.shtml">contact</a>
    </div> <!--end menu -->
    You can see a working example of this on my website:  http://alt-web.com
    One last thing, you won't see includes appear on the page until you publish to a server.  If you want to test pages ahead of time, install a local testing server on your computer.  Ask your server host if they support SSIs. If they don't, find a different host.
    Nancy O.
    Alt-Web Design & Publishing
    Web | Graphics | Print | Media  Specialists
    www.alt-web.com/
    www.twitter.com/altweb

  • Refreshing the Data from a embed view in a view container

    Hi everybody
    I would like to know how can I do to refresh all data from a View with a view container the problem is:
    that I have a window that has a view at the same time this has a view container.  The Main view brings the data of editable elements when I select one element of the main view the view container brings a list for that element (dependencies) but only the first time a choose an element loads the correct data, when I choose another one it brings the same old data and doesn't make the call for the wdDoInit() method.
    The question is:
    How do I force the view to refresh all the data or call again the wdDoInit() method?
    Thank you for your help

    Aida,
    Lets say you have two components C1 and C2 and you want method from C1 to be available in C2 then follow these steps:-
    1) Goto the Interface Controller of C1 and create a method there lets say doSomething
    2) Then goto C2. There you can see Used Web Dynpro Components --> Right click Add Used Component --> Give some name say C1Comp --> Click browse and select C1 --> Click Finish.
    3) Next goto Component Controller of C2 --> Properties --> Click Add and check if C1 is added. If not then select the checkbox and select OK.
    4) Now goto Implementation tab of C2 and lets say wdDoInit you can write following code:-
    wdThis.wdGetC1CompInterface().doSomething();
    Chintan

  • How to get the values from a html form embedded in a swing container

    Hi all,
    I am developing an application in which i have to read a html file and display it in a swing container.That task i made it with the help of a tool.But now i want to get the values from that page.ie when the submit button is clicked all the values of that form should be retrived by a servlet/standalone application.I don't know how to proceed further.Any help in this regard will be very greatful
    Thanks in advance,
    Prakash

    By parsing the HTML.

  • Which type of invoices does RKBP contains?

    Hello all,
    I have report all Vendor Invoices(open/closed).
    I know that tables RKBP and RSEG tables can  be used for this. I have to retrive based on posting only.
    Can anyone tell me does this tables contain both type of invoices?
    i have few more queries.
    Can anyone explain me wht is parked, complete and parket&complete invoice/doc types.
    thanks

    Hello,
    In table field RBKP-RBSTAT has all the statuses you are looking for.
    Parked:  Information required to post the invoice document is still missing and you do not want to have to re-enter the data entered so far. The balance is not zero.
    Parked and completed: No more changes should be made to the invoice document.
    The balance is zero. The invoice document is flagged for posting but is not to be posted yet.
    Thanks,
    Venu

  • Unable to load the project. latter is probably damaged or contain outdated elements

    any one can help me with this probleme

    Hi,
    I am the one with the problem wich kaderdz exposed. Sorry for my English writing, my first language is French!
    I still have the same problem and some of my projects won't open (months of work...).
    The few projects that opens are kind of weird : only one chanel work in the audio, and the "title" window has also change. Here are some screen shots of what happens :
    message 1:
    message 2 - translation : impossible to charge the project. It is damage or contain obsolet elements :
    message 3 :
    title window :
    I would be so grateful if you can solve the problem. It's a lot of work!!

  • Firefox 21.0 crashes I attempt to open a page containing video

    When ever I open any page containing a video, such as any youtube page my browser immediately closes and presents me with a crash report I believe this started happening after a firefox or adobe update a few weeks ago. The problem continues when Im in safe mode and Ive tried many suggested fixes including updating flash, reinstalling firefox, disabling hardware acceleration, checking for conflicting realplayer, editing my the flash cfg file, and so on but non of those had any effect and It's sad cause I know from looking though these forums and elsewhere that others are having the exact same problem and these solution aren't working for anyone.
    I couldn't find any answers to the problem so I reverted to firefox 20.1 decided to wait for next update, as there seems to be a flash update a couple weeks. Somehow I ended up back on FF21.0 and so Im here again asking the same question before I re-revert. So here are the details again.
    Im Post my reports and spec like this because non of these options; "automatically" "try these manual steps" or "Show details" work for me in my outdated IE which is the only working browser I have atm. The first report shows results with addons enabled and all my usual settings the second show results with in safe mode. As you can see the two are the same for the most part
    The report: With addons enabled
    AdapterDeviceID: 0x6719
    AdapterVendorID: 0x1002
    Add-ons: yesscript%40userstyles.org:1.9,optout%40google.com:1.5,foxyproxy%40eric.h.jung:4.2,adblockpopups%40jessehakanen.net:0.7,%7B73a6fe31-595d-460b-a920-fcc0f8843232%7D:2.6.6.2,%7B972ce4c6-7e08-4474-a285-3208198ce6fd%7D:21.0
    AvailablePageFile: 4682809344
    AvailablePhysicalMemory: 1420525568
    AvailableVirtualMemory: 3792789504
    BuildID: 20130511120803
    CrashTime: 1370577662
    EMCheckCompatibility: true
    Email:
    FramePoisonBase: 00000000f0de0000
    FramePoisonSize: 65536
    InstallTime: 1369263628
    Notes: AdapterVendorID: 0x1002, AdapterDeviceID: 0x6719, AdapterSubsysID: 24611462, AdapterDriverVersion: 9.12.0.0
    D2D? D2D+ DWrite? DWrite+ D3D10 Layers? D3D10 Layers+
    ProductID: {ec8030f7-c20a-464f-9b0e-13a3a9e97384}
    ProductName: Firefox
    ReleaseChannel: release
    SecondsSinceLastCrash: 1109
    StartupTime: 1370577654
    SystemMemoryUsePercentage: 62
    Theme: classic/1.0
    Throttleable: 1
    TotalVirtualMemory: 4294836224
    URL: https://plus.google.com/u/0/_/notifications/frame?origin=http%3A%2F%2Fwww.youtube.com&source=yt&hl=en-US&jsh=m%3B%2F_%2Fscs%2Fabc-static%2F_%2Fjs%2Fk%3Dgapi.gapi.en.YwZcwvhQD7M.O%2Fm%3D__features__%2Fam%3DIA%2Frt%3Dj%2Fd%3D1%2Frs%3DAItRSTNqkRhMtkpSA0AbmH0iColYw_JJwg#pid=36&rpctoken=387582488&_methods=setNotificationWidgetSize%2CsetNotificationWidgetHeight%2CsetNotificationText%2ChideNotificationWidget%2CopenSharebox%2ConError%2C_ready%2C_close%2C_open%2C_resizeMe%2C_renderstart&id=I1_1370577662087&parent=http%3A%2F%2Fwww.youtube.com
    Vendor: Mozilla
    Version: 21.0
    Winsock_LSP: MSAFD Tcpip [TCP/IP] : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [UDP/IP] : 2 : 2 :
    MSAFD Tcpip [RAW/IP] : 2 : 3 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [TCP/IPv6] : 2 : 1 :
    MSAFD Tcpip [UDP/IPv6] : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [RAW/IPv6] : 2 : 3 :
    RSVP TCPv6 Service Provider : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    RSVP TCP Service Provider : 2 : 1 :
    RSVP UDPv6 Service Provider : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    RSVP UDP Service Provider : 2 : 2 :
    This report also contains technical information about the state of the application when it crashed.
    (Im Post my reports and spec like this because non of these options; "automatically" "try these manual steps" or "Show details" work for me in my outdated IE which is the only working browser I have atm)
    AdapterDeviceID: 0x6719
    AdapterVendorID: 0x1002
    AvailablePageFile: 4607332352
    AvailablePhysicalMemory: 1334870016
    AvailableVirtualMemory: 3936632832
    BuildID: 20130511120803
    CrashTime: 1370580940
    EMCheckCompatibility: true
    Email: [email protected]
    FramePoisonBase: 00000000f0de0000
    FramePoisonSize: 65536
    InstallTime: 1369263628
    Notes: AdapterVendorID: 0x1002, AdapterDeviceID: 0x6719, AdapterSubsysID: 24611462, AdapterDriverVersion: 9.12.0.0
    ProductID: {ec8030f7-c20a-464f-9b0e-13a3a9e97384}
    ProductName: Firefox
    ReleaseChannel: release
    SecondsSinceLastCrash: 290
    StartupTime: 1370580845
    SystemMemoryUsePercentage: 64
    Theme: classic/1.0
    Throttleable: 1
    TotalVirtualMemory: 4294836224
    URL: https://www.youtube.com/watch?v=saKv2djbQ5s
    Vendor: Mozilla
    Version: 21.0
    Winsock_LSP: MSAFD Tcpip [TCP/IP] : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [UDP/IP] : 2 : 2 :
    MSAFD Tcpip [RAW/IP] : 2 : 3 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [TCP/IPv6] : 2 : 1 :
    MSAFD Tcpip [UDP/IPv6] : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [RAW/IPv6] : 2 : 3 :
    RSVP TCPv6 Service Provider : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    RSVP TCP Service Provider : 2 : 1 :
    RSVP UDPv6 Service Provider : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    RSVP UDP Service Provider : 2 : 2 :
    This report also contains technical information about the state of the application when it crashed.
    My specs:
    Firefox ver. 21.0
    Flashplayer 11.7.700.202
    OS Windows 7 Professional (x64)
    Version 6.1.7601 Service Pack 1 Build 7601
    Mobo BIOSTAR Group / TZ77XE3
    System Type x64-based PC
    Processor Intel(R) Core(TM) i5-3570K CPU @ 3.40GHz, 3401 Mhz, 4 Core(s), 4 Logical Processor(s)
    BIOS Version/Date American Megatrends Inc. 4.6.5, 4/19/2012
    SMBIOS Version 2.7
    Windows Directory C:\Windows
    System Directory C:\Windows\system32
    Boot Device \Device\HarddiskVolume1
    Hardware Abstraction Layer Version = "6.1.7601.17514"
    Installed Physical Memory (RAM) 8.00 GB
    Total Physical Memory 3.48 GB
    Available Physical Memory 1.41 GB
    Total Virtual Memory 6.96 GB
    Available Virtual Memory 4.46 GB
    Page File Space 3.48 GB

    You probably have not seen anyone reporting the exact same problem as you. All three crash reports have the same crash signature and as currently ranked 67 it is not the commonest of reasons for a crash.
    I hope you enter your email contact information when reporting crashes. I note you see this crash when using videos, others may possibly see this crash in other circumstances.
    You have already tried the obvious, attempts at a fix so it is now down to wait and see, maybe developers working on the bug will report something or fix it.
    Did you try my suggestion of installing portable ESR ?
    For forum cross referencing purposes
    * Crash Reports for Crash IDs <br />bp-71697f5d-41d4-48ae-9db9-3e6302130607<br /> bp-6e1347bc-153f-433a-9c35-a5f022130607<br /> bp-92a533a2-9e09-4c1e-8df7-deb4c2130607
    *(all three) Crash Signature: EnumSoftwareMFTs(_GUID const&, unsigned int, __MIDL___MIDL_itf_mfobjects_0000_0006_0003 const*, __MIDL___MIDL_itf_mfobjects_0000_0006_0003 const*, IMFActivate***, unsigned int*)
    * Related bug 858667 NEW crash in mozilla::wmf::MFTEnumEx @ EnumSoftwareMFTs
    *I note this was first seen in Fx21 and is 100% Windows 7
    <br />

  • Mozalloc.dll A firefox plug in container has stopped working. I can't get firefox to work for more than 2 mins. before crashing. How do I make this stop?

    AdapterDeviceID: 0x9712
    AdapterDriverVersion: 8.861.1.2000
    AdapterSubsysID: 164c103c
    AdapterVendorID: 0x1002
    Add-ons: %7B972ce4c6-7e08-4474-a285-3208198ce6fd%7D:33.1.1
    AvailablePageFile: 13967405056
    AvailablePhysicalMemory: 6222434304
    AvailableVirtualMemory: 3783245824
    BIOS_Manufacturer: Hewlett-Packard
    BlockedDllList:
    BreakpadReserveAddress: 46661632
    BreakpadReserveSize: 41943040
    BuildID: 20141113143407
    CrashTime: 1417153956
    EMCheckCompatibility: true
    EventLoopNestingLevel: 1
    FramePoisonBase: 00000000f0de0000
    FramePoisonSize: 65536
    InstallTime: 1416895140
    Notes: AdapterVendorID: 0x1002, AdapterDeviceID: 0x9712, AdapterSubsysID: 164c103c, AdapterDriverVersion: 8.861.1.2000
    D2D? D2D+ DWrite? DWrite+ D3D11 Layers? D3D11 Layers+
    ProductID: {ec8030f7-c20a-464f-9b0e-13a3a9e97384}
    ProductName: Firefox
    ReleaseChannel: release
    SecondsSinceLastCrash: 175
    StartupTime: 1417153798
    SystemMemoryUsePercentage: 25
    Theme: classic/1.0
    Throttleable: 1
    TotalPageFile: 16630353920
    TotalPhysicalMemory: 8316153856
    TotalVirtualMemory: 4294836224
    URL: https://support.mozilla.org/en-US/questions/new/desktop/fix-problems/form?search=mozalloc.dll&step=aaq-question
    Vendor: Mozilla
    Version: 33.1.1
    Winsock_LSP: MSAFD Tcpip [TCP/IP] : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [UDP/IP] : 2 : 2 :
    MSAFD Tcpip [RAW/IP] : 2 : 3 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [TCP/IPv6] : 2 : 1 :
    MSAFD Tcpip [UDP/IPv6] : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    MSAFD Tcpip [RAW/IPv6] : 2 : 3 :
    RSVP TCPv6 Service Provider : 2 : 1 : %SystemRoot%\system32\mswsock.dll
    RSVP TCP Service Provider : 2 : 1 :
    RSVP UDPv6 Service Provider : 2 : 2 : %SystemRoot%\system32\mswsock.dll
    RSVP UDP Service Provider : 2 : 2 :
    useragent_locale: en-US
    This report also contains technical information about the state of the application when it crashed.
    AND:
    A plugin container for firefox has stopped working.
    Problem signature:
    Problem Event Name: APPCRASH
    Application Name: plugin-container.exe
    Application Version: 33.1.1.5430
    Application Timestamp: 54656826
    Fault Module Name: mozalloc.dll
    Fault Module Version: 33.1.1.5430
    Fault Module Timestamp: 54654321
    Exception Code: 80000003
    Exception Offset: 00001425
    OS Version: 6.1.7600.2.0.0.256.1
    Locale ID: 1033
    Additional Information 1: 0a9e
    Additional Information 2: 0a9e372d3b4ad19135b953a78882e789
    Additional Information 3: 0a9e
    Additional Information 4: 0a9e372d3b4ad19135b953a78882e789
    Read our privacy statement online:
    http://go.microsoft.com/fwlink/?linkid=104288&clcid=0x0409

    Try creating a new Profile by following the steps from [[Managing Profiles]] [[Troubleshooting extensions and themes]] and also [[The Adobe Flash plugin has crashed]]

  • ? Office 2013 to support Excel 2003 (XLS) spreadsheets containing VBA CommandBars references

    Thanks in advance for reading this and offering any wisdom you have! I am not an expert in any of the following, so apologies if off base.
    The basic problem is: I need to use Excel 2013 to support Excel 2003 (XLS) spreadsheets containing VBA 'CommandBars' references which don't seem to work in Excel 2013. Details below.
    Most of our users are still using older desktop windows PCs and Office 2003!  We are beginning to upgrade to laptops running Windows 8.1 with Office 2013.  Of course, we IT technical people are using the new laptops first. These new laptops are
    64 bit.
    Years ago, someone did a lot of development with spreadsheets here in Excel 2003 file formats that automates many activities and routines. Now we with the new laptops are having to support this development using new machines.
    There is a basic compatibility issue that appears when first opening these Excel 2003 files that have VBA code that I'll detail below; I seem able to get by that problem.
    The current problem appears to be that the existing Excel 2003 VBA code has many references to: "For Each bar In Application.CommandBars". As I've learned, the Application.CommandBars VBA functionality is focused on older MS Office versions' menu
    commands, but "...Starting from Office 2007 the Fluent UI is used instead."  In other words, because MS Office isn't menu-driven beginning with version 2007 (uses 'the ribbon'), it appears that these references to: "For Each bar In Application.CommandBars"
    create a basic incompatibility to opening these spreadsheets in Office 2013.
    For a spreadsheet, after I resolve the issue detailed below and save it, when I reopen it I encounter error "Compile error: can't find project or library." 
    For example, the following code snippet:
    Private Sub Workbook_Open()
    For Each bar In Application.CommandBars
            bar.Enabled = False
        Next
    results in: "Compile error: can't find project or library." 
    (Sorry, can't include images yet, I am not a VERIFIED USER of this forum yet.)
    I went into VBE's menu: Tools>References and check for anything marked MISSING, which I deselected. But I am still receiving this error.
    I don't want to get into changing the code a lot to support both Excel 2003 and 2013 (I am no VBA expert, just a dabbler).
    And Microsoft officially says that Office 2003 is incompatible with Windows 8 although Application.CommandBars seem to be somewhat supported in Office 2013 .
    Are you aware of a quick VBA workaround to get by this?
    •I could comment out the validations, commands for: "For Each bar In Application.CommandBars" but then the spreadsheet code probably won't work for users using Office 2003.
    Alternatives would be:
    •Installing Office 2003 on my Win 8.1 64 bit laptop anyway, in spite of MS's saying incompatible, since this thread discusses at least one person has been able to use Office 2003
    •Keeping one older PC with Office 2003 on it for us to support the old Office 2003 code until everyone upgrades their systems
    Thanks
    Basic compatibility issue that seems solvable:
    Opening these spreadsheets displays this error:
    Compile error:
    The code in this project must be updated for use on 64-bit systems.
    Please review and update Declare statements and then mark them with the PtrSafe attribute.
    This seems resolvable by going into the VBA code and just adding element 'PtrSafe' where functions are declared; in other words, replacing VBA code "Declare Function" with "Declare PtrSafe Function" seems to get by this.

    Hi Allan_L,
    Please try the methods that provided above. And this is the forum to discuss questions and feedback for Microsoft Excel, your issue is related to Excel DEV, if you have further question, I recommend you post the question to the MSDN forum for Excel
    http://social.msdn.microsoft.com/Forums/en-US/home?forum=exceldev&filter=alltypes&sort=lastpostdesc
    The reason why we recommend posting appropriately is you will get the most qualified pool of respondents, and other partners who read the forums regularly can either share their knowledge or learn from your interaction with us. Thank you for your understanding.
    George Zhao
    TechNet Community Support
    It's recommended to download and install
    Configuration Analyzer Tool (OffCAT), which is developed by Microsoft Support teams. Once the tool is installed, you can run it at any time to scan for hundreds of known issues in Office
    programs.

  • Multiple plugtmp-1 plugtmp-2 etc. in local\temp folder stay , crossdomain.xml and other files containing visited websitenames created while private browsing

    OS = Windows 7
    When I visit a site like youtube whith private browsing enabled and with the add-on named "shockwave flash" in firefox add-on list installed and activate the flashplayer by going to a video the following files are created in the folder C:\Users\MyUserName\AppData\Local\Temp\plugtmp-1
    plugin-crossdomain.xml
    plugin-strings-nl_NL-vflLqJ7vu.xlb
    The contents of plugin-crossdomain contain both the "youtube.com" adress as "s.ytimg.com" and is as follows:
    <?xml version="1.0"?>
    <!DOCTYPE cross-domain-policy SYSTEM "http://www.macromedia.com/xml/dtds/cross-domain-policy.dtd">
    -<cross-domain-policy> <allow-access-from domain="s.ytimg.com"/> <allow-access-from domain="*.youtube.com"/> </cross-domain-policy>
    The contents of the other file I will spare you cause I think those are less common when I visit other sites but I certainly don't trust the file. The crossdomain.xml I see when I visit most other flashpayer sites as well.
    I've also noticed multiple plugin-crossdomain-1.xml and onwards in numbers, I just clicked a youtube video to test, got 6 of them in my temp plus a file named "plugin-read2" (no more NL file cause I changed my country, don't know how youtube knows where I'm from, but that's another subject, don't like that either). I just noticed one with a different code:
    <?xml version="1.0"?>
    -<cross-domain-policy> <allow-access-from domain="*"/> </cross-domain-policy>
    So I guess this one comprimises my browsing history a bit less since it doesn't contain a webadress. If these files are even meant to be deposited in my local\temp folder. The bigger problem occurs when they stay there even after using private browsing, after clearing history, after clearing internet temporary files, cache, whatever you can think of. Which they do in my case, got more than 50 plugtmp-# folders in the previous mentioned local\temp folder containing all website names I visited in the last months. There are a variety of files in them, mostly ASP and XML, some just say file. I have yet to witness such a duplicate folder creation since I started checking my temp (perhaps when firefox crashes? I'd say I've had about 50 crashes in recent months).
    I started checking my temp because of the following Microsoft Security Essential warnings I received on 23-4-12:
    Exploit:Java/CVE-2010-0840.HE
    containerfile:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp
    file:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp->pong/reversi.class
    and...
    Exploit:Java/CVE-2008-5353.ZT
    containerfile:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp
    file:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp->Testability.class
    Microsoft Security Essentials informed me that these files were quarantained and deleted but when going to my temp file they were still there, I deleted them manually and began the great quest of finding out what the multiple gigabytes of other files and folders were doing in that temp folder and not being deleted with the usual clearing options within firefox (and IE).
    Note that I have set my adobe flasplayer settings to the most private intense I could think of while doing these tests (don't allow data storage for all websites, disable peer-to peer stuff, don't remember exactly anymore, etc.). I found it highly suspicious that i needed to change these settings online on an adobe website, is that correct? When right-clicking a video only limited privacy options are available which is why I tried the website thing.
    After the inital discovery of the java exploit (which was discovered by MSE shortly after I installed and started my first scan with Malwarebytes, which in turn made me suspicious whether I had even downloaded the right malwarebytes, but no indication in the filename if I google it). Malwarebytes found nothing, MSE found nothing after it said it removed the files, yet it didn't remove them, manually scanning these jar_cache files with both malwarevytes and MSE resulted in nothing. Just to be sure, I deleted them anyways like I said earlier. No new jar_cache files have been created, no exploits detected since then. CCleaner has cleaned most of my temp folder, I did the rest, am blocking all cookies (except for now shortly), noscript add-on has been running a while on my firefox (V 3.6.26) to block most javascripts except from sites like youtube. I've had almost the same problem using similar manual solutions a couple of months ago, and a couple of months before that (clearing all the multiple tmp folders, removing or renaming jar_cache manually, running various antmalware software, full scan not finding a thing afterwards, installing extra add-ons to increase my security, this time it's BetterPrivacy which I found through a mozilla firefox https connection, I hope, which showed me nicely how adobe flash was still storing LSO's even after setting all storage settings to 0 kb and such on the adobe website, enabling private browsing in firefox crushed those little trolls, but still plugtmp trolls are being created, help me crush them please, they confuse me when I'm looking for a real threat but I still want to use flash, IE doesn't need those folders and files, or does it store them somewhere else?).
    I'm sorry for the long story and many questions, hope it doesn't scare you away from helping me fight this. I suspect it's people wanting to belong to the hackergroup Anonymous who are doing this to my system and repeating their tricks (or the virus is still there, but I've done many antivirus scans with different programs so no need to suggest that option to me, they don't find it or I run into it after a while again, so far, have not seen jar_cache show up). Obviously, you may focus on the questions pertaining firefox and plugtmp folders, but if you can help me with any information regarding those exploits I would be extremely grateful, I've read alot but there isn't much specific information for checking where it comes from when all the anti-virus scanners don't detect anything anymore and don't block it incoming. I also have downloaded and installed process monitor but it crashes when I try to run it. The first time I tried to run it it lasted the longest, now it crashes after a few seconds, I just saw the number of events run up to almost a million and lots of cpu usage. When it crashed everything returned back to normal, or at least that's what I'm supposed to think I guess. I'll follow up on that one on their forum, but you can tell me if the program is ligit or not (it has a microsoft digital signature, or the name micosoft is used in that signature).

    update:
    I haven't upgraded my firefox yet because of a "TVU Web Player" plugin that isn't supported in the new firefox and I'm using it occasionally, couldn't find an upgrade for it. Most of my other plugins are upgraded in the green (according to mozilla websitechecker):
    Java(TM) Platform SE 6 U31 (green)
    Shockwave for Director (green - from Adobe I think)
    Shockwave Flash (green - why do I even need 2 of these adobe add-ons? can I remove one? I removed everything else i could find except the reader i think, I found AdobeARM and Adobe Acrobat several versions, very confusing with names constantly switching around)
    Java Deployment Toolkit 6.0.310.5 (green, grrr, again a second java, why do they do this stuff, to annoy people who are plagued with java and flash exploits? make it more complicating?)
    Adobe Acrobat (green, great, it's still there, well I guess this is the reader then)
    TVU Web Player for FireFox (grey - mentioned it already)
    Silverlight Plug-In (yellow - hardly use it, I think, unless it's automatic without my knowing, perhaps I watched one stream with it once, I'd like to remove it, but just in case I need it, don't remember why I didn't update, perhaps a conflict, perhaps because I don't use it, or it didn't report a threat like java and doesn't create unwantend and history compromising temp files)
    Google Update (grey - can I remove? what will i lose? don't remember installing it, and if I didn't, why didn't firefox block it?)
    Veetle TV Core (grey)
    Veetle TV Player (grey - using this for watching streams on veetle.com, probably needs the Core, deleted the broadcaster that was there earlier, never chose to install that, can't firefox regulate that when installing different components? or did i just miss that option and assumed I needed when I was installing veetle add-on?)
    Well, that's the list i get when checking on your site, when i use my own browseroptions to check add-ons I get a slightly different and longer list including a few I have already turned off (which also doesn't seem very secure to me, what's the point in using your site then for anything other than updates?), here are the differences in MY list:
    I can see 2 versions of Java(TM) Platform SE 6 U31, (thanks firefox for not being able to copy-paste this)
    one "Classic Java plug-in for Netscape and Mozilla"
    the other is "next generation plug-in for Mozilla browsers".
    I think I'll just turn off the Netscape and Mozilla one, don't trust it, why would I need 2? There I did it, no crashes, screw java :P
    There's also a Mozilla Default plugin listed there, why does firefox list it there without any further information whether I need it or not or whether it really originates from Mozilla firefox? It doesn't even show up when I use your website plugin checker, so is there no easy way by watching this list for me to determin I can skip worrying about it?
    There's also some old ones that I recently deactivated still listed like windows live photo gallery, never remember adding that one either or needing it for anything and as usual, right-clicking and "visit homepage" is greyed out, just as it is for the many java crap add-ons I encountered so far.
    Doing a quick check, the only homepage I can visit is the veetle one. The rest are greyed out. I also have several "Java Console" in my extentions tab, I deactivated all but the one with the highest number. Still no Java Console visible though, even after going to start/search "java", clicking java file and changing the settings there to "show" console instead of "hide" (can't remember exact details).
    There's some other extentions from noscript, TVU webplayer again, ADblock Plus and now also BetterPrivacy (sidenote, a default.LSO remains after cleanup correct? How do I know that one isn't doing anything nasty if it's code has been changed or is being changed? To prevent other LSO's I need to use both private browsing and change all kinds of restrictions online for adobe flashplayer, can anyone say absurd!!! if you think you're infected and want to improve your security? Sorry that rant was against Adobe, but it's really against Anonymous, no offense).

Maybe you are looking for