ChoiceBox Listener

I'm having some trouble using the ChoiceBox. What type of listener do you have to setup to be able to tell which item in the list the user selected? I figured there would be something in the API like onAction() or something similar but I don't see anything like that. Any help is appreciated. Thanks.

In JavaFX look for the Observable properties and Lists. A little odd at first cause its different, but you get used to it and then it's quite nice. I had to write some Swing code yesterday and had almost forgotten how :)
ChoiceBox<String> choiceBox = new ChoiceBox<String>();
choiceBox.getItems().addAll("One", "Two", "Three");
choiceBox.getSelectionModel().selectedItemProperty().addListener(new ChangeListener<String>()
    public void changed(ObservableValue<? extends String> source, String oldValue, String newValue)
        System.out.println(String.format("Choice changed from '%s' to '%s'", oldValue, newValue));
});

Similar Messages

  • ChoiceBox cell factory?

    Is there any reason why ChoiceBox doesn't use the same cell factory approach used by list/table/tree? Unless I'm missing something (?) it looks like the intention is that we should just add our nodes (i.e. cells) directly to the list of items.
    This is a little odd for me, I would normally want to put my data elements (Beans or enums) in the ChoiceBox and have the renderer take care of the rest, just like I do with lists/tables/trees. In the current model I am having to iterate over my data items and create a custom cell for each one, then when something is selected, etc, I have to get the data item out of my custom cell. It all feels a tad awkward?
    Edit: actually adding nodes doesn't seem to work either? I've resorted to creating a wrapper class for my Bean that provides a toString that does my formatting. In this approach, I also lose my underscores in my text (in the popup only, the button bit seems fine) - I assume this is something to do with mnemonics but I have not turned these on and can't see a simple way to turn them off. This all seems a bit wrong, what am I missing?

    Here's a simple little ComboBox that should tie us over until Jonathan writes us a real one. It's very light on features, but the basics work. You can obviously just copy and edit this code directly to suit your needs.
    The only slightly fancy thing I've done is add a 'Cell' interface to it so you can put in your own custom cell renderer for the current item (the popup list uses a normal cell factory). Just implement ComboBox.Cell with your custom Node and then call setCurrentItemCell. In a better implementation you would have a shared factory between the list and the current item, but we need to leave something for Jonathan to impress us with when he provides his real one ;)
    A couple of issues:
    * Ideally the popupList would shrink to fit its contents until it reaches a certain height and then it would start scrolling. Currently it just pops up at its preferred size, which is not as pretty as it could be. Anyone got any ideas on doing this better?
    * The closeOnEscape setting of the popup doesn't seem to be working. I think perhaps the List is blocking the keyboard input. I put a work around in using an event filter, but this shouldn't be needed in a perfect world.
    * The selection listener stuff only triggers if the selection is changed (which makes sense), we need something more like onAction or onCellClicked or something that fires when the user clicks a cell regardless of whether the selection was changed or not. I've used the selection model but also added a little event filter to catch the case when we click the already selected value.
    ComboBox.java
    package com.zenjava.playground.combo;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.collections.ObservableList;
    import javafx.event.ActionEvent;
    import javafx.event.Event;
    import javafx.event.EventHandler;
    import javafx.geometry.Bounds;
    import javafx.scene.Node;
    import javafx.scene.Parent;
    import javafx.scene.control.*;
    import javafx.scene.input.KeyCode;
    import javafx.scene.input.KeyEvent;
    import javafx.scene.input.MouseEvent;
    import javafx.scene.layout.BorderPane;
    import javafx.stage.Popup;
    import javafx.util.Callback;
    public class ComboBox<ItemType> extends BorderPane
        private ListView<ItemType> popupList;
        private Popup popup;
        private Cell<ItemType> currentItemCell;
        public ComboBox()
            popupList = new ListView<ItemType>();
            popupList.getSelectionModel().setSelectionMode(SelectionMode.SINGLE);
            popupList.getSelectionModel().selectedItemProperty().addListener(new ChangeListener<ItemType>()
                public void changed(ObservableValue<? extends ItemType> source, ItemType oldValue, ItemType newValue)
                    currentItemCell.updateItem(newValue);
                    popup.hide();
            // need to force escape key to close since default behaviour is not working
            popupList.addEventFilter(KeyEvent.KEY_PRESSED, new EventHandler<Event>()
                public void handle(Event event)
                    KeyEvent keyEvent = (KeyEvent) event;
                    if (KeyCode.ESCAPE.equals(keyEvent.getCode()))
                        popup.hide();
            // need to force hiding of list for case when current selection is re-selected
            popupList.addEventFilter(MouseEvent.MOUSE_RELEASED, new EventHandler<Event>()
                public void handle(Event event)
                    popup.hide();
            popup = new Popup();
            popup.getContent().add(popupList);
            popup.setAutoHide(true);
            popup.setAutoFix(true);
            popup.setHideOnEscape(true);
            // use your own style for this
            Button popupButton = new Button(">");
            popupButton.setOnAction(new EventHandler<ActionEvent>()
                public void handle(ActionEvent actionEvent)
                    showPopup();
            setRight(popupButton);
            setCurrentItemCell(new SimpleCell<ItemType>());
        public void setCurrentItemCell(Cell<ItemType> cell)
            currentItemCell = cell;
            Node node = currentItemCell.getNode();
            node.setOnMouseClicked(new EventHandler<Event>()
                public void handle(Event event)
                    showPopup();
            setCenter(node);
        public MultipleSelectionModel<ItemType> getSelectionModel()
            return popupList.getSelectionModel();
        public ObservableList<ItemType> getItems()
            return popupList.getItems();
        public void set(Callback<ListView<ItemType>, ListCell<ItemType>> cellFactory)
            popupList.setCellFactory(cellFactory);
        public void showPopup()
            Parent parent = getParent();
            Bounds childBounds = getBoundsInParent();
            Bounds parentBounds = parent.localToScene(parent.getBoundsInLocal());
            double layoutX = childBounds.getMinX()
                    + parentBounds.getMinX() + parent.getScene().getX() + parent.getScene().getWindow().getX();
            double layoutY = childBounds.getMaxY()
                    + parentBounds.getMinY() + parent.getScene().getY() + parent.getScene().getWindow().getY();
            popup.show(this, layoutX, layoutY);
        public static interface Cell<ItemType>
            Node getNode();
            void updateItem(ItemType item);
        public static class SimpleCell<ItemType> extends TextField implements Cell<ItemType>
            public SimpleCell()
                setEditable(false);
                setStyle("-fx-cursor: hand");
            public Node getNode()
                return this;
            public void updateItem(ItemType item)
                setText(item != null ? item.toString() : "");
    }And here's how you would use it:
    public void start(Stage stage) throws Exception
        FlowPane root = new FlowPane();
        root.setStyle("-fx-padding: 30");
        root.getChildren().add(new Label("Choose your destiny:"));
        ComboBox<String> combo = new ComboBox<String>();
        combo.setStyle("-fx-border-color: black; -fx-border-width: 1");
        combo.getItems().addAll("Make a difference", "Do no harm", "Start a Krispy Kreme franchise");
        combo.getSelectionModel().selectedItemProperty().addListener(new ChangeListener<Object>()
            public void changed(ObservableValue<? extends Object> source, Object oldValue, Object newValue)
                System.out.println("Your destiny: " + newValue);
        root.getChildren().add(combo);
        Scene scene = new Scene(root, 300, 200);
        stage.setScene(scene);
        stage.show();
    }

  • ChoiceBox - Bi-directional binding

    I want to bind the selected value of a ChoiceBox bidirectionally to a property of my Presentation Model (Business Model).
    Unfortunately getSelectionModel().selectedItemProperty() is read-only and therefore cannot be bound bi-directionally.
    I then tried it with the normal bind method. Changes to the ChoiceBox are now propagated to the property in my Presentation Model.
    To mimic the bi-directional binding, I listened to changes in my model, by adding a ChangeListener to the property and call getSelectionModel().select() on the ChoiceBox, but I get: java.lang.RuntimeException: A bound value cannot be set.
    Any idea, how to solve this?
    And on another similar topic: Does anyone know, how to make the ChoiceBox editable, if possible at all (see: http://moxie.oswego.edu/doc/java/tutorial/figures/uiswing/components/ComboBoxDemo2Metal.png )?
    EDIT: I solved it by using 2 ChangeListener, one on the selectionModel and one on the property of my model. But is this the best way?
    Edited by: csh on 05.12.2011 04:42

    Hey Richard,
    This could be solved by my proposal to have a 'value' property on controls (which has come out of the form framework discussions). I emailed this to the dev mailing list but it got blocked for moderation as it reckons I am not a member but I am. It says you're the moderator though (hint, hint) :)
    zonski

  • How do i use my Platronix bluetooth with iPhone 4 to listen to music.

    How do i use my Platronix bluetooth with iPhone4 to listen to music.
    Its a mono bluetooth paired with the phone.
    I dont want to buy a new stereo headset but can i use this same one.

    One way is to sync the contacts from the old iPhone to iCloud. Then when you turn on the new phone and set it up for iCloud and turn on the Contacts in Settings >iCloud, they will come to the new phone. http://www.apple.com/icloud/setup/

  • APEX LISTENER Install troubleshooting

    Hi, I need help.. :-)
    Default Database connection not configured properly
    What I have done:
         ALTER USER APEX_LISTENER ACCOUNT UNLOCK;
         ALTER USER APEX_PUBLIC_USER ACCOUNT UNLOCK;
         ALTER USER APEX_REST_PUBLIC_USER ACCOUNT UNLOCK;
         connect APEX_LISTENER/mypasswd1
         connect APEX_PUBLIC_USER/mypasswd2
         connect APEX_REST_PUBLIC_USER/mypasswd1
    Check default.xml
    password: replaced encrypted one with clear text one for APEX_PUBLIC_USER to ensure it is correct
    even tried APEX_LISTENER password just incase
    Is there a simple JDBC test to see if it connects? it is APEX_PUBLIC_USER who is connecting isn't it?
    ======================================================================
    java -jar apex.war
    Feb 22, 2013 12:44:40 PM oracle.dbtools.standalone.Standalone execute
    INFO: NOTE:
    Standalone mode is designed for use in development and test environments. It is not supported for use in production environments.
    Feb 22, 2013 12:44:40 PM oracle.dbtools.standalone.Standalone execute
    INFO: Starting standalone Web Container in: /data/oracle/orawd/product/11.2.0/dbhome_1/apex_listener/apex
    Feb 22, 2013 12:44:41 PM oracle.dbtools.standalone.Deployer deploy
    INFO: Will deploy application path = /data/oracle/orawd/product/11.2.0/dbhome_1/apex_listener/apex/apex/WEB-INF/web.xml
    Feb 22, 2013 12:44:41 PM oracle.dbtools.standalone.Deployer deploy
    INFO: Deployed application path = /data/oracle/orawd/product/11.2.0/dbhome_1/apex_listener/apex/apex/WEB-INF/web.xml
    Feb 22, 2013 12:44:41 PM oracle.dbtools.common.config.file.ConfigurationFolder logConfigFolder
    INFO: Using configuration folder: /data/oracle/orawd/product/11.2.0/dbhome_1/apex_listener/apex
    Default Database connection not configured properly
    Feb 22, 2013 12:44:42 PM oracle.dbtools.rt.web.SCListener contextInitialized
    INFO: Oracle Application Express Listener initialized
    Application Express Listener version : 2.0.0.354.17.06
    Application Express Listener server info: Grizzly/1.9.49
    Feb 22, 2013 12:44:42 PM com.sun.grizzly.Controller logVersion
    INFO: GRIZZLY0001: Starting Grizzly Framework 1.9.49 - 2/22/13 12:44 PM
    Feb 22, 2013 12:44:42 PM oracle.dbtools.standalone.Standalone execute
    INFO: http://localhost:8888/apex started.

    That could be a problem.
    I was answering the question:
    BillC wrote:
    Is there a simple JDBC test to see if it connects? it is APEX_PUBLIC_USER who is connecting isn't it?Yes - APEX_PUBLIC_USER is the connecting user.
    You can use SQLPLUS to make sure you have the correct password.
    After that, it is the SERVER, PORT, SID/SERVICE in the APEX listener you need to confirm.
    You can TNSPING to confirm you have the correct selections for those.
    You can always re-run the java -jar apex.war setup command to all of the basic settings.
    The reason I mention that is because if you modify the settings manually - we need to ask "which file?" because there is the default and the database specific one too.
    Try making a request to the service in standalone mode and you should get a terminal output (the window stays open) with a more detailed error. I would guess there will be an ORA-12514, TNS listener does not currently know of service requested in descriptor or something similar that will give you the "debug" information you are looking for.
    Regards,
    --Tim St.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Problem with logging in to apex application builder listener

    I have problem with my settings and am posting this in hope that someone else out there had similar problem and solved it!
    I am trying to use reverseproxy to access to our db through apex listener.
    It's been all set-up and I can login to the application it self either through proxy or no proxy using the listener.
    But when I try to login to apex application builder I cannot do it through proxy(with no proxy, it works).
    It just refreshes the login page when I click login....
    I tried to upgrade the listener to the latest v1.1(using 1.0.2) but it causes my tomcat to crash...
    So solution i am looking for is how to make logging in work through proxy..
    In the firebug it is showing that below and few other request status as 302 moved temporariry
    http://myserver:8080/testsin/apex/wwv_flow.accept
    Where as with no proxy it is saying Found.....
    Any thoughts??
    Thanks
    Sin K

    Hello Sin K,
    so proxy and Tomcat are located on different machines as well? Is the proxy able to commuicate with the Tomcat on the configured internal ports and is the proxy able to lookup the hostname you configured for the Tomcat?
    For the connector, the proxyName and proxyPort should be the parameters the client uses to call APEX. So if your clients should call via http://proxyserver:8080/testsin/apex the settings would be
    proxyName=proxyserver
    proxyPort=8080Reason for this is that applications (e.g. the APEX Listener) generate there URL references with these parameters.
    But does your proxy actually serve on port 8080? And is that port accessible by clients? Do clients accept cookies from that server?
    In my case, there is only one 302 which redirects to http://host:port/apex/f?p=4500:1000:sessionid which is correct.
    If you look into your first post request in firebug, what's in the request header?
    -Udo

  • Making an iTunes library protected against ripping onto CD, listen only

    Hi there
    we have a security issue with itunes. We are a secure college within an HMP&YOI and we use 16 imacs in two rooms. We have installed the same master music library (currently 8500 tunes)on each machine and all students have access to it under their own account.
    Our problem is this. 1 (How) is it possible to make a library read only, i.e. so it is not burnable onto a CD, for copyright protection. We want the lads to be able to hear the music without being able to 'rip' it to CD.
    2. Is it possible to split the library into two libraries, making the content of one burnable and the content of the second not burnable. This way we can offer them instrumentals and original titles for burning and commercial copyright protected titles for listening only.
    NB None of the content has been downloaded from the itunes store.
    Your help on this matter would be very much appreciated.
    Mark Anderson
    Music dept
    HMP & YOI Ashfield

    Hi Patrick
    Your solution to the problem seemed to be the answer but I now have another problem: not all the macs in the music room can 'see' i.e. share the new intel mac.
    They are all connected via a Belkin switch using ethernet and sharing is enabled in all machines. Some of the iSite white iMacs can be seen by the new intel mac but they cannot 'see' the new intel mac. How can an ethernet connection work only one way ? We are using standard ethernet two way cable. All machines are running 10.5.3 apart from the new mac which is happy running 10.4.11.
    If I could get all the macs in the room to 'see' the new intel machine, then we could run the intel machine as the Master iTunes Library and share it as you suggest 'read-only' to the other machines.
    Has anyone any suggestions as to why this is happening ? Is there something other than turning sharing on in system prefs that one has to do to enable two communication between all machines ?
    Thanks
    Marco

  • How do I use home sharing between my home computer and my work computer so I can listen to the same music both places?

    Hello. I am trying to use my work computer with itunes to listen my my music on my itunes on my computer at home. I have signed into both. My computer at home is off, is there a way to listen to all my music on both computers by using Home Sharing or another means?

    The best way I know is to sign up for iTunes Match.  All your music is stored in the cloud and can be accessed by up to 10 devices.

  • How to configure oracle listener profile for multiple oracle database

    Hi,
    I am going to install solution manager system in the same server of ERP EHP4 on Windows. Both DB are oracle.
    I'd like to know how to configure listener in this kind of envirnmonent.
    a. use two listener and different ports
    b. use same listener but different ports
    c. use same listener and same port
    Which is the correct mothed?
    And, after installation, there seem three set of profiles of listten, one for ERP, one for SLM, and the other for OS?(%windir%system32), which one is functional?
    Please advise.
    Thanks a lot.
    Regards,
    Alex

    Hi,
    standard installation is creating new configs for listener for each instance.
    I would recommend to use one listener per each instance.
    YOU CAN NOT HAVE one port number for two differnet systems!
    If you want to use one listener than you must adapt tnsnames.ora, listener.ora and ensure that both systems will use different port numbers.
    For example PORT= 15<system number>
    Peter

  • Is there a way that iTunes can act as a Radio Alarm Clock? I have found the radio station I enjoy listening to in the iTunes Radio List. Is there anyway iTunes (and my Mac) can be set to come-on and start playing that Radio Station from Sleep mode at spec

    Is there a way that iTunes can act as a Radio Alarm Clock?
    I have found the radio station I enjoy listening to in the iTunes Radio List. Is there anyway iTunes (and my Mac) can be set to come-on from Sleep mode and start playing that Radio Station at specific times of the day?
    Any App or plug-in that does that?
    Many thanks
    Kevin

    Turning your Mac into a clock radio.
    1.  In iTunes create a playlist that contains just the radio station you want to wake up to.
    2.  Export the playlist (as .m3u works well).  Get Info on your playlist file and look at the Open With entry to make sure it points to iTunes, VLC or some other app that will stream your station.
    3.  In iCal create an event entry at the time you want to wake up.
    4.  Right (or Control) click on your wakeup event and select Get Info.
    5.  For "alarm" select Open File.
    6.  Now under Open File there will be a place to add the file to open.  It will probably be some default entry (like iCal).  Click on it will allow you to select "other."  Then use the file dialog to select your playlist file.
    Your Mac will wake you up at the appointed time.  You don't need to keep iCal running.  If you want to put you Mac to sleep for the night then there is one more thing you need to do.  Open System Preferences to Energy Saver and click on the Schedule button.  Check Start up or wake and set the wake up time to slightly before your iCal alarm time.
    Dan

  • Please help me. I have an IBook g4 and I've somehow lost plugins that I need to listen to webcasts etc. I've tried to download them when it signifies to "download appropriate plugin" or whatever it says, and when i hit the button, it says  "no suitable...

    PLEASE, PLEASE HELP ME. I'm a computer ignorant woman and need help. I have an IBOOK G4 and I was trying to fix a problem in IPhoto (which never got fixed) and took some guy's bad advice to reset iphoto or something and now my plug-ins are gone too. Or at least the one(s) that were allowing me to listen to on-line discussions and audio recordings.. Can anyone help me? I have gone to UPDATE SOFTWARE and updated Java but that is all.  It's like I go to a think were there is an audio thing to listen to and there is a picture of a plug in and it says something like "Plug in not available to listen to this" and then gives you an option to download plug-in but when I do, it says something like "No Plug in was found that was useable" or something alone those lines. Then it has a manual plug-in option but when I clicked that, I entered the frustrated crying zone. Can you help?  I will so give you big points!   Thank you!

    THis is all Greek to me, but maybe it answers your questions????  Thank you Ronda.
    ATA Bus:
    MATSHITADVD-R   UJ-845E:
      Model:    MATSHITADVD-R   UJ-845E
      Revision:    DMP2
      Serial Number:   
      Detachable Drive:    No
      Protocol:    ATAPI
      Unit Number:    0
      Socket Type:    Internal
    Built In Sound Card:
      Devices:
    Texas Instruments TAS3004:
      Inputs and Outputs:
      Internal Microphone:
      Controls:    Left, Right
      Playthrough:    No
      PluginID:    TAS
      Headphones:
      Controls:    Mute, Left, Right
      PluginID:    TAS
      Internal Speakers:
      Controls:    Mute, Left, Right
      PluginID:    TAS
      Formats:
    PCM 16:
      Bit Depth:    16
      Bit Width:    16
      Channels:    2
      Mixable:    Yes
      Sample Rates:    32 KHz, 44.1 KHz, 48 KHz
    PCM 24:
      Bit Depth:    24
      Bit Width:    32
      Channels:    2
      Mixable:    Yes
      Sample Rates:    32 KHz, 44.1 KHz, 48 KHz
    DIMM0/BUILT-IN:
      Size:    512 MB
      Type:    Built-in
      Speed:    Built-in
      Status:    OK
    System Power Settings:
      AC Power:
      System Sleep Timer (Minutes):    6
      Disk Sleep Timer (Minutes):    10
      Display Sleep Timer (Minutes):    6
      Dynamic Power Step:    Yes
      Reduce Processor Speed:    No
      Automatic Restart On Power Loss:    No
      Wake On AC Change:    No
      Wake On Clamshell Open:    Yes
      Wake On LAN:    No
      Wake On Modem Ring:    Yes
      Display Sleep Uses Dim:    Yes
      Battery Power:
      System Sleep Timer (Minutes):    9
      Disk Sleep Timer (Minutes):    10
      Display Sleep Timer (Minutes):    9
      Dynamic Power Step:    No
      Reduce Processor Speed:    Yes
      Automatic Restart On Power Loss:    No
      Wake On AC Change:    No
      Wake On Clamshell Open:    Yes
      Wake On Modem Ring:    No
      Display Sleep Uses Dim:    Yes
      Reduce Brightness:    Yes
    Battery Information:
      Battery Installed:    Yes
      First low level warning:    No
      Full Charge Capacity (mAh):    466
      Remaining Capacity (mAh):    466
      Amperage (mA):    0
      Voltage (mV):    16491
      Cycle Count:    247
    AC Charger Information:
      AC Charger (Watts):    50
      Connected:    Yes
      Charging:    No
    Hardware Configuration:
      Clamshell Closed:    No
      UPS Installed:    No

  • Will I be able to copy my music library from my PC to I pad and listen to it at a remote place without sync and without I tunes match?

    Will I b able to copy my music library from PC to I pad while sync and listen to it without sync at a remote place. Is it possible without iTunes Match?

    Yes. As long as all your songs you lost have been Matched or Uploaded to iTunes Match you can download your entire library from the cloud.
    It might take some time though

  • Creative Zen Review With the AudioBook Listener In Mi

    Here is a copy of my review of the Creative Zen which I just published on the amazon.com mp3 player forum in the thread I started over a year ago entitled "What's the best player for AudioBooks " It is the longest thread in the forum with little indication of slowing down, and it can usually be found as the first thread in the forum.
    http://www.amazon.com/tag/mp3%20play...MxM6KCQW5Q9B6C
    I wound up getting the Zen 4GB a few weeks ago but delayed posting until I figured out how I liked it.
    - I like that it has a big screen with big text that I could get by using without my reading glasses (old eyes) in a pinch. That is a very toughtful touch I have't seen on any other players (not that I've seen them all.)
    - The big screen will also show pictures and videos which I don't care much about but is a nice feature if desired.
    - The big screen doesn't come with a cover and it will get scratched up fast. It took me a while to figure this out so my screen got a little scratched up before I realized it.
    Consider screen covers mandatory. They are sold seperately in a 3 pack for around $8. This is so important the device ought to have come with at least one screen cover in the box, even if it raised the price $2. My screen cover has been on for a few weeks and shows no sign of wear or coming loose. I did combine it with a rubber device cover I got on amazon for $3 which protects the whole device and covers the edges of the screen and screen protector. The unit is now protected. The cover comes with a little strap and D-Ring clip which is good for hanging onto some piece of clothing.
    - It has a built in battery which is good. It supposedly takes a long time to recharge but that is not an issue for me. I just plug it in to a USB port with the included 4" long cable and it has plenty of time to charge during the day for my use. A fast AC charger is available at extra cost (~$25 I think.)
    - Defect: The unit shuts off after being on pause for a few minutes (good) but it starts up at the beginning of the track when you restart (bad.) If you turn it off, it restarts where you left off as it should. This would not be an issue for music listeners, but it is for audiobook listeners when the track may be an hour to several hours long.
    - Defect: Bookmarks are not at the top of the Menu list and although some menus are customizable, the one with Bookmarks is not.
    - Defect: You can't get to Bookmarks when in the book. You have to back up to Music Menu, click to get to menu, and scroll 2 spots to get to Bookmarks. Not a deal breaker when you get used to it, but clearly not designed properly with the audiobook user in mind.
    - Sound quality: very good. Even with music, very nice.
    - Included headphones: Nice sound. They fall out of my ears and get tangled up a lot but I think thats true of most earbud headphones. I'm going to get the Sony Sport headphones I've had before with a foldable over the head strap.
    - Bookmarks: 0. Plenty for me. (Who listens to more than 0 books at a time )
    - Price: $90 for 4GB. I thought that was quite reasonable.
    SUMMARY: With a few menu enhancements and the ability to return to it's place after a pause/shutdown, I'd consider this device close to perfect for the audiobook listener.

    Try going into "Control Panel->Administrati've tools" and clicking on "Computer Management". Find "disk management" in the left pane and click it. Your Stone should be in the right somewhere. I think you need to right click, then "choose dri've letter and paths" and give it a dri've letter with the "add" button. Let us know if that works.

  • TNS Listener error while opening a Form !

    Hi all,
    I have installed Form/Reports 11gr2 with Weblogic 10.3.6 64-bit & database 11gr2.
    All installations and configures are successful.
    But when I give URL address (servername:portno/forms/frmservlet?form=main) to open a form, it gives me following error;
    ora-12514: TNS:listener does not currently know of service requested in connect descriptor.
    I searched on google, but didn't clear my error. I also checked Oracle services, all are started.
    So please guide me !
    Thanks/Regards.
    Dass

    I never changed settings in tnsnames.ora, it is always as per default settings.  If required  now then let me know.
    Please note that when I connect my form builder with databases, it is connected. But when I run my form it again show same error and open a dialog box for
    username,password & databases connection string.
    I copied this file into "E:\Oracle\Middleware\asinst_1\config"  of form.
    Below is my tnsnames.ora file;
    # tnsnames.ora Network Configuration File: E:\app\admin\product\11.2.0\dbhome_1\network\admin\tnsnames.ora
    # Generated by Oracle configuration tools.
    ORACLR_CONNECTION_DATA =
      (DESCRIPTION =
        (ADDRESS_LIST =
          (ADDRESS = (PROTOCOL = IPC)(KEY = EXTPROC1521))
        (CONNECT_DATA =
          (SID = CLRExtProc)
          (PRESENTATION = RO)
    ORCL =
      (DESCRIPTION =
        (ADDRESS = (PROTOCOL = TCP)(HOST = localhost)(PORT = 1521))
        (CONNECT_DATA =
          (SERVER = DEDICATED)
          (SERVICE_NAME = orcl)
    Thanks.

  • When I listen to music on my iPhone and pause it, if I come back to it later, the playlist has started over. I have a 4S running on iOS 7.0.4. Is there any way to keep this from happening so that my playlist will start off where I last was?

    When I listen to music on my iPhone and pause it, if I come back to it later, the playlist has started over. I have a 4S running on iOS 7.0.4. Is there any way to keep this from happening so that my playlist will start off where I last was?

    Dear Jody..jone5
    Good for you that can't update your iphone because I did it and my iphone dosen't work for example I can't download any app like Wecaht or Twitter..
    Goodluck
    Atousa

Maybe you are looking for

  • Using nested Joins in abap prog

    Hi All, please help me  out in using nested joins in abap progrmaming. I dont know about joins in abap.specially in case of outer join.   I have 5 internal tables.. mara ,marc, mvke,mbew,ampl. am using  a  select query with certain fields from all th

  • Location of Text in JLabel

    Hi, I want to retrieve the location co-ordinates from a JLabel. I know that JLabel.getPreferredSize() gets the size of the actual text but I also need to know where in the JLabel the text is located. This is because I want to create an image out of i

  • GetURL isn't working when flash button is embedded into HTML

    I'm making a basic HTML site with flash buttons that direct to hyperlinks. I've made a simple flash button with the code on the button actions as: on (release) {         getURL("http://www.google.com","_blank"); The button works great when I export i

  • Quicktime cant connect to stream, but VLC can

    I have a weird problem where if I open an rtsp://myURL/mystream.sdp link in quicktime, it never loads. However if I open it in vlc it does load. Has anyone else had this problem? Thanks Alex

  • ITunes 7.7.1 - says there are 10 updates, downloads 42!

    ***? I'm told there are ten updates available in the App menu badge on the left hand side of iTunes, but iTunes ALSO says there are 42 updates. Since they're going to restore wherever the **** they want them - as close to the front as possible, more