Weird error with two classes that surrounds picking paths (oraclebook)

Hi guys! I come here once more to ask for help, please!

As you may know, im currently studying this book of the oracle, but my two classes that take the paths give me some errors.
Can anyone have a look for me? I has not changed the codes at all!
package CapituloII;

/**
 *
 * 
 */

import java.io.File;
import java.util.ArrayList;
import java.util.List;
import javafx.application.Application;
import javafx.event.EventHandler;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.image.Image;
import javafx.scene.image.ImageView;
import javafx.scene.input.DragEvent;
import javafx.scene.input.Dragboard;
import javafx.scene.input.MouseEvent;
import javafx.scene.input.TransferMode;
import javafx.scene.layout.HBox;
import javafx.scene.paint.Color;
import javafx.scene.shape.Arc;
import javafx.scene.shape.ArcBuilder;
import javafx.scene.shape.ArcType;
import javafx.scene.shape.Rectangle;
import javafx.scene.shape.RectangleBuilder;
import javafx.stage.Stage;

/**
 * Creating Images
 * @author cdea
 */
public class Pagina70 extends Application {
    private List<String> imageFiles = new ArrayList<>();
    private int currentIndex = -1;
    public enum ButtonMove {NEXT, PREV};

    /**
     * @param args the command line arguments
     */
    public static void main(String[] args) {
        Application.launch(args);
    }

    @Override
    public void start(Stage primaryStage) {
        primaryStage.setTitle("Chapter 2-1 Creating a Image");
        Group root = new Group();
        Scene scene = new Scene(root, 551, 400, Color.BLACK);
        
        
        // image view
        final ImageView currentImageView = new ImageView();
        
        // maintain aspect ratio
        currentImageView.setPreserveRatio(true);
        
        // resize based on the scene
        currentImageView.fitWidthProperty().bind(scene.widthProperty());
        
        final HBox pictureRegion = new HBox();
        pictureRegion.getChildren().add(currentImageView);
        root.getChildren().add(pictureRegion);
        
        // Dragging over surface
        scene.setOnDragOver(new EventHandler<DragEvent>() {
            @Override
            public void handle(DragEvent event) {
                Dragboard db = event.getDragboard();
                if (db.hasFiles()) {
                    event.acceptTransferModes(TransferMode.COPY);
                } else {
                    event.consume();
                }
            }
        });
        
        // Dropping over surface
        scene.setOnDragDropped(new EventHandler<DragEvent>() {

            @Override
            public void handle(DragEvent event) {
                Dragboard db = event.getDragboard();
                boolean success = false;
                if (db.hasFiles()) {
                    success = true;
                    String filePath = null;
                    for (File file:db.getFiles()) {
                        filePath = file.getAbsolutePath();
                        currentIndex +=1;
                        imageFiles.add(currentIndex, filePath);
                    }
                    
                    // set new image as the image to show.
                    Image imageimage = new Image(filePath);
                    currentImageView.setImage(imageimage);
                        
                }
                event.setDropCompleted(success);
                event.consume();
            }
        });

        
        // create slide controls
        Group buttonGroup = new Group();
        
        // rounded rect
        Rectangle buttonArea = RectangleBuilder.create()
                .arcWidth(15)
                .arcHeight(20)
                .fill(new Color(0, 0, 0, .55))
                .x(0)
                .y(0)
                .width(60)
                .height(30)
                .stroke(Color.rgb(255, 255, 255, .70))
                .build();
        
        buttonGroup.getChildren().add(buttonArea);
        // left control
        Arc leftButton = ArcBuilder.create()
                .type(ArcType.ROUND)
                .centerX(12)
                .centerY(16)
                .radiusX(15)
                .radiusY(15)
                .startAngle(-30)
                .length(60)
                .fill(new Color(1,1,1, .90))
                .build();
        
        leftButton.addEventHandler(MouseEvent.MOUSE_PRESSED, new EventHandler<MouseEvent>() {
            public void handle(MouseEvent me) {                
                int indx = gotoImageIndex(ButtonMove.PREV);
                if (indx > -1) {
                    String namePict = imageFiles.get(indx);
                    final Image image = new Image(new File(namePict).getAbsolutePath());
                    currentImageView.setImage(image);
                }
            }
        });
        buttonGroup.getChildren().add(leftButton);
        
        // right control
        Arc rightButton = ArcBuilder.create()
                .type(ArcType.ROUND)
                .centerX(12)
                .centerY(16)
                .radiusX(15)
                .radiusY(15)
                .startAngle(180-30)
                .length(60)
                .fill(new Color(1,1,1, .90))
                .translateX(40)
                .build();
        buttonGroup.getChildren().add(rightButton);
        
        rightButton.addEventHandler(MouseEvent.MOUSE_PRESSED, new EventHandler<MouseEvent>() {
            public void handle(MouseEvent me) {                
                int indx = gotoImageIndex(ButtonMove.NEXT);
                if (indx > -1) {
                    String namePict = imageFiles.get(indx);
                    final Image image = new Image(new File(namePict).getAbsolutePath());
                    currentImageView.setImage(image);
                }
            }
        });
        
        // move button group when scene is resized
        buttonGroup.translateXProperty().bind(scene.widthProperty().subtract(buttonArea.getWidth() + 6));
        buttonGroup.translateYProperty().bind(scene.heightProperty().subtract(buttonArea.getHeight() + 6));
        root.getChildren().add(buttonGroup);
        
        primaryStage.setScene(scene);
        primaryStage.show();
    }
    
