SetFocus - Tree edit mode

Hello guys,
I need (again) your help!!!
How to I set focus (select text) when the Tree Item is in
edit mode???
I searched in web, but I could'nt find it.
See my code:
=====================================================================
editTree.mxml
=====================================================================
<?xml version="1.0" encoding="utf-8"?>
<mx:Application xmlns:mx="
http://www.adobe.com/2006/mxml">
<mx:Script>
<![CDATA[
import mx.managers.CursorManager;
import mx.core.UIComponent;
import mx.controls.Tree;
import mx.controls.listClasses.IListItemRenderer;
import mx.events.ListEvent;
import myComponents.TreeEditor;
private function disableEditing(event:ListEvent):void {
if (event.rowIndex==0) {
event.preventDefault();
public function processData(event:ListEvent):void {
event.preventDefault();
tree.editedItemRenderer.data.@label =
TreeEditor(event.currentTarget.itemEditorInstance).playlistName.text;
tree.destroyItemEditor();
tree.dataProvider.notifyItemUpdate(tree.editedItemRenderer);
]]>
</mx:Script>
<mx:Style>
Tree {
backgroundAlpha: 0;
borderStyle: none;
indentation: 6;
TextInput {
borderStyle: none;
backgroundAlpha: 0;
focusThickness: 1;
</mx:Style>
<mx:XML id="treeData" xmlns="">
<node label="PLAYLIST" type="lists" data="MA">
<node label="Musics" type="list" />
<node label="My Top Musics" type="list" />
<node label="Recently Added" type="list" />
</node>
</mx:XML>
<mx:Panel width="350" height="350" title="Edit">
<mx:Tree id="tree"
width="200"
height="220"
dataProvider="{treeData}"
labelField="@label"
editable="true"
itemEditor="myComponents.TreeEditor"
itemEditBeginning="disableEditing(event);"
itemEditEnd="processData(event);" >
</mx:Tree>
</mx:Panel>
</mx:Application>
=====================================================================
and...
=====================================================================
TreeEditor.mxml
=====================================================================
<?xml version="1.0" encoding="iso-8859-1"?>
<mx:VBox xmlns:mx="
http://www.adobe.com/2006/mxml"
implements="mx.managers.IFocusManagerComponent">
<mx:Script>
<![CDATA[
public var newName:String;
override public function drawFocus(isFocused:Boolean):void {
// This method can be empty, or you can use it
// to make a visual change to the component.
]]>
</mx:Script>
<mx:TextInput id="playlistName"
text="{data.@label}"
backgroundAlpha="1"
height="18"
change="newName=playlistName.text;" />
</mx:VBox>
=====================================================================
Thanks!!!
Kleber

Hi there,
You can set the navigable and mouse-navigate property to no.
Then create a visual-attribute which you want to show when the user can't change the item.
When you want to change the visual_attribute for the item use:
set_item_property('<block>.<item>', VISUAL_ATTRIBUTE, '<name of attribute>'.
when you use enabled, the field is simply grey, but with the visual attribute you can show any color you like!
Hope this helps...

Similar Messages

  • ALV Tree Edit mode

    Hi,
    I have wrote a program using CL_GUI_ALV_TREE.
    I want to make some of the columns editable.
    Alternatively, is it possible to include a tree structure in normal CL_GUI_ALV_GRID?
    Thanks.
    Michael Pang

    Hi Leif,
    I have not achieved that myself. Maybe you could use a different approach: display the fields into the tree, then use another subscree to show the field contents and allow the user to chage it.
    You could find useful these demo programs: SAPSIMPLE_TREE_CONTROL_DEMO, SAPCOLUMN_TREE_CONTROL_DEMO, SAPTLIST_TREE_CONTROL_DEMO, SAPTLIST_TREE_CONTROL_DEMO_HDR, because they show a tree and then, in another subscreen, they show some properties of the selected fields and so.
    I hope it helps. Best regards,
    Alvaro

  • Assign focus on text field associated with tree item in edit mode

    The JavaFX home page has an example for how to edit the label associated with a tree item using a cell factory (see sample code below). However, if you select a tree item and then either mouse click or select the Enter key to start editing, the text field doesn't get focus even though the startEdit() method invokes textField.selectAll(). I tried invoking textField.requestFocus(), but that didn't work. Is there a way to ensure that the text field gets focus when the tree item is in edit mode?
    I'm using JavaFX 2.1 GA version on Windows 7.
    Thanks.
    Stefan
    @Override
    public void startEdit() {
    super.startEdit();
    if (textField == null) {
    createTextField();
    setText(null);
    setGraphic(textField);
    textField.selectAll();
    public class TreeViewSample extends Application {
    private final Node rootIcon =
    new ImageView(new Image(getClass().getResourceAsStream("root.png")));
    private final Image depIcon =
    new Image(getClass().getResourceAsStream("department.png"));
    List<Employee> employees = Arrays.<Employee>asList(
    new Employee("Ethan Williams", "Sales Department"),
    new Employee("Emma Jones", "Sales Department"),
    new Employee("Michael Brown", "Sales Department"),
    new Employee("Anna Black", "Sales Department"),
    new Employee("Rodger York", "Sales Department"),
    new Employee("Susan Collins", "Sales Department"),
    new Employee("Mike Graham", "IT Support"),
    new Employee("Judy Mayer", "IT Support"),
    new Employee("Gregory Smith", "IT Support"),
    new Employee("Jacob Smith", "Accounts Department"),
    new Employee("Isabella Johnson", "Accounts Department"));
    TreeItem<String> rootNode =
    new TreeItem<String>("MyCompany Human Resources", rootIcon);
    public static void main(String[] args) {
    Application.launch(args);
    @Override
    public void start(Stage stage) {
    rootNode.setExpanded(true);
    for (Employee employee : employees) {
    TreeItem<String> empLeaf = new TreeItem<String>(employee.getName());
    boolean found = false;
    for (TreeItem<String> depNode : rootNode.getChildren()) {
    if (depNode.getValue().contentEquals(employee.getDepartment())){
    depNode.getChildren().add(empLeaf);
    found = true;
    break;
    if (!found) {
    TreeItem<String> depNode = new TreeItem<String>(
    employee.getDepartment(),
    new ImageView(depIcon)
    rootNode.getChildren().add(depNode);
    depNode.getChildren().add(empLeaf);
    stage.setTitle("Tree View Sample");
    VBox box = new VBox();
    final Scene scene = new Scene(box, 400, 300);
    scene.setFill(Color.LIGHTGRAY);
    TreeView<String> treeView = new TreeView<String>(rootNode);
    treeView.setEditable(true);
    treeView.setCellFactory(new Callback<TreeView<String>,TreeCell<String>>(){
    @Override
    public TreeCell<String> call(TreeView<String> p) {
    return new TextFieldTreeCellImpl();
    box.getChildren().add(treeView);
    stage.setScene(scene);
    stage.show();
    private final class TextFieldTreeCellImpl extends TreeCell<String> {
    private TextField textField;
    public TextFieldTreeCellImpl() {
    @Override
    public void startEdit() {
    super.startEdit();
    if (textField == null) {
    createTextField();
    setText(null);
    setGraphic(textField);
    textField.selectAll();
    @Override
    public void cancelEdit() {
    super.cancelEdit();
    setText((String) getItem());
    setGraphic(getTreeItem().getGraphic());
    @Override
    public void updateItem(String item, boolean empty) {
    super.updateItem(item, empty);
    if (empty) {
    setText(null);
    setGraphic(null);
    } else {
    if (isEditing()) {
    if (textField != null) {
    textField.setText(getString());
    setText(null);
    setGraphic(textField);
    } else {
    setText(getString());
    setGraphic(getTreeItem().getGraphic());
    private void createTextField() {
    textField = new TextField(getString());
    textField.setOnKeyReleased(new EventHandler<KeyEvent>() {
    @Override
    public void handle(KeyEvent t) {
    if (t.getCode() == KeyCode.ENTER) {
    commitEdit(textField.getText());
    } else if (t.getCode() == KeyCode.ESCAPE) {
    cancelEdit();
    private String getString() {
    return getItem() == null ? "" : getItem().toString();
    public static class Employee {
    private final SimpleStringProperty name;
    private final SimpleStringProperty department;
    private Employee(String name, String department) {
    this.name = new SimpleStringProperty(name);
    this.department = new SimpleStringProperty(department);
    public String getName() {
    return name.get();
    public void setName(String fName) {
    name.set(fName);
    public String getDepartment() {
    return department.get();
    public void setDepartment(String fName) {
    department.set(fName);
    Edited by: 882590 on May 22, 2012 8:24 AM
    Edited by: 882590 on May 22, 2012 8:24 AM

    When you click on a selected tree item to start the edit process is the text in the text field selected? In my case the text is not selected and the focus is not on the text field so I have to click in the text field before I can make a change, which makes it seem as if the method call textfield.selectAll() is ignored or something else gets focus after method startEdit() executes.

  • Help for Activating Editing Mode on F2 Keyboard Click for a Tree Node

    I have a Jtree with several Nodes on the Left Pane. On the Right Pane I have a nodes corresponding Screen with many properties. There is a way to change the Node Name by editing the Name Field property on the Right.
    I want to Edit the tree Node name by Clicking F2 on the selected Node, Get it in the Editable Mode, Change the name and press enter. How Do I activate this editable Mode on Click of Keyboard F2 Button.

    tree.setEditable( true );

  • Web Service Proxy wizard doesn't open up in edit-mode anymore

    I've created a web service proxy project for my existing bpel processes and since the bpel processes server has changed, the endpoint has changed as well.
    When I update the endpoint in the <webservicename>_Stub.java file from the webservice proxy client everything works fine.
    But when I try to go back in edit-mode inside the wizard, the wizard complains about the old endpoint url of the bpel process. If I search in the project after that specific hostname, I can't find any file or folder referring to the old url.
    Could somebody explain me why I can't invoke the wizard anymore for a web service proxy client if the endpoint has changed?
    Kind Regards,
    Nathalie

    Hi Nathalie,
    Which version of JDeveloper are you using?
    With the latest release, 11g Tech Preview 2, I don't think you can re-enter the wizard by double-clicking on the service proxy icon on the application navigator tree.
    From the context menu, the only option is to edit handlers, add custom mapping, security or reliability.
    I have found that using ant-based tasks is a better way to get predictable and reproducable outputs, even if the learning curve is not easy.
    Here is just a snippet to give you a concret sample:
      <target name="genproxy">
        <delete dir="./gen_src"/>
        <o :genProxy wsdl="http://${endpoint.host}/pge/webservice?WSDL" output="./gen_src"/>
        <o :genProxy wsdl="http://${endpoint.host}/pge/webservice?WSDL"
                    mapheaderstoparameters="true" databinding="false" output="./gen_src"
                    packagename="com.selectg"/>
      </target>Hope it helps,
    -Eric
    I add an extra space in the XML, so that the o: prefix is displayed in the XML snippet
    Message was edited by:
    erajkovi

  • JTREE request edit mode for one node

    hello,
    my jtree is editable
    tree.setEditable(true); // double click on a node and it goes in "edit mode"
    I would like to set a specific node into "edit mode" (just like when you create a new folder in windows - new folder appears in edit mode - you just have to type the name of the folder)
    //set the node selected
    setSelectionPath(new TreePath(newfolder.getPath()));
    // set the node in edit mode - does not exist ???
    setEdit((new TreePath(newfolder.getPath())); ????
    Second question:
    how can I avoid a specific node from being editable ?
    // set all the nodes editable !!
    tree.setEditable(true);
    thanks a lot !

    polo777 wrote:
    I would like to set a specific node into "edit mode" (just like when you create a new folder in windows - new folder appears in edit mode - you just have to type the name of the folder)[JTree.startEditingAtPath|http://java.sun.com/j2se/1.5.0/docs/api/javax/swing/JTree.html#startEditingAtPath(javax.swing.tree.TreePath)].
    how can I avoid a specific node from being editable ?Override [JTree.isPathEditable|http://java.sun.com/j2se/1.5.0/docs/api/javax/swing/JTree.html#isPathEditable(javax.swing.tree.TreePath)].

  • Can't open photos in edit mode

    I can;t open photos in edit mode in iPhoto '08. When I double click on a photo the main window remains blank (no "!" no"?"). This problem occurs with every photo in the library. My permissions are OK. I've also tried setting the preferences to edit in Photoshop but double clicking on the photos then still accomplishes nothing.

    Steve:
    Do you get a blank white window in the edit mode? If so that may mean you do not have access to the files. Try the following:download and run BatChmod on the iPhoto Library folder with the settings shown here, putting your administrator login name, long or short, in the owner and group sections. You can either type in the path to the folder or just drag the folder into that field.
    FYI:
    Using Photoshop (or Photoshop Elements) as Your Editor of Choice in iPhoto.
    1 - select Photoshop as your editor of choice in iPhoto's General Preference Section's under the "Edit photo:" menu.
    2 - double click on the thumbnail in iPhoto to open it in Photoshop. When you're finished editing click on the Save button. If you immediately get the JPEG Options window make your selection (Baseline standard seems to be the most compatible jpeg format) and click on the OK button. Your done.
    3 - however, if you get the navigation window that indicates that PS wants to save it as a PS formatted file. You'll need to either select JPEG from the menu and save (top image) or click on the desktop in the Navigation window (bottom image) and save it to the desktop for importing as a new photo.
    This method will let iPhoto know that the photo has been editied and will update the thumbnail file to reflect the edit..
    If you want to use both iPhoto's editing mode and PS without having to go back and forth to the Preference pane, once you've selected PS as your editor of choice, reset the Preferences back to "Open in main window". That will let you either edit in iPhoto (double click on the thumbnail) or in PS (Control-click on the thumbnail and seledt "Edit in external editor" in the Contextual menu). This way you get the best of both worlds
    Do you Twango?
    TIP: For insurance against the iPhoto database corruption that many users have experienced I recommend making a backup copy of the Library6.iPhoto database file and keep it current. If problems crop up where iPhoto suddenly can't see any photos or thinks there are no photos in the library, replacing the working Library6.iPhoto file with the backup will often get the library back. By keeping it current I mean backup after each import and/or any serious editing or work on books, slideshows, calendars, cards, etc. That insures that if a problem pops up and you do need to replace the database file, you'll retain all those efforts. It doesn't take long to make the backup and it's good insurance.
    I've written an Automator workflow application (requires Tiger), iPhoto dB File Backup, that will copy the selected Library6.iPhoto file from your iPhoto Library folder to the Pictures folder, replacing any previous version of it. It's compatible with iPhoto 08 libraries. iPhoto does not have to be closed to run the application, just idle. You can download it at Toad's Cellar. Be sure to read the Read Me pdf file.

  • Can't view photos in edit mode

    Hello,
    I just upgraded to iPhoto '08, and while I can view all my thumbnails ok, the photos themselves won't load at all in edit mode.
    I was using iPhoto to try to"jumpstart" my iWeb (per my other help request in another topic) when I noticed this.
    I have Leopard 10.5.2, iPhoto 7.1.2 and a 1.8 GHz processor and 512 MB RAM in my upgraded G4 tower. I tried deleting the preferences file, rebuilding the library file, opening in another account, etc, with no luck. I had even just erased my hard drive and cleanly re-installed Leopard, etc. with still the same problems in both apps. Do I just need to add more memory perhaps? I can't think of anything else...?Does Leopard require much more memory than Panther (which I had before) to run properly?
    Thanks,
    Paul

    I've had the what sounds like the exact same problem with iPhoto '08. I, too, have an upgraded 1.8 GHz G4 (AGP Graphics) running OS 10.5.3 (although the original installation was 10.5.1 and the same problem occurred before the software updates). When I try to edit a photo, the edit window opens but no picture appears. Clicking on the various editing tools and manipulating them (blindly, on a blank screen) shows that editing is actually taking place, and that changes can be saved.
    An earlier post of mine concerned the first problem I noticed since my OS and processor updates; namely, that the DVD player app won't work, but instead returns an error message saying that a valid device could not be found for playback. Several responses to that post seemed to suggest that the ATI Rage 128 video card might be the culprit and that it would need to be replaced. In the past week I've been on the phone or in email contact with tech support people at ATI, Sonnet, Other World Computing, and Apple, the last being the least knowledgeable of all of them, I'm sorry to say.
    The Sonnet guy personally runs a computer just like mine, but with the ATI Radeon 9800 Pro Mac video card. That item costs $209 at OWC. But ATI says it won't work because of the G4's 200 power supply.
    These folks think that the iPhoto problem would be solved by the new video card -- but I'm not yet convinced I want to spend that kind of money to find out. Most also say that the DVD Player issue would be fixed, although the OWC guy says it has nothing to do with it.
    So we're going blind here, with much conflicting expert opinion. I'll keep watching for further discussion.
    cc

  • Unable to open a view in edit mode

    Hi All,
    I have a Notes assignment block in the Account Overview page. It contains a text area and an EDIT button to modify the notes. Corresponding view and context node for this block are  BP_DATA/NOTES and NOTES respectively. Notes context node is bound to Text context node of the component controller.
    The issue is, when agent confirms an account, goes to Overview page and clicks on EDIT button of the Notes block, then, if the block already has some text, then it turns in to EDIT mode. But if Notes section is empty initially, then, on click of EDIT button will not make the view editable.
    During debugging, I can see that if notes section is already filled with some text, then there is an entity in the collection wrapper of the NOTES context node(also in the component controller collection wrapper). But if notes section is initially empty, then collection wrapper is empty(both view and component controller context nodes).
    My requirement is to make the notes section editable even if there is no text present in it initially. It will be very helpful if someone could give me suggestions on this issue.
    Thanks and Regards,
    Naren

    Hi Nitish,
    Thanks for your reply. Infact I only coded the event handler. In the first line, I am reading the entity from the collection wrapper of the context node. If it is bound, only then I can set it in EDIT mode.
    ob_entity ?= me->typed_context->notes->collection_wrapper->get_current( ).
    IF ob_entity IS BOUND.
    Sets the view in EDIT mode
    Now, ob_entity is null if there is initially no data in the notes section of the confirmed account. However, if notes is not empty, then, ob_entity is bound and I can set the view to edit mode. This is the issue.
    Regards,
    Naren

  • How can I open an email file in edition mode?

    Hi!
    I use a system here in my company that generates an automatic email and prepare it to be sent.
    We were using MS Outlook and we have migrated to thunderbird for lots of reasons.
    But since it has migrated, the system cannot generate this email in the composition screen.
    It generates in the inbox.
    Is there anything I can do to change this?
    I have made a few tests and I realize that the same thing happens if I save an email file in my computer and
    try to open if with the thunderbird. It's supposed to open in edition mode, so the user can send it out, with just one click.
    Thank you!

    https://support.mozilla.org/en-US/questions/1004680

  • Text Caption appears in Edit Mode but not in Preview Project or Web Browser

    I'm using Cp4 and have downloaded Adobe Flash 10 Active X, it's ver 10.1.82.76.  I've added a simple text caption with these options:
    Timing Display:  Rest of slide
    Appear after:  2.0 seconds
    Transition effect:  Fade in only
    In: .5 seconds
    And Visible is checked
    I also have a simple line that I drew with the draw line tool and included an arrow on the end of it.
    Everything on the screen works including the click box, the animated text and the failure caption.  For some reason the text caption and the arrow are not appearing except in Edit Mode.  In Preview Project, they disapper but the click box, failure caption and animated text work fine.
    I've rebooted, copied this screen into a new instance of Cp4, re-created these objects on a freshly recorded screen, chosen Order: Bring to Front, created a brand new screen completely from scratch and downloaded the Flash 10 Active X version mentioned above.
    They funny thing is, is that the text caption and arrow works fine on other screens in the project.  I have 76 screens total.
    I'm running Windows XP.
    Any suggestions?

    Hi there
    Can you post a screen capture of what your Timeline looks like?
    Odds are your Click Box is pausing in a weird place.
    Cheers... Rick
    Helpful and Handy Links
    Begin learning Captivate 5 moments from now! $29.95
    Captivate Wish Form/Bug Reporting Form
    Adobe Certified Captivate Training
    SorcererStone Blog
    Captivate eBooks

  • Ctrl+tab is not working in editing mode

    I have JcheckBox and JTable in my JPanel. When user clicks or presses F2 to edit any cell value of the JTable a comboBox will appear with possible values. (This comboBox is coming from table CellEditor). When user presses ctrl+tab from the table focus should transfer to JComboBox all time. It is working only when the user presses ctrl+tab from the table cell which is not in editing mode. If the user presses ctrl+tab from the table cell which is in editing mode (i.e. focus is on the ComboBox of the cellEditor) it does not work. Please help me to find the solution.
    I give a sample code here for your reference.
    public class Frame1 extends JFrame {
    public Frame1()
    super();
    this.setLayout( null );
    this.setSize( new Dimension(400, 300) );
    JTextField ch = new JTextField();
    ch.setVisible(true);
    ch.setBounds(10, 10, 10, 10);
    this.add(ch, null);
    DefaultTableModel tmodel = new DefaultTableModel(3, 1);
    tmodel.setValueAt("0 0 1",0,0);
    tmodel.setValueAt("1 0 1",1,0);
    tmodel.setValueAt("2 0 1",2,0);
    JTable custLayersTable = new JTable(tmodel);
    custLayersTable.getColumnModel().getColumn(0).
    setCellEditor(new ComboEditor());
    custLayersTable.setBounds(new Rectangle(40, 40, 280, 145));
    custLayersTable.setSurrendersFocusOnKeystroke(true);
    this.add(custLayersTable, null);
    public static void main(String[] args)
    Frame1 a = new Frame1();
    a.setVisible(true);
    final class ComboEditor extends AbstractCellEditor
    implements TableCellEditor
    public Component getTableCellEditorComponent(JTable table,
    Object value,
    boolean isSelected,
    int row,
    int column)
    Vector<String> layerValSet = new Vector<String>();
    for(int i=0; i<3; i++)
    layerValSet.add(row+" "+column+" "+i);
    mComboModel = new DefaultComboBoxModel(layerValSet);
    mComboModel.setSelectedItem(value);
    mEditorComp = new JComboBox(mComboModel);
    return mEditorComp;
    public Object getCellEditorValue()
    return mEditorComp.getSelectedItem();
    private DefaultComboBoxModel mComboModel;
    private JComboBox mEditorComp;
    }

    Thanks a lot for your reply.
    Since the textField is in a different class i could not use the transferFocus API directly. I tried the following code in the keyreleased event of Combo Box but it was not working.
    KeyboardFocusManager.getCurrentKeyboardFocusManager().focusNextComponent(
    e.getComponent().getParent());
    I also tried the following code in stopCellEditing and is not working.
    KeyboardFocusManager.getCurrentKeyboardFocusManager().focusNextComponent();
    Is there any other way to achieve this?

  • Deleted Items Stay in Edit mode?

    When Adding Items to a portal, for instance an Image... and then I want to delete that image... I can delete it so the image no longer shows on the finished page, but the Item still shows in the Edit mode. How do I delete the Item so it no longer shows in Item mode

    Assuming that you are using 10g:<br><br>
    Yes, you can disable this feature. Click on Properties of the Page Group that you want to disable this feature. Go to the third tab Items.<br><br>
    On this tab you will see 2 options :<br>
    Retain Deleted Items <br>
    Display Unpublished, Expired, and Deleted Items In Edit Mode <br><br>
    Either enable or disable based on your preferences.

  • FBL5N - Feild selection non editable mode

    Hi All,
    When i execute FBL5N transaction,i am not able to select the feilds as per my desire bcoz the feild display ICON is in non editable mode.
    The only option i have is layout selection and not the feilds selection.
    Can you let me know how to change it to editable mode.
    regards

    Hello,
    You don't have authorization for maintain ALV layouts. Please contact to your Basis department for authorization.
    ALV layout authorization object is S_ALV_LAYO. Please tell your Basis departman to give this object value for '23'.
    Regards,
    Burak

  • How to open an order form of a particular order in edit mode

    hi
    i need to open a order's order form in edit mode so that it can be approved or any other operations done on that.
    there is an similar post but the soln s nt available fr the abve mentioned prob
    " i dont knw what are the exact parameters that should be assigned in ordfind so that it will lead to the ordhead"
    thank u in advance for any guidance that cud be provided.

    I m using oracle appln server 10g forms. I m trying to open tat form using a url.. generally i m accessing via a java program where i m giving tis url.

Maybe you are looking for

  • Less than a Month into BT and already shocked

    I am so shocked by BT I signed up for broadband as I really liked the upload speed compared to virgin media or Sky but wow am I regretting it now.  I signed up and everything was delivered and setup just as they said it was and even my infinity 2 spe

  • Using CAML Query in SharePoint Hosted app

    Hi, I am trying to execute a CAML Query in a SharePoint Hosted App, below is the JS code.     executor.executeAsync({         url: appwebUrl + "/_api/SP.AppContextSite(@target)/web/lists/getbytitle('Documents')/Items?/getitems?@target='" + hostwebu

  • Audio mixer volume problem

    I'm working with CS3. My timeline has two audio tracks. Track one is the clip verbal audio, that track is fine. Track 2 is the music that I want to fade in and out at certain chapter intervals. After adjusting all the volumes in track 2, when I go ba

  • Burning error even though i've upgraded to latest version of iTunes???

    Help, every time I attempt to burn a CD from a playlist it burns two songs then takes a while and bombs out of the burn.... I've run a diagnostic but it mean nothing to me.... can anyone help please, this is driving me banana's!!!! Microsoft Windows

  • Why can't I access my account?

    I have an update balloon in my task bar but it will not work, it just loops from the update window to the desktop start window and back. And my Flash App has dissappeared.