Where does source code of webpage of firefox gets stored on hard drive?

i want to scan the the source code of webpage which is loaded in firefox

Webpages are not saved to your hard drive; they are temporarily stored in RAM. You can right click on a webpage and click Inspect Element, which will show you the HTML code used in the current webpage.

Similar Messages

  • When u import a cd, where does it go ? i need to put on external hard drive

    when u inmport a cd, where does itunes actually put it ? c:\ hard drive ? or where my music is located, on external k:\

    It will put it where ever it is you've told iTunes to put your music. What do you see if you look under Preferences>Advanced?

  • Are we allowed to use the Web developer function in Firefox version 5.0 to edit the html source code associated with the Firefox home page?

    Locking at request of OP - https://support.mozilla.com/en-US/questions/844506
    Are we allowed to use the Web developer function, under the "Firefox" tab in Firefox version 5.0, to edit the html source code associated with the Firefox version 5.0 home page ( so that we can personalize the home page )? Is this legal?
    Sincerely in Christ,
    Russell E. Willis

    Solution: (Free Download Manager)
    Go here: http://codecpack.co/download/Free_Download_Manager.html and download Free Download Manager 3.8.1067 Beta 3, it works perfectly with Firefox 5.0.1
    Solution: (to Google mail aka Gmail)
    I have had this problem for a while since I did a previous Firefox update, where I had to force Gmail to load in Basic HTML else it's next to impossible to use it. The solution is this: simply update your Java, and Gmail will work without a problem using Standard HTML. To update your Java go here: http://www.java.com/en/ and select "Free Java Download".
    And beta normally, universally, means "the not quite there yet version of the version we're aiming for" NORMALLY used during production and testing of a type of software.

  • APEX_COLLECTION - where does the code go?

    I am trying to create my first APEX collection.
    Where does the code go?
    Do I create a region as a PL/SQL anonymous block?
    Please advise -
    Regards,
    Stan

    Hi,
    I think best is create page process where you create/populate collection
    Br,Jari

  • Multiple dispatch and Symmetric methods - Where Does That Code Live?

    Hi all.
    I am stuck with the above problem, which looks to be a very common and fundamental one. Supposing I have some sort of relation or operation to be performed on various different pairs (or n-tuples) of classes of object. Where does this code belong, given that it is not sole property of any one of the classes, but a kind of property of the collection of classes?
    An bad example for me to bring up, but one that neatly illustrates the point, is the equals method. In order to retain the symmetric and transitive properties of the equals method, and object can only make judgement calls about it being equal to another object of it's own type. This prevents the concept of equivalency from crossing between types.
    In order to compare a with b (if a and b are of different types), b must supply some sort of representation of itself as an a, then the comparison statement a.equals(b.asA()); must be called.
    This of course means b must supply an 'asXXX()' method for each class XXX it wishes to equate itself to. Furthermore, by an extension of the equals contract for symmetricality, the method AsB() in class A (if it exists) must be such that, if a.AsB() .equals (b), then b.AsA.equals( a ).
    This sort of design is unfeasible for obvious reasons, the main reason being that it is impossible to anticipate evey case where an instance of class A could reasonably be compared to an instance of some other class X.
    The other annoyance is all that hard work of providing methods to equate A with something else, would go unused for 99% of the time.
    With this in mind, I was thinking. Suppose in some program environment, we have only 3 classes, A, B, and C, such that:
    {A,B} can be meaningfully compared
    {B, C} and {A, C} cannot.
    It would be OK to supply code (somewhere) for comparing A's with B's. We also know that under no circumstances will an A or a B, and a C, ever need to be compared for equality.
    Supposing an extension of this environment were created, introducing class D.
    {D, A} and {D, B} can be meaningfully compared.
    Now, neither A nor C knows what a D is, or how to compare themselves to it. But D was developed with A, B and C in mind, and contains logic for the various comparisons (with A and with B). An obvious idea for this is to let D bring it's new code into play, by registering these new comparison functions in the environment somehow.
    Supposing instead that equality comparison was delegated to some third party, instead. This third party contains a table of pairs of classes, which act as keys to look up a comparison object.
    So, when class A is loaded, something of the sort happens:
    public class A {
        static {
            Equals.comparer.addEntry(A.class, B.class, new EqualsMethod() {
               // details of the EqualsMethod interface implementation go here
    public class B {
        static {
            // since equals is symmetric, this method clashes with the above in A
            // This could happen...
            Equals.comparer.addEntry(B.class, A.class, new EqualsMethod() {
               // ... different approach to the above
    public class D {
        static {
            Equals.comparer.addEntry(D.class, A.class, new EqualsMethod() {
            Equals.comparer.addEntry(D.class, B.class, new EqualsMethod() {
        } // Ds can now be compared with Bs and As. They can now be compared with Ds
    }There is a problem with the above. As can clearly be seen, there are 3 unique situations that might occur between two classes (call them X and Y).
    o One of X or Y contains code to compare them both.
    o Neither X nor Y contain code to compare the two. X equals Y is always false
    o Both X and Y contain code to compare the two.
    The third causes the problem. What if X and Y disagree on how to compare themselves? Which method gets chosen? The only solution would be to let whosever static initialiser gets called first be the one to supply the code.
    I said before that equals was a bad example to bring up. this is because the usage of equals and the concept of equality in java is already well defined, and works just fine. However, in my own pet project at the moment, I have run into the same problems as outlined above.
    I am currently assembling a generic pattern API for use in various other applications I am writing (I was finding that I was writing code for matching objects to patterns, in different guises, quite frequently, so I made the decision to refactor it into its own package). An important part of the API is the section that handles the logic for combining patterns, ie with AND, OR and NOT operations.
    The Pattern interface is this:
    interface Pattern<E> {
         public boolean match(E toMatch);
         public Pattern<E> not();
         public Pattern<E> or(Pattern<E> other);
         public Pattern<E> and(Pattern<E> other);
    }There are a few basic Patterns:
    TruePattern<E> - a pattern that always returns true no matter what E is passed for it toMatch
    FalsePattern<E> - self-explanatory.
    ExactValuePattern<E> - true if and only if the E that it is passed toMatch is .equal to the E that this pattern was constructed with.
    NotPattern<E> - a pattern that contains another pattern, and returns true for any E that returns does not match it's contained pattern. Used for when the contained pattern cannot be logically reduced to one pattern under the NOT method in the Pattern interface
    AndPattern<E> - a pattern that contains 2 other patterns, and returns true for some E iff both contained patterns return true for that E. Used for when the 2 patterns cannot be logically reduced into one pattern via the AND method in the Pattern interface
    OrPattern<E> - self explanatory
    RangePattern<E extends Comparable <E>> - a pattern for comparing if some Comparable lies between two other comparables.
    Every pattern has the opportunity to provide a reduction, when combined with another pattern through And or Or. For example, any pattern AND a FalsePattern can be reduced just the FalsePattern. any pattern OR a TruePattern can be reduced to just the TruePattern.
    The methods AND and OR from the Pattern interface present the same problems as the .equals() example I was using before.
    o AND and OR are symmetric operations
    o There exist situations where two patterns of unrelated class could be meaningfully combined (and reduced) under these two operations.
    Example: The pattern on Integers '0 < X < 3' and 'X is 5' can be reduce to the FalsePattern
    Example: The pattern on Doubles '0 < X <= 10' or 'X is 5.5' or 'X is 7.2' can be reduced to '0 < X <= 10'.
    Example: The pattern on Integers ('0 <= X <= 5' and 'X is not 0') or ('X is 6') or ('x is 7') can be reduced to '1<=X<=7'.
    So the question is, where does the code belong? a.and(b) should return the same as b.and(a), but both b and a may well disagree as to what happens when they are combined under and. At present, both a and b need to supply their own separate implementations. Clearly though, the code for combining patterns A and B belongs to neither A alone, not B alone, but to A and B as a whole.
    Thanks in advance, and sorry for this overlong post.

    So the equivalent thing in my scenario would be an
    AndAnator, and an OrAnator? :)
    The thing is, it would be nice for comparison between
    A and B to take place automatically, without the poor
    coder having to maintain a reference to a Comparator
    and invoke the comparison method each time. Likewise
    in my situation, it'd be nice to say A.or(B) instead
    of andAnator.and(A,B), yet have all the goodness of a
    third party doing the comparison (or in this case,
    the anding).
    I am going to go and test this all out, but do you
    have any suggestions on a good structure? I think it
    would involve pulling the and/or/not methods from the
    interface (this appeals, as many implementors may not
    wish to supply logic for running these methods
    anyhow), and then putting them... somewhere else.I didn't consider your speicifc problem very deeply because after such a long detailed explanation I figured you'd be up for kicking around the idea for a while.
    In your case, I see that you would want to be able to call the and and or methods on the Objects themselves. Luckily, in this case, I think you can have your cake and eat it too.
    You can make your and and or methods fa�ades to the third party 'referee'. This way you can enfore symmetry. It's difficult (if not impossible) to enoforce transitivity with this design but I think you don't even need that in this case. That is if a == b and b == c then a == c should be true but if a and b and b and c then a and c is not necessarily true. In your case, it may not even make sense.

  • Where is source code for flex.util.SerializedTemplateFactory?

    This class is included (why?) in the mm-velocity-1.4.jar file. I'm trying to build the flexsdk entirely from source to meet packaging requirements.

    Steve Linabery <[email protected]> writes:<br /><br /> > Where is source code for flex.util.SerializedTemplateFactory?<br /><br />opensource/flex/sdk/trunk/modules/thirdparty/velocity/src/java/flex/util<br /><br /> > This class is included (why?) in the mm-velocity-1.4.jar file.<br /><br />It's a customization to Velocity to make our use of templates run<br />faster.<br /><br />-Paul

  • When i exit, mozilla will prompt me a message asked if i would like to save my tabs(i have 13 tabs opened). may i ask, where does all those 13 tabs (web addresses/links) stored in mozilla, or in which file that i can locate in mozilla's folder? I need a s

    I have a problem with my bookmarks, cookies, history or settings
    Description
    When i exit, mozilla will prompt me a message asked if i would like to save my tabs(i have 13 tabs opened).
    may i ask, where does all those 13 tabs (web addresses/links) stored in mozilla, or in which file that i can locate in mozilla's folder? I need a solution that i can find/copy down that 13 web addresses without needed to open mozilla browser.
    YOUR ATTENTION TO ABOVE MATTER IS VERY MUCH APPRECIATED!
    PLEASE HELP!
    == User Agent ==
    Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 6.0; SLCC1; .NET CLR 2.0.50727; .NET CLR 3.5.30729; .NET CLR 3.0.30729)

    Please see '''sessionstore.js''' in your Firefox profile directory, the location of which is described in the [[Profiles]] knowledge base article. This file can be viewed in a readable format using the [https://addons.mozilla.org/en-US/firefox/addon/10869/ JSONView] add-on.

  • When i archive on gmail, where does it go and how do i get it back?

    click archive and email go away, where does it go and how do I get it back?

    Hello,
    You can see it in drafts folder or sended emails

  • What does "error code -8003" mean? I get it when I try and empty my Trash.

    What does "error code -8003" mean? I get it when I try and empty my Trash.

    Thanks, I found the Trash it program sorted things. Download Trash It! for Mac

  • I'm trying to install Firefox on an external hard drive.

    ''Duplicate post, continue here - [/questions/768694]''
    I'm trying to install Firefox on an external hard drive. Having it start on the external drive in a program files directory is very straightforward but I would also like to have the user files on that drive as well. Those files are typically in a directory similar to the following.
    C:\Documents and Settings\xxxxxxxx\Application Data\Mozilla\Firefox
    I did have this set up on an older PC but now that I'm setting up a new one, I can't remember just how that was done. Could someone refresh my memory?

    The process is quite straight forward, you start the profile manager, create a new profile and in the second step of the create profile wizard click on "Choose folder" to choose where you want to save the user data.
    The process of creating a profile is detailed here - [http://kb.mozillazine.org/Creating_a_new_Firefox_profile_on_Windows Creating a new Firefox profile on Windows - MozillaZine Knowledge Base]. There is a warning about using a non-standard location for the profile (copied from the mozillazine knowledge base)
    '''If the folder you select for the new profile contains non-Mozilla files (such as the "My Documents" folder on Windows), your profile data will be intermingled with the non-Mozilla data. This can result in the loss of all of the data in that folder, including non-Mozilla files, if you later delete the profile.'''

  • How to use iPad (4th gen) to edit with iMovie - but using an external source such as a USB stick or external USB hard drive

    Want to use my iPad (4th gen) to edit a movie using iMovie - easy enough if the movie file is on the iPad - but what if it's too large - can I keep the source file on a USB stick or external USB hard drive and edit from there?  How can you do this?

    You can't export any type of file using the camera connection kit, so a USB flash drive or SD card won't work.
    There are some wireless external hard drives that can be used with the iPad.
    The Kingston Wi-Drive, which costs $50 for the 16 Gigabyte, and then $30 more for every 16 gigs more. It works by you turning it on and then accessing the files on it from an app that you download on your iDevice. You can access music, movies, and other stuff. No connections or anything, it works like a WiFi connection, you connect to it from the setting on the iPad under wireless networks.
    Then there is the Seagate GoFlex, which some would recommend over the Wi-Drive. But this one costs $199 and had 500 Gigabytes of storage. It works the sameway as the Kingston: no wires, runs over its wireless connection. You can actually fit up to 300 HD movies on it.
    Another option:
    Expand your iPad's storage capacity with HyperDrive
    http://www.macworld.com/article/1153935/hyperdrive.html
    On the road with a camera, an iPad, and a Hyperdrive
    http://www.macworld.com/article/1160231/ipadhyperdrive.html
     Cheers, Tom

  • I am setting up a new iMac and need help syncing files to Dropbox.  On my old computer I had it set where when I saved a document, it was saved on my hard drive, as well as to a folder in Dropbox.  I can't remember how I set this up.  Any help?

    I am setting up a new iMac and need help syncing files to Dropbox.  On my old computer I had it set where when I saved a document, it was saved on my hard drive, as well as to a folder in Dropbox.  I can't remember how I set this up.  Any help?

    The way that Dropbox works is that it keeps a copy of all your files in your local Dropbox folder on your hard drive (which is, by default, directly under your home folder). Adding files to that folder will sync them to the Dropbox server.
    You do of course have to download the Dropbox application to enable this (download link at the top right of http://dropbox.com ).
    Matt

  • I have recently restored everything on my iMac after getting a new hard drive. When i try to use Elements, i get the following error code   ERROR  150:30. Any ideas?

    I have recently restored everything on my iMac after getting a new hard drive. When i try to use Elements, i get the following error code   ERROR  150:30. Any ideas?

    Did you use migration assistant to copy over programs, documents, and settings? You can't do that with PSE. Elements is not a tidy package in accordance with the apple developer guidelines. The installer strews stuff all of your hard drive in place the migration assistant isn't programmed to look and you can never hope to find all h the bits. You must always install PSE from scratch on a new machine. By attempting to copy it you have made a lot of trouble for yourself.
    You will need to download and run this:
    Use the CC Cleaner Tool to solve installation problems | CC, CS3-CS6
    and then you can go around and manually remove what you can reach. Look in applications, your hard drive>library>application support>adobe, your username>library>preferences. In the user library also delete any saved application states for PSE.
    Then you can reinstall from scratch.

  • HT204414 does the system library need to be on the primary hard drive or can it be on my external hard drive and still be able to use the cloud?

    does the system library need to be on the primary hard drive or can it be on my external hard drive and still be able to use the cloud?

    I have the system Library on a second internal drive and it is syncing with iCloud with no problems. Also the Media Browser it seeing it there.
    Only make sure, your external drive is directly connected and correctly formatted MacOS Extended (Journaled).

  • PerfView : Does source code lookup always shows time-based-indicators and not size-based?

    Hi,
        I've two questions on "source code look-up feature" - this is one of the highlighting features from PerfView (thank you for that).
    1) I've created ETL aiming only at managed memory pressure analysis (that is by deselecting all other options except => ".NET", "GC Only", ".NET SampAlloc")
          >> Now if I go to source code look-up from "GC Heap Alloc Stacks" it navigates to the code and shows an indicator (for example "105.7K|") does this mean => CPU time spent here -or- Total memory
    consumed from here?
    2) Currently "source code look-up feature" works only for .etl file and not for .gcDump, is there a way to make it working for .gcDump also with properly configured symbol paths? (I mean without creating .etl files).
          [this would really help me avoiding time & space for ETL in cases where I'm interested only in "gcDump"].
    --gopalan

    Sorry but I forgot to say, that I selected ITSMobile as the template generator. Everything works like a charm when I use the WebGui template generator.
    So I can narrow down the problem: Does anyone know how to display itsmobile templates correct in an standalone ITS 6.20 28.
    Best regards.
    Markus

Maybe you are looking for

  • Photoshop CS2 help.

    Hi, I cant figure out how to put something over an area I painted on. Like I want to put text on an area I painted on but it just goes underneath the paint. What do I do? Thanks And happy April Fools Day

  • Combining multiple pdfs and then adding info to the blank fields.

    i combined multiple pdf's together to make one package.  The forms had text field in each of them, when i combined them i tried to add text to the blank spots and the info autofilled from page one on to all of the pages.  I do not want this to happen

  • I can't print websites to pdf format

    I cannot print a website as a pdf file from Firefox 3.6.13 (I use a Mac OSX 10.6.6). Basically, what I do is go to the pull down menu, select print, and then Save as pdf. It only prints the first page. The print function for Firefox is also smaller,

  • Retrieve Data from the Webservice through Data connection in Adobe Form

    hi                                         i done Student ejb application i.e, Create,Update,Retrieve,Delete operation. I create the WebServices to these operations. Present  i connect the webservice through data connection . create operation is done

  • DVD decoder for Windows Media player

    When i put a movie dvd in my satelite A10 he open windows media player and then he says that he can't find a dvd decoder. What must i do to watch dvd movies?