    /**
     * Returns the next index in the list of files to go to next.
     * 
     * @param direction PREV and NEXT to move backward or forward in the list of 
     * pictures.
     * @return int the index to the previous or next picture to be shown.
     */
    public int gotoImageIndex(ButtonMove direction) {
        int size = imageFiles.size();
        if (size == 0) {
            currentIndex = -1;
        } else if (direction == ButtonMove.NEXT && size > 1 && currentIndex < size - 1) {
            currentIndex += 1;
        } else if (direction == ButtonMove.PREV && size > 1 && currentIndex > 0) {
            currentIndex -= 1;
        }

        return currentIndex;
    }
    
}
Error generated when I drag-and - drop:

ATTENTION: It won't let me copy the first two lines and the last two lines of the error:

>




java.lang.IllegalArgumentException: Invalid URL: unknown protocol: c
at javafx.scene.image.Image.validateUrl (unknown Source)
to javafx.scene.image.Image. < init >(Unknown Source)
to CapituloII.Pagina70$ 2.handle(Pagina70.java:96)
to CapituloII.Pagina70$ 2.handle(Pagina70.java:80)
at com.sun.javafx.event.CompositeEventHandler.dispatchBubblingEvent (unknown Source)
at com.sun.javafx.event.EventHandlerManager.dispatchBubblingEvent (unknown Source)
at com.sun.javafx.event.EventHandlerManager.dispatchBubblingEvent (unknown Source)
at com.sun.javafx.event.CompositeEventDispatcher.dispatchBubblingEvent (unknown Source)
at com.sun.javafx.event.BasicEventDispatcher.dispatchEvent (unknown Source)
at com.sun.javafx.event.EventDispatchChainImpl.dispatchEvent (unknown Source)
at com.sun.javafx.event.BasicEventDispatcher.dispatchEvent (unknown Source)
at com.sun.javafx.event.EventDispatchChainImpl.dispatchEvent (unknown Source)
at com.sun.javafx.event.EventUtil.fireEventImpl (unknown Source)
at com.sun.javafx.event.EventUtil.fireEvent (unknown Source)
at javafx.event.Event.fireEvent (unknown Source)
to javafx.scene.Scene$ DnDGesture.fireEvent (unknown Source)
to javafx.scene.Scene$ DnDGesture.processTargetDrop (unknown Source)
to javafx.scene.Scene$ DnDGesture.access$ 6500 (unknown Source)
to javafx.scene.Scene$ DropTargetListener.drop (unknown Source)
at com.sun.javafx.tk.quantum.GlassSceneDnDEventHandler.handleDragDrop (unknown Source)
at com.sun.javafx.tk.quantum.GlassViewEventHandler.handleDragDrop (unknown Source)
at com.sun.glass.ui.View.handleDragDrop (unknown Source)
at com.sun.glass.ui.View.notifyDragDrop (unknown Source)
at com.sun.glass.ui.win.WinApplication._runLoop (Native Method)
in com.sun.glass.ui.win.WinApplication.access$ 100 (unknown Source)
to com.sun.glass.ui.win.WinApplication$ $2 1.run (unknown Source)
at java.lang.Thread.run(Thread.java:722)
Caused by: java.net.MalformedURLException: unknown protocol: c
at java.net.URL. < init > (URL.java:590)
at java.net.URL. < init > (URL.java:480)
at java.net.URL. < init > (URL.java:429)
... more than 27
Exception in thread 'Thread of Application JavaFX' E

