The FX - 670 k, what exactly?

I know that it is mainly a forum for peer-to-peer, but there are some officials in HP lurking around here, so I might as well ask the question:

What exactly is the difference between the AMD FX - 670 k and an ordinary AMD A10-6700 APU? They have the same exact basic features. Is it simply that the FX - 670 k is unlocked (via the 'k' suffix)? It is even at all unlocked?

Or it is just an attempt between HP and AMD to obfuscation to make an APU with a processor rather weak power seem more respectable in desktop systems? Because that's what I think, and I would be happy to be refuted that large companies are that cynical.

Hello Zacabeb,

The difference between the two is that with the AMD FX - 670 k has removed the HD D 8670.
You can read a bit more on the difference through the following article

http://www.hardwareluxx.com/index.php/news/hardware/CPU/30331-AMD-FX-670k-will-be-released-as-A10-6700-without-integrated-graphics.html

Tags: HP Desktops

Similar Questions

  • The 'cell factory?", what exactly is

    So I was see this term a lot on forums, as well as the http://docs.oracle.com/javafx/2/ui_controls/table-view.htm and all, but I'm not 100% sure that it's... It seems that just a method to set the data to the tables, like the model of table? Someone at - it a more in depth than in the docs explaining, I'd appreciate it!

    Thank you

    ~ KZ

    Cell factories create cells. A cell is a labelled node that contains additional properties and methods to maintain a State of the selection and editing as well as a link to a cell value. Cells are used in a few places in JavaFX, for example in ListView and make, as well as TreeTables and ComboBoxes. The cell is the Visual representation (node), which corresponds to an element of data backup. The trick is that there is not necessarily a correspondence to a static between the cells and the data values.

    Let's take an example. This is an empty ListView in a scene. When I run the app, it displays the ListView to his height, with 17 lines.

    import javafx.application.Application;
    import javafx.scene.Scene;
    import javafx.scene.control.ListView;
    import javafx.scene.layout.*;
    import javafx.stage.Stage;
    
    public class ListViewSample extends Application {
      @Override public void start(Stage stage) {
        ListView listView = new ListView();
    
        VBox layout = new VBox();
        VBox.setVgrow(listView, Priority.ALWAYS);
        layout.getChildren().addAll(listView);
        stage.setScene(new Scene(layout));
        stage.show();
      }
    
      public static void main(String[] args) { launch(args); }
    }
    

    Each of these 17 rows is empty. No cell factory has been set, but you can see the light and dark shaded alternating lines. Each of these lines in the ListView corresponds to a cell and each cell has been generated by the ListView default cell factory. When I drag the lower border of the stage to increase the size of the stage, the list view increases in size. When I drag the lower border of the scene to reduce the size of the stage, the list view decreases in size. When the list view increases in volume, more lines are visible. Each of the new cells for the larger view of the list are generated by the cell factory on an as needs basis; i.e. the cells were not created when the application was first run but created only because there is a larger surface area available to the ListView in which ListView can display more cells visible.

    Now everything's pretty boring so far. Add some data, by using the following line of code:

    listView.setItems(FXCollections.observableArrayList("apple", "orange", "pear"));
    

    Now, you will see the 'apple', 'pear' and 'orange' channels made in the first three cells of ListView again by using the factory default cell for the ListView. Again, it is quite annoying.

    What we will do now is add some switches that change the observable list, support for the display of the list in response to certain actions of the user:

    import javafx.application.Application;
    import javafx.collections.FXCollections;
    import javafx.event.*;
    import javafx.scene.Scene;
    import javafx.scene.control.*;
    import javafx.scene.layout.*;
    import javafx.stage.Stage;
    
    import java.util.Collections;
    import java.util.Comparator;
    
    public class ListViewSample extends Application {
      @Override public void start(Stage stage) {
        final ListView listView = new ListView<>();
        listView.setItems(FXCollections.observableArrayList("apple", "orange", "pear"));
    
        ListViewSorter listViewSorter = new ListViewSorter(listView).invoke();
    
        VBox layout = new VBox(10);
        VBox.setVgrow(listView, Priority.ALWAYS);
        listView.setMinHeight(0);
        layout.getChildren().addAll(
            listView,
            HBoxBuilder
                .create()
                .spacing(10)
                .children(
                    guavaCreator(listView),
                    listViewSorter.getSorter(),
                    listViewSorter.getReverser()
                )
                .build()
        );
    
        stage.setScene(new Scene(layout));
        stage.show();
      }
    
      private Button guavaCreator(final ListView listView) {
        final Button guavatron = new Button("Add Guava");
        guavatron.setOnAction(new EventHandler() {
          @Override public void handle(ActionEvent actionEvent) {
            listView.getItems().add("guava");
            guavatron.setDisable(true);
          }
        });
        return guavatron;
      }
    
      public static void main(String[] args) { launch(args); }
    
      private class ListViewSorter {
        private final ListView listView;
        private Button sorter;
        private Button reverser;
    
        public ListViewSorter(ListView listView) {
          this.listView = listView;
        }
    
        public Button getSorter() {
          return sorter;
        }
    
        public Button getReverser() {
          return reverser;
        }
    
        public ListViewSorter invoke() {
          sorter = new Button("Sort");
          sorter.setOnAction(new EventHandler() {
            @Override public void handle(ActionEvent actionEvent) {
              Collections.sort(listView.getItems());
            }
          });
    
          final Comparator REVERSE_SORT = new Comparator() {
            @Override  public int compare(String s1, String s2) {
              return -1 * s1.compareTo(s2);
            }
          };
    
          reverser = new Button("Reverse Sort");
          reverser.setOnAction(new EventHandler() {
            @Override public void handle(ActionEvent actionEvent) {
              Collections.sort(listView.getItems(), REVERSE_SORT);
            }
          });
          return this;
        }
      }
    }
    

    OK, now we have a few extra buttons, the button "Add guava" will create a new item ("guava"), the "Tri" and "Reverse the fate", buttons will change the sort order of the list of support. Now to understand what is happening behind the scenes when we use these buttons, let's take a look at the source code of the default list cell factory.

    new ListCell() {
       @Override public void updateItem(Object item, boolean empty) {
         super.updateItem(item, empty);
    
         if (empty) {
           setText(null);
           setGraphic(null);
         } else if (item instanceof Node) {
           setText(null);
           Node currentNode = getGraphic();
           Node newNode = (Node) item;
           if (currentNode == null || ! currentNode.equals(newNode)) {
             setGraphic(newNode);
           }
         } else {
           setText(item == null ? "null" : item.toString());
           setGraphic(null);
         }
       }
     };
    

    This code is one of the three things. If the cell in the list is empty, it sets the text and graphics on a null value, if you end up with an empty cell (the alternating gray bars light and darkness are generated by parent of the ListCell defining different classes of style on other cells). If the item is a node, it sets the chart to the node - this is the mechanism that allows to place nodes directly in the support list for the ListView and ListView to display their OK. Otherwise a toString is called on the element to set the text of the item (it is the case that occurs in our simple example strings in the list of backup).

    Now, the important thing to note about the ListCell implementation, it is that the intelligent logic to translate the support element for the cell to a Visual representation occurs in an UpdateItem. The updateItem method is called by the system of JavaFX on the ListCell whenever the cell support element has been invalidated, for example, the item has been modified, added a new element or the items in the list have been reorganized.

    So if someone clicks on the button "Add guava", a new ListCell is not created, rather updateItem is called on an already-existing empty cell. This is because when we started the application, there was space for 17 rows, so 17 cells were already created, it's just that most of them was empty, because we had only 3 elements in the support for the ListView list.

    Now, if press us one of the sort buttons to reorder the list of support, it will cause the existing cells in the list become invalid and updateItem is called on each cell according to the permutations of change in the ObservableList. Note that each item is updated, a new display labeled for the element node is not created, instead, the setText method is called that changes the text to the labeled existing.

    There are a few additional cases to understand. Our support list currently tops out at 4 elements. Let's say down us from our scene above so that the space available for the ListView was really small (for example only 2 rows high). In this case, you will have two rows (cell) and a scroll bar that you can use to scroll up and down. When you scroll up and down, it seems that some lines are scrolling off the screen and some are scrolling on the screen. What is actually happening, however, is that the same two cells remain on the screen and their content are continuously updated and replaced the support members come in and out of sight. This is the magic that ListView is able to achieve its effectiveness when it is potentially very large collections or collections where not all the necessary data are available on the client at the present time. Instead of creating Visual cells for all possible items that can be placed in the list, instead the ListView creates cells only for visible items and updates the content of these cells on a basis according to the needs. This concept is known in the jargon of creators of the list as a virtual flow cell in a virtualized control.

    OK, so that was a little more interesting, but there was a lot of words so far and no factory custom cell. It was partly the purpose - there is a lot you can do with the factory of the cell by default without having to create your own custom cell factory.

    But sometimes you actually want to create your own cell factory when you want precise control on the appearance or behavior of the cells.

    Let's say you want to display each item in the list with a friendly name capitalized "Apple", "Orange" and "Pear" and an icon - matching a photo of the fruit. To do this, you create a cell factory - something that can produce the Visual representation of these things in the corresponding data values.

    import javafx.application.Application;
    import javafx.collections.*;
    import javafx.scene.Scene;
    import javafx.scene.control.*;
    import javafx.scene.image.*;
    import javafx.scene.layout.*;
    import javafx.stage.Stage;
    import javafx.util.Callback;
    
    public class ListViewCustomCellFactorySample extends Application {
      ObservableMap iconMap = FXCollections.observableHashMap();
    
      @Override public void init() {
        iconMap.put(
          "apple",
          new Image(
            "http://uhallnyu.files.wordpress.com/2011/11/green-apple.jpg",
            0, 32, true, true
          )
        );
        iconMap.put(
          "orange",
          new Image(
            "http://i.i.com.com/cnwk.1d/i/tim/2011/03/10/orange_iStock_000001331357X_540x405.jpg",
            0, 32, true, true
          )
        );
        iconMap.put(
          "pear",
          new Image(
            "http://smoothiejuicerecipes.com/pear.jpg",
            0, 32, true, true
          )
        );
      }
    
      @Override public void start(Stage stage) {
        final ListView listView = new ListView<>();
        listView.setItems(FXCollections.observableArrayList("apple", "orange", "pear"));
    
        listView.setCellFactory(new Callback, ListCell>() {
          @Override public ListCell call(ListView stringListView) {
            return new LabeledIconListCell();
          }
        });
    
        VBox layout = new VBox(10);
        VBox.setVgrow(listView, Priority.ALWAYS);
        listView.setMinHeight(0);
        layout.getChildren().addAll(
            listView
        );
        stage.setScene(new Scene(layout));
        stage.show();
      }
    
      public static void main(String[] args) { launch(args); }
    
      private class LabeledIconListCell extends ListCell {
        @Override protected void updateItem(String item, boolean empty) {
          super.updateItem(item, empty);
    
          if (item != null) {
            String friendlyText = item.toString();
            if (item.length() > 0) {
              friendlyText = item.substring(0, 1).toUpperCase() + item.substring(1);
            }
            setText(friendlyText);
    
            setGraphic(
                StackPaneBuilder
                    .create()
                    .prefWidth(55)
                    .children(
                        new ImageView(
                            iconMap.get(item)
                        )
                    )
                    .build()
            );
          } else {
            setText("");
            setGraphic(null);
          }
        }
      }
    }
    

    Here what did the cell factory is to check what is the value of the support of the cell element is whenever this element has been updated and a few custom label text and graphical representation for the cell.

    As a minor point, efficiency, and because there are only a few of them, the necessary images are loaded and put across at the front so that they were not to be reloaded whenever the cell is updated with a different value (which if loading images under appeal updateItem cell could mean that the same image could potentially get loaded multiple times.)

    My personal point of view on it is that it is powerful but complicated. Often, people are going to gravitate around using the ListView and TableView APIs complex when they do not necessarily all the features of effective functionality and virtualization that provide controls virtualized. In many cases, simple layout such VBoxes mechanisms and schedules may be a better choice. However, if you have a need for the virtualized functions, then it is good to know that things like ListView and TableView are there if you can work out how to use them in your case.

    Also note that JavaFX 2.2 + a many practical methods for the creation of different cell types that you may be able to use in the standard cases to avoid overload by creating your own, for example the CheckBoxListCell, the ComboBoxListCell and the TextFieldListCell. And there are many more of these simplifying higher level abstractions in DataFX library.

    Another interesting to observe point, it's that if you have a list of objects mutatable, for example the Person objects with a last variable name field, then you need to be the subject of an object Observable with an implementation of cancellation if you want the updateItem call in the cell factory is called automatically whenever the object mutates.

    A plant cells and plant cell value are different things, but this is probably a topic for another post.

    I know it was a long explanation and around - if all goes well he served something and helped explain some of the mysteries of the factories of the cell.

    http://docs.Oracle.com/JavaFX/2/API/JavaFX/scene/control/cell.html
    http://www.javafxdata.org
    http://docs.Oracle.com/JavaFX/2/ui_controls/list-view.htm

  • What exactly does the Time Machine backup?

    What exactly does the Time Machine backup?

    We have a Mac Pro towers (NOT for sale) and Mac mini with several hard drives installed internally.   Time Machine backup all internal disks or just the boot disk?   This can be configured?

    Time Machine backs up your default boot partition. However, if you have more than one drive or partition on your Mac (and it is formatted in "Mac OS extended (journaled)"), you can set the Time Machine to save these drives too. You can do this by removing these drives from the list of excluded items in System-> Time Machine-> Options... Preferences, so that the next backup will include all internal hard drives or partitions that you want to back up too.

  • What exactly does the "recovery disk"?

    I'm about to reinstall everything on my laptop but would like to know what exactly is the "recovery disk"...

    I presume that it formats the HARD drive with a clean installation of the operating system and all applications toshiba as a CD burner, VAP etc. are NOT installed and must be installed afterwards?

    Well, the restore CD contains an image of Toshiba. Toshiba picture is a package and contains a Windows operating system, the Toshiba drivers, tools and additional software.
    Simply said that it contains everything that you might find preinstalled on the Toshiba laptop.

    And Yes; the recovery CD formats the drive HARD integer (also partitions) and install everything again.
    It redefines the laptop to factory settings

  • What exactly happens when you change the name of the computer, and it asks you to restart?

    What exactly happens when you change the name of the computer, and it asks you to restart - relating to the registration and identification of network?  Specifically when a computer isn't yet in one area but is still in a working group.  Y at - it show any PC by informing other computers it's name has changed?

    Computers into working groups are actively seeking each other, so if you rename a computer, it will not be shown anything. The restart is to erase the name of origin since the system cache, he will think that it's always the old name until the reboot takes place. Work computers is simply 'shake hands' with each other whenever they need to communicate.

    Computers that are part of a domain are created a 'computer' account that is assigned a random password that changes every 30 days by default automatically. These computer accounts work almost identical to an Active Directory user account, which means that they are not proactive they simply cached credentials with their permissions to provide if / when requested by heritage in the environment.
    Users and computers Active Directory accounts are stored in the NTDS. SAID the database, the backbone of an AD environment. When a computer name changes in one area, it takes the PC restarted simply for the PC. The change of name in Active Directory will replicate throughout the environment based on the settings of replication of this environment.
    I'm too simplify all this, but the general concept is there.
  • How to manage the events of mouse in Flash? What exactly "this" qualifies?

    Hi, I have problems with mouse (working in HTML5 Canvas) events I hope someone here can explain a few things.

    First of all, can someone explain what exactly "this" means? What I've read, it seems that 'this' refers to the current timeline that you are in, when you type the code?

    -------

    in any case, my problem, is that I have some nested clips I want to control (start, stop) with mouse Rollover events and using the code below, the parent layer seems to work, but I can't find a way to get a 'child' movieClip to use this code (and works). There are no tutorials on what I can find on this subject, so any help would be very appreciated.



    This.Stop ();

    frequency of var = 3;

    stage.enableMouseOver (frequency);

    This.on ("rollover", fl_MouseOverHandler_32);

    function fl_MouseOverHandler_32()

    {

    This.Play ();

    stage.enableMouseOver (0);

    }

    use:

    var tl = this;

    TL. Stop();

    frequency of var = 3;

    stage.enableMouseOver (frequency);

    TL.on ("rollover", fl_MouseOverHandler_32, NULL, true);

    function fl_MouseOverHandler_32()

    {

    TL. Play();

    stage.enableMouseOver (0);

    }

    child mc

    var rl = this;

    RL. Stop();

    frequency of var = 3;

    stage.enableMouseOver (frequency);

    rl.clickCatcher.on ("rollover", fl_MouseOverHandler_16, null, true);

    function fl_MouseOverHandler_16()

    {

    rl.gotoAndPlay (328);

    stage.enableMouseOver (0);

    }

  • I would like to create a wavy line (the zig zag feature is exactly what I need here) to the outline

    I would like to create a wavy line (the zig zag feature is exactly what I need here) to the contour of the form and then fill it with a solid color. Any ideas?

    It's about what I want; However the ripple needs to be rounder and less peaked

    Screen Shot 2013-08-11 at 8.20.43 AM.png

    Barbara,

    If you want to create a gap between the wavy line and the underlying object, you can:

    (1) select the wavy line and object > decompose the appearance;

    (2) the tick of the feature new appearance Panel flyout, let slip under the stroke of origin and increase the weight of the race as you like and change the color to white.

    If you want to make the transparent gap, you can:

    (3) select the wavy line and object > decompose the appearance and separate;

    (4) select the path white and underlying object and in the transparency palette dialog box check do the with unchecked Clip opacity mask and mask Invert checked.

    It can be done in other ways, too.

  • all the Favorites have disappeared; What bookmarks files I have to restore?

    My computer has been destroyed by a virus and now reinstalled Windows. Everything was wiped out, including my favorite sites of Firefox. I have a backup (Carbonite) online, which has a lot of Firefox saved files. Can I replace the files "json", or "places.sqlite" - what exactly what I need to replace and where do I put it?

    Thank you very much.

    Make sure you delete all the other files in places in the profile folder if have a copy you of backup of places.sqlite.

  • Screen flickered out of control. I stopped him, it's OK on the restart, but now what?

    Is this a HD failure? (I've replaced twice over the years). It presents the motherboard? Somethings obviously lacking. Apart from the backup, what can I do?

    Perhaps unrelated: I wonder constantly updating my browsers (doesn't matter which). I am running 10.6.8 I need probably put first before update of Safari, Chrome, Firefox...

    End of 2006, MacBook Core Duo; 3Gig (667 mhz) HD is 750 GB; running OS 10.6.8

    Hardware can have a fault that could be the cause of the shimmering screen.

    So maybe it's something to watch. There may be utility Console logs of

    the exact time of day (hours, minutes, seconds) with details about this situation.

    You can try to reset the computer by using the SMC reset instructions; the part of what

    can help is to be able to reset... In addition, a different reset NVRAM can have another effect

    and they cause no harm. This could be seen as part of troubleshooting, as it

    does not offer a cure for failing to display components or other material exhaust.

    • Reset the management system (SCM) controller on your Mac - Apple Support

    read this document to support before trying anything.

    • How to reset the NVRAM on your Mac - Apple Support

    Some users leave computer chime three times, reset, the use of this. Make sure that the audio is not muted.

    Given the age of the computer, there may be a UPS or any other room display could be

    exhaust. There are a few parts that could cause this symptom; and let the flicker

    occur when moving the display (open/close), there is a circuit of the logic board to display

    which may be replaced by a new cable or other part. And if the computer is still using

    the original hard disk drive which at is a moving part (rotation with pens) & could be replaced.

    • How to download and install Firefox on Mac - using Mozilla Firefox:

    https://support.Mozilla.org/en-us/KB/how-download-and-install-Firefox-Mac

    The browser. You should have no trouble using Firefox, because they have a version for use

    in Snow Leopard 10.6.8. That's probably the only browser to update for Mac Intel processor number now.

    A computer repair may involve the display inverter or other components, best contact

    a service provider authorized Apple working on older models of MacBook vintage and that

    can get the parts. The Apple Store is not going to fix the vintage computers, options exist.

    Or you could read up on some of the problems most currents & answers to see if your skills can

    be sufficient attempt a DIY repair. (Or use the guide to see what it can lead to repair?)

    Although an Apple Store Genius appointment can be useful if they could test or review the unit

    unless he has a strange behavior during a visit, they may not be able to offer suggestions; generally

    a manager of the Apple Store Genius visit has little or no cost for advice. Former computer problems are

    usually outside their current Applecare, parts and warranty flow. And with some models,

    product knowledge is better an authorized Apple specialist or a well-known service location.

    They would be more likely to have sources of parts and knowledge on how to fix older models.

    • Core 2 Duo MacBook repair guides - iFixit.com:

    https://www.iFixit.com/device/MacBook_Core_2_Duo

    There are online repair guides, such as those of the iFixit.com site for Mac repairs and do this

    give you a good look inside the computer & parts appear as well as takeapart sequences.

    Sources for parts and service are companies that accept laptops during the expedition

    to their repair facilities; These can vary and are across the country. (Or several countries).

    Two I read on the United States, are not exclusive, but serve as examples: wegenermedia.com

    and powerbookmedic.com - I sent an Apple laptop to Alaska wegenermedia

    based on the good reputation of a few years. they did a pretty good job when I am the

    portable back (he was in very good condition, with original and software box) I finally sold to a

    type more aged 30 miles away who had never owned a computer before. He's 85 years old & used 5 years.

    I have provided two years of support (like a neighbor in a small, sparsely populated area) & helped him learn.

    And did not offer to have helped him understand the internet, wireless, printing and so on.

    If the computer you may be worth the cost to check it out to the course, or you might get another almost

    like that, already repaired for what companies can charge to the difficulty that one. I have a MacBook

    (MB1.1 1.83 GHz 13 inches) with 2 GB of RAM, disk HARD 160 GB, OS X 10.5.8; and it flickers sometimes.

    The unit still works better if open and set up as a desktop with USB keyboard & mouse so unit

    the screen does not move much. So that much less flickers in this situation. You mileage may vary.

    Good luck & happy computing!

  • What exact motherboard has Satellite Pro L650 - 15 c

    Hello

    I searched for a long time and I have not found anything on this topic.

    What exact motherboard has the L650 - 15 c?
    H55 or P55?

    Because on the H55, it would be possible to use the graphicchip on the I3 which is not if the P55 is used in the L650 - 15 c.

    Thio

    PS: Thank you for your time.

    Your model of phone has Mobile Intel HM55 Express Chipset.

    Good bye

  • What exactly should I have?

    Although I'm an addict of the Acer, I just joined the community because I can't find the answer to my question.  I recently bought a Ultrabook through my Government company that had this description of a ultrabook that I intend to get.

    Acer Aspire S7 13.3 in. display 4 GB memory Ultrabook AS2500S1

    • Operating system: Windows 8
    • Processor & memory: I5-3317U processor Intel (1.7 GHz) 2.6 GHz dual-core with Turbo Boost technology; 4 GB memory
    • Storage: 128 GB Solid State Drive
    • Display & Design: 13.3 "CineCrystal HD LED backlit; resolution 1366 x 768; Black finish; Measure 12.8 "W x 8.9" D; 2.65 lbs.
    • Video/graphic: Graphics Intel HD 4000
    • Audio speakers: Built-in speakers
    • Includes: Built-in webcam and Microphone; Multi-Geste
    • Battery & connectivity: Up to 6.5 hours portable; WiFi; Bluetooth 4.0
    • I/o ports: HDMI 1; 2 USB 3.0 Ports; Intel certified card reader Thunderbolt
    • Approved ENERGY STAR: Yes

    When I arrived at the unit, he seemed to make the one I ordered, the box showed Aspire S5.  Then I searched this site for and S5 and it will not end.  I tried the AS2500S1 part number and unity, he showed was a V5 with features completely different and sold in another country.  When I search the SKU # 2312983, a mobile phone watch bundle.  Can someone say please 1) what exactly should I? (2) if there are, the S5 is cheaper than what I order?  (3) is there a difference?  Thanks in advance.

    Is what color? I think what the S7 comes color is white and the S5 is black. The S7 is the supermodel for acer. It features a 1920 x 1080 p screen, while the S5 has a 1366 x 768 p display. Also, I don't think that the S5 is a touch screen.

  • Cannot enable DirectSound for the selected device. What should I do now?

    I have no sound, speakers or headphones and recently installed wxp home with all the drivers and updated and always says that I don't have a driver of its usable.

    Hello

    ·          What is the number and the model of the computer?

    ·          What is the exact error message with the error code that you receive?

    Try the methods below:

    Method 1: Try to install all Windows updates and check for available question. To do this, follow these steps:

    Click on start, all programs, and then click Windows Update.

    Click Find updates on the left of the screen.

    If updates are available, go ahead and install them.

    Method 2: Follow the steps in the below links:

    1 solving Audio problems in Windows: http://support.microsoft.com/gp/troubleshoot_audio_windows

    2. how to fix sound problems in Windows XP: http://windows.microsoft.com/en-US/windows/help/no-sound-in-Windows

  • What exactly is Adobe and why my computer it need?

    What exactly is Adobe and why my computer it need? And while im asking what did the java? Why is it always up to date?

    Hello

    Adobe do a lot of programs.

    Here are some examples:

    1. adobe Flash Player

    2. adobe Reader.

    3 adobe Air

    4 adobe ShockWave Player

    etc.

    Google or Adobe will help with that.

    http://www.Adobe.com/

    For Java, read this:

    http://en.wikipedia.org/wiki/Java _(programming_language)

    See you soon.

  • What exact HP Laser Jet models are combined with CB518A?

    I have a question about the product Hewlett - Packard P 500-sheet input tray - LJ P401x/P451x Series (CB518A). What exact HP Laser Jet models are combined with CB518A?

    I looked through your website but I couldn't find anything on CB518A. Then I tried Russian/English sites (online markets), but the information differs from one site to the other. I need this information!

    Hey ana banana

    I looked in the paper that you are connected.  The series P4010 mentioned refers to the P4014, P4015 I mentioned above.  It seems that the paper tray is also compatible with the P4510 series which is an improved version of the model P4010.  The P4515 is referenced by instructions P4510 printer.

    So far, these are printers only 3 that I found using this paper tray, however.

  • "The reserve battery level" what do I do?

    This isn't a problem. but a question, search through forums and research that I have not been able to find the engines.

    in windows 7, what exactly happens when the "reserve battery level" is used?
    You can get to it if you go to the advanced power option and open the menu for the battery.

    does actually do anything for the reserve power when the battery is low, or is it just a warning for you say your about to run out of power?

    Yes, that's a warning to save the data to prepare a forced shutdown. Documents in production are in danger of disappearing. Many processors will be autobackup now and then for this reason.

    Messages rating helps other users

    Mark L. Ferguson MS - MVP

Maybe you are looking for

  • 3 watch OS update appears not

    Hello I'm trying to upgrade to watch OS 3, but it does not appear in my available updates. My iPhone is on iOS 10.0.1. Any tips? M

  • Where is the help on the topic: "restart with disabled modules.

    In aid of the menu choice "restart with disabled modules" is trying to find out what would be the consequences of this command, but I can't get any result on this SPECIFIC command. If I try, I definitely will disable my Add - ons? I have to ask this

  • Is satellite P200 - possible to recover from a single partition

    Hello Is it possible to recover a single rather than format each disk and then recover partition.Or will I just use Windows to do since the picture is made by using ImageX

  • HP50g summons to infinity problems

    I am doing a summons to infinity and if I keep it in the equation writer I just get the hourglass and he can't understand it. If I eval in the stack with indicator 3 checked I get the same thing, but if I hit Cancel all of a sudden the right answer a

  • Shortcut keys

    I have an Acer Aspire V5-571pg-9814 and I'm in Windows 8. Is it possible to change (or at least turn) (Fn) keys? I'm wishing for the most part be sure my touchpad does not have a defined deactivation function, but would also like to see what others a