Hello

I think that the string you give to the new Image (string) must be a URL, not a single file path.

So if you have a file, it would be something like:

File file = ...;
Image image = new Image(file.toURI().toURL().toExternalForm());

Hope this helps,

-daniel

Tags: Java

Similar Questions

  • network error 0 x 80070035 that the network path was not found.

    I have problem of network with Win7 pro. When I click on my network folder links to my LAN I geterror 0 x 80070035 the network path was not found.

    The network has been set up for 4 months, it includes 3 PC, so far the only problems have been minor, such that the network links, which restart a system endangered has been necessary to update the network and worked.

    The 2 other PC can see and access each other and see and access PC Win7 Pro troubled, but troubled PC Win7 Pro can even happen to its own network without theerror records 0 x 80070035 the network path is not found, arise.

    After hours of checking, I have found no resolution, but as I restored it the PC several times, sometimes service reappearing for a while.
    In my search for possible causes, I opened the Device Manager with the selected hidden devices, under network adapters and found189 instances of card Microsoft 6to4.
    I don't have 3 PC's networked! Anyone know if it is a normal number for Win7 or I found part of an anomaly.

    Any suggestions?

    c.Maresca

    Thank you for your comments.

    In the search for a solution to my problem of network Win7 Pro, that I've been on all the settings you mentioned before that I posted my question and no problem, everything is as it is necessary to have a comprehensive network and the network was very good except the occasional missing links, which I described in my original post. The only addition to the configuration of PC from the network has been initially implemented has been automatic updates to update from Ms.

    The good news is that, as I studied it to the maximum, I found 2 messages in the network forum Win7 which combined provided the solution for my problem with the network.

    As I did research on it, I noticed that a lot of people have similar problems of network. I know that there are many reasons of connectivity issues, as well as the solutions are specific problems, but if other users of the network are affected by the problem of multiple card Microsoft 6to4 and local network error 0 x 80070035 that the network path is not found, the solution I found worked for me.

    If you want to see more respond to this stream.

    c.Maresca

  • Getting year Error with RegExp class/interface in actionscript 2.0

    I get an error with the RegExp class to my flash document. I use an Action Script 2.0 to my document.

    Is the RegExp class is not supported in AS1/AS2?

    My code is as follows

    function validateEmailAddress(emailString:String):Boolean {}

    var myRegEx:RegExp = /(\w|[_.\-])+@((\w|-)+\.) + \w{2,4} +;
    var myResult:Object = myRegEx.exec (emailString);
    if(myResult == null) {}
    Returns false;
    }
    Returns true;

    }

    If (validateEmailAddress (email) == false)
    {

    contacterror = "error!" Please enter valid E-mail address ';

    }

    If RegExp not supported in ActionScript 2.0 and then how to validate the e-mail address to ActionScript 2.0?

    As far as I know and according to the doocumentation for help, the RegExp class was not until AS3 and it is not supported in AS2.  Try Google search using terms as "AS2 validate e-mail".   Here are some results...

    http://www.helmutgranda.com/2006/10/06/email-validation/
    http://AdobeFlash.WordPress.com/2008/02/06/email-validation/

  • "Error application of transformations. Error message to check that specified transform paths are valid' when you

    Whenever im trying to uninstall java its gives me the r erro "error application of transformations. Check that specified transform paths are valid.

    Ive tried to install a different version but its saying that I need to uninstall the old version first. I can't find solutions to it.
    Help please! :)

    Hello

    1. Once you get this error message?

    2 are you getting this error when you use a particular program? (Specify the program)

    3. have you made changes on the computer before this problem?

    I suggest you run the fixit from Microsoft Fixit article and if it helps.

    Solve problems with programs that cannot be installed or uninstalled:

    http://support.Microsoft.com/mats/Program_Install_and_Uninstall/

    If you experience this problem when you use the Microsoft Office program, then I suggest you to refer to the following Microsoft article and check if it helps.

    "Error application of transformations. Check that specified transform paths are valid"error message when you run Office 2000 Setup: http://support.microsoft.com/kb/299699

    Please provide us with more information, so that we could help you to solve the problem.

  • Weird error with vCenter Server 5.1 plugin

    Hello

    I installed orchestrator device 5.1 with vCenter plugin. Everything is green and seems well configured.

    I am able to connect with the vCenter client and access all workflows of my!

    But when I access parts of plugin and wants to explore the vCenter Server, orchestrator returns me this error:

    [16:29:50.477 2013-04-15] [E] the authorization to perform this operation was denied. : System.View/Folder - group-d1(IP vCenter)

    I don't understand why. The user that I configured in the configuration of the plugin vCenter is an administrator and has all privileges...

    You have an idea?

    Thanks for your help.

    Concerning

    Hello!

    Are you sure the user that you have configured to connect to vCenter has the appropriate permissions to this level?

    Even for an administrator at the level of the root in vCenter you can remove/override the lower-level permissions.

    Using SSO?

    And: What authentication policy for the vCenter Plugin have you configured?

    With a ' user' logs also the user connect to vSphere WebClient / vCO must have the appropriate permissions.

    You can try to reconfigure the vCO to use a "shared session", then for all operations of the user you set up (hopefully with administrative permissions in vCenter) is used for all operations.

    See you soon,.

    Joerg

  • Weird error with placed .jpgs

    Anyone else does? Whenever I place, touch or move a .jpg file in have I get this pop up error, but once cleared, I can continue to work normally (until the next time I touch the .jpg). I rebooted, dumped prefs, etc., but it still happens.

    Don't know if it is related to the Illustrator himself or an external plug-in. For the record, I am not, nor I know, "guptaa", so it is strange to see that he's trying to make reference to his office!

    I use an iMac mid-2010 running OSX 10.9.5 and Illustrator CC2014.

    Screen Shot 2014-12-10 at 11.09.08.png

    Actually I followed it down to a bug in our FontExplorer X Pro plugin CC2014 store. No idea why that is called to not place .jpgs, but it is. I am go to our FontExplorer 4.2.2 gift shop and see if that takes care of the issue.

  • I did a reset on my iPad 2 and now it has an error with iTunes saying that it requires a newer version of iTunes. How to upgrade the iPad I have tunes version?

    I did a reset on my iPad 2 and now it has an error message when I connect to my computer to access the backup. bed the error message, this iPad cannot be used because it requires a newer version of iTunes. How to upgrade the version of the ipad?

    Take a look at the article, download the latest version of iTunes - Apple Support

  • Oracle Text returns no results when the string begins with two consecutive vowels

    Hello

    I hope someone can shed some light on a strange problem, that we face.

    Oracle Database 11 g R2 (11.2.0.4) EE 64 bit running on Windows 2008 Server R2.

    When I create an index of context on a column varchar2 (surname), it works fine when the surname begins with a consonant or a vowel. But when the family name starts with two vowels, that it fails to return the file?

    Please see example below:

    create table t1 (surname varchar2(50));
    
    insert into t1 values ('OURS');
    insert into t1 values ('JOURS');
    insert into t1 values ('ONES');
    
    commit;
    
    -- sync every 10 mins
    CREATE INDEX PERSON_SURNAME_IDX ON t1
    (SURNAME)
    INDEXTYPE IS CTXSYS.CONTEXT
    PARAMETERS('MEMORY 50M sync (every "SYSDATE+10/1440")')
    NOPARALLEL;
    
    -- no rows
    SELECT surname 
    FROM t1
    WHERE CONTAINS(surname, 'OURS') > 0;
    
    -- 1 row
    SELECT surname 
    FROM t1
    WHERE CONTAINS(surname, 'JOURS') > 0;
    
    -- 1 row
    SELECT surname 
    FROM t1
    WHERE CONTAINS(surname, 'ONES') > 0;
    

    Any help or advice greatly appreciated.

    Thank you

    Ours is in the list of default stoplist (list of words that are ignored)

    http://docs.Oracle.com/CD/B19306_01/text.102/b14218/astopsup.htm#CEGBGCDF

  • Get two licenses that work on Mac and PC.

    Hello

    I am a student who was hired by a company to make more videos explaining what they do as a society and how it's done. We would like to buy Adobe Premiere Pro CS6 and use it to create videos. My employer uses a Mac and I use a PC. I'll do some work from home and at the office as well. We would like to know if there was a way to buy Adobe Premiere Pro CS6 with two licenses that can be downloaded on two separate computers, one on a PC and the other on a Mac.

    Thank you

    Jesse Scholz

    If you purchase two licenses, one for a windows machine and one for an apple machine, then you should have no problem with installation on two machines, a windows machine and the other an Apple machine, respectively.  The two licenses would essentially purchases separate.

    A single user license allows installation and activation on both machines (from the same platform), so you could actually install the windows on two windows machines and licenses from apple on two computers from apple.  What you can't do, is buy a license and use for a windows machine and an apple computer.

    If you want to save money and make only a purchase...  If you were to purchase a single user subscription creative cloud, you can use the same subscription to install on two different platforms.  The only question would then become the following condition in which you can use only one of the two facilities at any given time.  But if you want to be the only one using the machines that don't need not be a problem.

  • Development of portlets: when to use the class that extends the PortletBridge...

    When I create a Portlet (based .jspx) JDeveloper generate resources. One of these is a class (with the name I ve configured), which extends from PortletBridge...

    Ok. So, I want to know if I use the standard JSF should I put my actions in this class or should I create an another bean Managed to handle this? What to do with this generated class?


    Thank you.

    A bean managed for a portlet must be recorded in the faces-config. XML
    It has nothing to do with the class that extends the portlet bridge.

    So to create a java class and write it to the faces - config.xml, then you can use in your jspx pages that make up the portlet.

  • Error codes with two updates to Windows Vista.

    The first update will fail poster KB929777 error code and when you right click the update, it displays error detail code 8000FFFF. The second update fails poster KB975929 error code and when you right click on the update it shows the detail 80242006 error code. I tried Mr. Fixit for these codes and it says that it failed. I tried manually and it has not yet. I have a 32-bit system with 4 GB of Ram. The system is a Dell XPS M1530. I had to reformat my hard drive today and these are the only two updates that failed to run.

    Error 8000FFFF when you download updates using Windows Update or Microsoft Update:

    http://support.Microsoft.com/kb/946414

    0 x 80242006 SUS_E_UH_INVALIDMETADATA the caller passed an invalid metadata update manager

    I * think * that means a file system cannot be found by the component maintenance base [CBS]. We can watch the cbs.log newspaper in WINDOWS\logs\CBS, and * hopefully *, know what file system is the culprit.

    Be aware that this newspaper can be very large.

    Start at the * bottom * journal cbs.log and do a find for the error.

    When the log will open in Notepad, scroll all the way down, click on edit, find

    Enter the error in find it what: line

    Under Direction: Put a check mark next to the top

    Then click Search

    This is an error from a cbs.log which shows the Windows Calendar as the 'not found ': file

    2007-09-05 03:16:55, error CSI

    00000148@2007/9/4:17:16:55.326 (F) CMIADAPTER: failed. HRESULT =

    HRESULT_FROM_WIN32 (ERROR_FILE_NOT_FOUND)

    Element:

    [94].

    "name ="WindowsCalendarTasksACL"/ >".

    [gle = 0 x 80004005]

    2007-09-05 03:16:55, error CSI

    00000149@2007/9/4:17:16:55.326 (F) CMIADAPTER: output with HRESULT code

    = (ERROR_FILE_NOT_FOUND) HRESULT_FROM_WIN32.

    [gle = 0 x 80004005]

    The file was actually on the system, BUT its scheduled tasks folder had been deleted. The 'package' could not find that file and the installation would fail.

    The post returns with the section of the cbs.log that contains the xml entry, as the section above:

    > Element:

    > [94]""

    Come back later, however. I'm sure someone who knows much more I do on this will be passing through any time now.

  • Great ButtonField with label that surrounds it.

    Hello

    I want to create a great label ButtonField who must dress to the next line.

    (1.) I overrode getPreferredWidth/height to adjust the dimensions of the button.

    2.) is it possible to get the text to wrap around to the next line.

    Is there another way to model a button with text that surrounds to the next line?

    I would really appreciate guidance in this regard.

    Thank you

    -MO.

    Well, I had little time to debug the code.  Here's the working version (I'll even integrate it into our project - after a few changes):

    import net.rim.device.api.ui.Color;
    import net.rim.device.api.ui.Graphics;
    import net.rim.device.api.ui.Manager;
    import net.rim.device.api.ui.XYRect;
    import net.rim.device.api.ui.component.NullField;
    import net.rim.device.api.ui.component.TextField;
    
    public class MultiLineButtonField extends Manager {
        private final static int MAX_LABEL_PADDING = 8; // pixels
        private final static int MIN_LABEL_PADDING = 2; // pixels again
        private final static int NON_FOCUS_COLOR = Color.DARKBLUE;
        private final static int FOCUS_COLOR = Color.BLUE;
        private final static int DISABLED_COLOR = Color.GRAY;
        private final static int FONT_COLOR = Color.WHITE;
        private TextField _label;
        private NullField _focusAnchor;
        private int _width;
        private int _padding;
    
        public MultiLineButtonField(String labelText, int width, long style) {
            super(style & (FIELD_HALIGN_MASK | FIELD_VALIGN_MASK | USE_ALL_WIDTH | USE_ALL_HEIGHT));
            _label = new TextField(style & SPELLCHECKABLE_MASK | READONLY | NON_FOCUSABLE);
            _label.setText(labelText);
            add(_label);
            _focusAnchor = new NullField(style & FOCUSABLE_MASK) {
                protected void onFocus(int direction) {
                    getManager().invalidate();
                    super.onFocus(direction);
                }
    
                protected void onUnfocus() {
                    getManager().invalidate();
                    super.onUnfocus();
                }
            };
            add(_focusAnchor);
            _width = width;
            if (_width < 2 * MIN_LABEL_PADDING) {
                throw new IllegalArgumentException("Not enough width to lay out MultiLineButtonField");
            }
        }
    
        protected int nextFocus(int direction, int axis) {
            invalidate();
            return -1;
        }
    
        protected void sublayout(int width, int height) {
            XYRect childRect;
            if ((width < 2 * MIN_LABEL_PADDING) || (height < 2 * MIN_LABEL_PADDING)) {
                throw new IllegalArgumentException("Not enough room to lay out MultiLineButtonField");
            }
            layoutChild(_label, Math.min(_width, width) - 2 * MIN_LABEL_PADDING, height - 2 * MIN_LABEL_PADDING);
            childRect = _label.getExtent();
            int myWidth = width;
            int myHeight = height;
            if (!isStyle(USE_ALL_WIDTH)) {
                myWidth = Math.min(width, childRect.width + 2 * MAX_LABEL_PADDING);
            }
            if (!isStyle(USE_ALL_HEIGHT)) {
                myHeight = Math.min(height, childRect.height + 2 * MAX_LABEL_PADDING);
            }
            _padding = Math.min((myWidth - childRect.width), (myHeight - childRect.height)) / 2;
            setPositionChild(_label, _padding, _padding);
            layoutChild(_focusAnchor, 0, 0);
            setPositionChild(_focusAnchor, 0, 0);
            setExtent(myWidth, myHeight);
        }
    
        protected void paintBackground(Graphics g) {
            int prevColor = g.getColor();
            int bgColor;
            if (_focusAnchor.isFocusable()) {
                if (_focusAnchor.isFocus()) {
                    bgColor = FOCUS_COLOR;
                } else {
                    bgColor = NON_FOCUS_COLOR;
                }
            } else {
                bgColor = DISABLED_COLOR;
            }
            g.setColor(bgColor);
            g.fillRoundRect(0, 0, getWidth(), getHeight(), _padding, _padding);
            g.setColor(prevColor);
        }
    
        protected void paint(Graphics g) {
            int prevColor = g.getColor();
            g.setColor(FONT_COLOR);
            super.paint(g);
            g.setColor(prevColor);
        }
    }
    
  • Windows Apps game with weird Error Message

    Hello people, I have this weird error that won't let me launch games or applications. Let me be clear. As those downloaded from the Windows store

    [Window title]
    Explorer.EXE

    [Content]
    This file does not have a program associated with it for performing this action. Install a program or, if such is already installed, create an association in the default programs control panel.

    Can someone HELP me? ... I mean walk me through what I need to do? ... Thanks for reading...

    P.S. I went to the default programs control panel... I have NO IDEA what to do... NOOB

    Hello

    Thanks for your reply, appreciate the time taken by us keep up to date on the State of the question.

    Apology for the broken link, here are the links again. Click the hyperlink to open the page.

    Select applications Windows uses by default

    The default value of program, access, and computer

    Do not hesitate to write back for any further assistance, we would be pleased to help you.

  • Whenever I run Adobe CC Desktop, it displays a message that 1.9.0.465 exists in a version with two options

    Whenever I run Adobe Creative Cloud Desktop, it displays a message that 1.9.0.465 exists in a version with two options:

    1. INSTALL NOW - if I click here it indicates a new message: Creative Cloud Desktop Update failed (error code: 2)
    2. OUTPUT - if I click here, the application closes

    So I can't use Adobe Creative cloud or to download other creative cloud applications.

    Now, I can just uninstall Adobe Creative Cloud and drop Adobe products

    s.Screenshot 2015-02-09 23.44.36.pngScreenshot 2015-02-09 23.45.43.png

    Antoninol83756911 you use the steps listed in the "failed to install" error Creative Cloud Desktop application to solve common mistake?

  • I'm having a problem with the FireFox browser. I have attached two files that describe the problem. I have marked their A &amp; B. A is the way it should lo

    I'm having a problem with the FireFox browser. I have attached two files that describe the problem. I have marked their A & B. A is how it should look like and B what happens once I have, I opened several tabs. I can get it back to normal if I click VIEW, click Customize. When the window customize appears that Firefox returns to its normal state. I have to click on the done button and go back to what I did. I tried to reset FireFox back to the default settings, but that has not fixed the problem.
    It started happening a month. Is there a way I can fix this? Thanks for your help. I don't know how to fix my 2 attachments that shows the problem I'm having.
    [email address removed to protect your privacy and security]

    Try disabling hardware acceleration in Firefox.

Maybe you are looking for