JSpinner generates multiple change events

Having problem with JSpinner generating two change events when using double values in the model. It looks like the number editor formatter is causing an event to be generated before it rounds and after it rounds.
          final JSpinner s = new JSpinner(
               new SpinnerNumberModel(20.0, 0.0, 100.0, 0.0025));
          s.setEditor(new JSpinner.NumberEditor(s, "###0.000"));
          // When value is changed, need to process certain events.
          s.addChangeListener(new ChangeListener() {
               public void stateChanged(ChangeEvent event) {
                    System.out.println("New Value:" + s.getValue());
          JFrame f = new JFrame("Test Spinner");
          f.getContentPane().setLayout(new java.awt.BorderLayout());
          f.getContentPane().add(s, java.awt.BorderLayout.CENTER);
          f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
          f.setSize(331, 254);
          f.setVisible(true);If you modify the editor to use the following format, you can see that the two events are not generated because the formatter does not need to round:
"###0.000##############"I have to actually modify the model to round the incremented or decremented value to a precision where the formatter will not round the value, which is a pretty messy solution.
Are there any other workarounds (or solutions) that are a little more elegant?
Thanks.

Thanks for the reply.
This workaround reduces the amount of duplicate events, but I still see double change events that make it through the filter.
You have to filter events to get the relevant one.
See :
http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=476
5246
import java.awt.*;
import java.text.*;
import javax.swing.*;
import javax.swing.event.*;
public class SpinnerEvents{
JSpinner s;
JSpinner.NumberEditor jne;
DecimalFormat dfmt;
public SpinnerEvents() {
s = new JSpinner(new SpinnerNumberModel(20.0,
0.0, 0.0, 100.0, 0.0025));
jne = new JSpinner.NumberEditor(s, "###0.000");
dfmt = jne.getFormat();
s.setEditor(jne);
// When value is changed, need to process only
only *relevant event*.
s.addChangeListener(new ChangeListener() {
public void stateChanged(ChangeEvent event) {
double val =
le val = ((Double)s.getValue()).doubleValue();
// ignore format event
if
if
if
if
(!(String.valueOf(val).equals(dfmt.format(val)))){
myImportantTask();
JFrame f = new JFrame("Test Spinner");
f.getContentPane().setLayout(new
(new java.awt.BorderLayout());
f.getContentPane().add(s,
d(s, java.awt.BorderLayout.NORTH);
f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
f.setSize(300, 300);
f.setVisible(true);
void myImportantTask(){
System.out.println("New Value:" +
:" + dfmt.format(s.getValue()));
public static void main(String[] args){
new SpinnerEvents();

Similar Messages

  • How to generate selection change event through code in JTree?

    I am developing an application which downloads the file from other system and adds it into the tree. On selecting any file in the tree I m displaying it's contents. But now i am trying to display the contents of downloaded file as soon as it's download completes. Here i am not getting the way to how to generate the event as the download completes, because i tried that setSelectionPath(TreePath path), but it also don't generates the selection change event. Is there any other way to do so?

    Put null in place of oldLeadSelectionPath. From the API for TreeSelectionEvent:
    protected TreePath     oldLeadSelectionPath:
    leadSelectionPath before the paths changed, may be null.
    I'm at the office and can't try out anything, so please let me know whether that works for you.
    db
    edit Or it may be easier to put all code from your valueChanged (...) override in a new method and invoke that method both from valueChanged (...) and wherever else you need.
    Edited by: Darryl.Burke

  • Is it possible to generate a user event when shared variable value change on RT target?

    Hi,
        I wonder if it is possible to generate a user event when a network published shared variable value change?
        Thanks a lot!
        Regards,
        Tom

    Tom,
    I understand not wanting to waster resources on polling but I am not aware that LabVIEW can automatically generate an event on a SV change.
    Maybe a better solution...
    You could implement lower level TCP communication (i.e. have a look at STM - simple messaging protocol) for passing data betweeen RT and PC (instead of using a SV).  You could send a generic command (boolean trigger maybe?) from your RT system when the value of whatever it is the SV is storing has changed.  You can avoid polling on the non-RT system this way.
    Dan

  • FocusLost event on same component generated multiple times... why?

    This is a reiteration of the topic of a post from Jan. 2006 by Toxter.
    Although Toxter got his problem resolved, the question of the title of his post (same as mine) was never answered.
    Suppose you want to validate text of a component (say, a JTextField) by checking the text when the component loses focus, by implementing the focusLost method in a FocusListener. The listener catches focusLost events from the given component and does validation and if found invalid, opens a warning dialog (say, a JOptionPane). Suppose further that in your implementation of the focusLost method, after returning from the JOptionPane call, you call requestFocusInWindow() on the JTextField so the user can make the correction straight-away. What happens, weirdly, is that you get multiple recurrences of a focusLost event from the very same textfield component, generating multiple JOptionPane popups, before the user is actually able to access the textfield and make a correction.
    No reason was given as to why this happens. Toxter reported that focusLost would get called twice. I routinely get 3 occurrences.
    In any case, why does this happen?
    There are at least a couple of other workarounds besides the one accepted by Toxter:
    1) you can drop the call to textField.requestFocusInWindow... without that call you don't get multiple occurrences of focusLost FocusEvents
    2) you can wrap the call to requestFocusInWindow in a call to SwingUtilities.invokeLater (within the run method of an anonymous Runnable):
         if( !validatePositiveIntegerField(txtFld) )
             JOptionPane.showMessageDialog(this, INPUT_ERR_MSG,
                      INVALID_ENTRY_TITLE, JOptionPane.WARNING_MESSAGE);
             SwingUtilities.invokeLater(new Runnable()
                public void run()
                   txtFld.requestFocusInWindow();
          }Workarounds are great but it's nice to understand the underlying causes of problems too... If anyone (Toxter, do you know?) can give even just a brief nutshell explanation as to why this occurs, I'd like to hear it.
    Thanks in advance.

    Use an InputVerifier:
    http://forum.java.sun.com/thread.jspa?forumID=57&threa
    dID=776107&start=6Thanks for the reply, camickr. Several workarounds were already noted. That wasn't the question. The question was: what is the underlying cause of the multiple occurrences of focusLost events from the given JTextField which cause the JOptionPane to pop up multiple times? On the face of it, it seems to be a bug in how focus events are getting generated. Here is a bit of code that will generate the problem:
       public void focusLost(FocusEvent e)
          if( e.getSource() == txtFld && !validatePositiveIntegerField(txtFld) )
             JOptionPane.showMessageDialog(this, INPUT_ERR_MSG, INVALID_ENTRY_TITLE,
                                           JOptionPane.WARNING_MESSAGE);
             txtFld.requestFocusInWindow();
       }In my previous post, I pointed out that the multiple focusLost events can be avoided if one either drops the call to txtFld.requestFocusInWindow() altogether, or else wraps that call in the run method of a Runnable executed with SwingUtilities.invokeLater. But the question I posed was, why is the code above causing multiple occurrences of focusLost events from the txtFld component?
    Any help in getting an explanation of that seemingly buggy behavior would be appreciated.
    Cheers

  • No Data Change event generated for a XControl in a Type Def.

    Hello,
    Maybe I am missing something but the Data Change event of a XControl is not called when the XControl is used in a Type Def. or Strictly Type Def. (see the attached file).
    There may be some logics behind it but it eludes me. Any idea of why or any idea of a workaround still keeping the Type Def. ?
    Best Regards.
    Julian
    Windows XP SP2 & Windows Vista 64 - LV 8.5 & LV 8.5.1
    Attachments:
    XControl No Data Change event.zip ‏45 KB

    Hi TWGomez,
    Thank you for addressing this issue. It must be a XControl because it carries many implemented functions/methods (though there is none in the provided example).
    Also consider that the provided non-working example is in fact a reduction of my actual problem (in a 1000-VI large application) to the smallest relevant elements. In fact I use a  typedef of a mix of a lot of different XControls and normal controls, some of them being typedef, strictly typedef or normal controls and other XControls of XControls (of XControls...) in a object oriented like approach...
    Hi Prashant,
    I use a typedef to propagate its modifications automatically everywhere it is used in the application (a lot of places). As you imply a XControl would do the same, though one would like to construct a simple typedef when no additional functionality is wanted.
    The remark "XControl=typedef+block diagram" is actually very neat (never thought of it that way) because it provides a workaround by transforming every typedef into a XControl. Thanks very much, I will explore this solution.
    One issue remains: All normal controls update their displayed value when inserted into a typedef but not XControls. Data change event is not triggered. I known that XControls have some limitations (no array of XControls) but I would say, like TWGomez, that this is a “bug” considering the expected functionality.

  • Issue in execution of Dynamic action on change event

    Hi,
    Greetings.
    I have scenario, where I have one select list (P_CATEGORY) and one shuttle control (P_ROOMS) on page.
    The values of the shuttle list is being populated based on the selected value in select list.
    The left pane of shuttle control's value based on LOV and source of the shuttle item is a plsql function, which returning colon separated value list.
    So that returned values shown in the right pane of shuttle.
    The LOV values are getting being populated using cascading LOV i.e based on the of Select List item. But the Shuttle source values not getting auto refresh and for achieving that I've created a dynamic true action on change event of Select list.
    The dynamic action is with :
    Action : Set Value
    Set Type : PL SQL funciton body
    Page items to submit : P_CATEGORY (this is select list)
    Escape Special Character : Yes
    Suppress Change event : Yes
    Affected Elements -
    Selection type : Item(s)
    Item(s) : P_ROOMS
    This is perfectly working on Firefox but not working on IE9 & Google Chrome.
    I've debugged in both IE9 & Google chrome and found the dynamic action get executes ajax call and the values get back but not rendering on the screen. i.e not assigning to the item.
    So can you please advice me what will be a workaround for this issue?
    I am using Application Express 4.1.0.00.32 .
    I'll appreciate your prompt response.
    Thanks & Regards,
    Jaydipsinh Raulji

    I don't understand why this is not working withouth seeing an example, there might be multiple processes working on the item.
    Anyway if the value is returned check if the value is in the session aswell. If it is in the session but not on the page that means you will need to find a way to bring it from the DB to the page. You can do this by adding an action to your DA:
    Action: Execute PL/SQL code
    PL/SQL code: NULL;
    Page Items to Return: your shuttle item

  • Dynamic Action, validation check, on an Item, could not use Change event

    I am learning how to use Dynamic Actions in a 3.2.x app that was upgraded to 4.0.x. I wanted to share what I learned adding client side validation with these actions. Perhaps an Apex guru could suggest an easier method to use this feature.
    I have an existing function where a user selects multiple rows in a report page, and then assigns a single status and enters justification text for the selected rows in another page, then saves changes (via submit).
    One item, justification, is required. I replaced my JavaScript validation of an empty value, e.g., P10_JUSTIFICATION.value, with a dynamic action. The Change event was a candidate for this item, with the "is not null" Condition. However, it is possible to initiate this screen to review the status, overlook the justification text and immediately select a button to save changes. No Change event has fired. The Before Page Submit event was applicable here. This Event selection in the wizard does not provide the Item for definition and then the Condition wasn't the right context though available for selection. I selected JavaScript expression for the Condition, actually entered my original JS test expression, and created one True Action. The True action displays an Alert to tell the user that required text is missing.
    Test of this DA was not completely successful. The alert appeared but the page went on to submit anyway. I found I had to add another True Action, Cancel Event, to stop the submit. The DA was then successful.
    The Apex site examples, [http://st-curriculum.oracle.com/obe/db/apex/r40/apexdynactions/apexdynactions_ll.htm] , do a great job showing use of Change and Set Value events for Items but a user may not always navigate through items. These features were promoted for developers with no to little knowledge of JavaScript to use Apex for application development. This DA required using/understanding JS anyways.
    My next step is to implement actions on a tabular form that that has required values. It is disconcerting that I have read in the forum that the column value references such as f0x and its row number are required to get it all working (as a DOM or JQuery selector). I have already found that tabular form columns can be re-ordered from v3.2.1 to 4.0.x. I was hoping I could declare dynamic actions or simpler Javascript methods that would not rely on f0x array references.
    Thanks,
    Kelly

    It is disconcerting that I have read in the forum that the column value references such as f0x and its row number are required to get it all working (as a DOM or JQuery selector).Not necessarily. One possibility is to use descendent jQuery selectors to attach the dynamic action event handler by column heading:
    td[headers="HIREDATE"] input

  • How to make Text Input in Sales Order Trigger Change Event

    Hi Gurus,
    I have a project going on where when a sales order is created, changed or cancelled, an IDoc is FTP to our freight company.
    Now the issues is when we change a sales order text input (for example, shipping note). Nothing happens. The system doesn't take this as a change so no change event is triggered.
    Text fields I'm talking about is the one from Go to --> Header. and for Item Go to --> Item.
    When I input a note in this field, it comes out in the IDoc, but when I go back to the Sales Order and change the note, it doesn't trigger a change and therefore no IDoc is generated.
    how can I go about this?
    thanks.

    Hi,
    Could you initiate the idoc creation from a workflow?
    Have you checked the event trace?
    Is the BUS2032 object type CHANGED raised? I checked our system and event is raised on text change.
    Transaction SWELS to activate and deactivate trace.
    Transaction SWEL to monitor event raised.
    Don't forget to turn trace off
    Hope this helps
    TB

  • Flat File to IDOC Mapping requirement to generate Multiple Segments

    Hi Experts,
    I got a requirement were i have 2 records in a file and i need to generate 2 IDOCs  with  multiple segments in it.
    FILE :
    10/01/2010     101  KRNA     ic_quantity          30-0257     3526     1     1     ea     110000     10
    10/01/2010     101     KRNA     ic_quantity          90-0005     3526     1     2     ea     110000     10
    Idoc should generate 2 IDOCs with multiple segments as shown below
    I have imported the IDOC and changed the occurrence to " unbounded "
    The Basic  IDOC Type :  WMMBID02
    I need to generate Multiple segments of  E1MBXY1
    i.e..,  First IDOC should contain two  E1MBXY1 segments
             Second IDOC should contain Four  E1MBXY1 segments
    IDOC1 :   WMMBID02
    Segment :   E1MBXY1( 2 segments)                                                       
    10/01/2010     101     KRNA     ic_quantity          30-0257     3526     1     1     ea     110000     10
    10/01/2010     101     KRNA     ic_quantity          90-0005     3526     1     2     ea     110000     10
    IDOC2 : WMMBID02
    Segment :  E1MBXY1 ( 4 segments)                                                  
    10/01/2010     101     KRNA     ic_quantity          30-0257     3526     1     1     ea     110000     10
    10/01/2010     101     KRNA     ic_quantity          30-0257     3521     1     1     ea     110000     10
    10/01/2010     101     KRNA     ic_quantity          90-0005     3526     1     2     ea     110000     10
    10/01/2010     101     KRNA      ic_quantity          90-0005     3521     1     2     ea     110000     10
    Can anyone suggest me how to generate IDOCs with multiple segments
    what are multiple ways of generating it
    Whether it can be achieved using Multi-mapping or I need go for UDF
    If any one has done has done this type of requirement ,please share the points.
    Thanks
    Sai

    Basically you need to generate idoc per record in the flat file. During fcc conversion you convert flat file to xml structure at the sender side. In the mapping use xml file structure source and idoc as receiver structure. You just export idoc and update the idoc segment 1 to unbounded.  Please follow the michael blog for file to idoc multimapping without bpm. Yes without bpm it is possible.
    see this link... This will answer your requirement.
    https://wiki.sdn.sap.com/wiki/display/XI/File%20to%20Multiple%20IDOC%20Splitting%20without%20BPM
    >Whether it can be achieved using Multi-mapping or I need go for UDF
    you dont need udf for this.

  • "Multiple Tempo Events Detected" -- Propblem with Logic and Reason

    I have just migrated from a MacBookProp to a MacPro. All seems well except for the rewiring of Reason. When I rewire, I get the error message in Logic "Multiple Tempo Events Selected" asking if I want to review the list. Since no song is open in Reason, this would appear to be some kind of glitch. Also, there is a huige amount of latency between Reason and Logic. When I have just Reason open, there is no latency at all when I play. the same in Logic when I create a software instrument. But in rewire mode, it is about half a second! Any advice and help would be appreciated.

    Update on this: the tempo issue was relegated to one project where there was a tempo change within Logic, so I apologize. But I still have a tremendous amount of latency between the two programs.

  • Multiple day events

    I exported an .ics event from my work calendar and e-mailed it to my Mac at home.
    It was a vacation starting on Fri 12/18/2009 at 6:30 (when I start my work day), and ending on Mon 12/21/2009 at 3:00.
    My wife and I share our iCal via our .mac account, and she called me to say I needed Monday off as well - it showed up on her calendar as a Friday vacation only. Opening the event showed the correct time. A solution was to change it to full day events - now it showed as 4 days instead of as one day glancing on the month's calendar.
    Is there a set-up we have wrong, or is this just the way iCal displays multiple day events that aren't marked as full day events? (I hope it's the former, as it is not a good design at all).

    I exported an .ics event from my work calendar and e-mailed it to my Mac at home.
    It was a vacation starting on Fri 12/18/2009 at 6:30 (when I start my work day), and ending on Mon 12/21/2009 at 3:00.
    My wife and I share our iCal via our .mac account, and she called me to say I needed Monday off as well - it showed up on her calendar as a Friday vacation only. Opening the event showed the correct time. A solution was to change it to full day events - now it showed as 4 days instead of as one day glancing on the month's calendar.
    Is there a set-up we have wrong, or is this just the way iCal displays multiple day events that aren't marked as full day events? (I hope it's the former, as it is not a good design at all).

  • Cannot generate Account Logon Events (Event ID 4624) in Security Event Log on Server 2008 R2 Domain Controller

    I have configured the Default Domain Controller's policy to log SUCCESS for Account Logon Events in the Server 2008 R2 Domain Controller, but these events are not logging in the Security Event log.
    Default Domain Controllers Policy
    Computer Configuration/Windows Settings/Security Settings/Local Policies/Audit Policies/Audit Account Logon Events = Success.
    What tools can I use to troubleshoot this further? The results of "Auditpol.exe /get /category:*" are below.
    System audit policy
    Category/Subcategory                      Setting
    System
      Security System Extension               No Auditing
      System Integrity                        No Auditing
      IPsec Driver                            No Auditing
      Other System Events                     No Auditing
      Security State Change                   No Auditing
    Logon/Logoff
      Logon                                   No Auditing
      Logoff                                  No Auditing
      Account Lockout                         No Auditing
      IPsec Main Mode                         No Auditing
      IPsec Quick Mode                        No Auditing
      IPsec Extended Mode                     No Auditing
      Special Logon                           No Auditing
      Other Logon/Logoff Events               No Auditing
      Network Policy Server                   No Auditing
    Object Access
      File System                             No Auditing
      Registry                                No Auditing
      Kernel Object                           No Auditing
      SAM                                     No Auditing
      Certification Services                  No Auditing
      Application Generated                   No Auditing
      Handle Manipulation                     No Auditing
      File Share                              No Auditing
      Filtering Platform Packet Drop          No Auditing
      Filtering Platform Connection           No Auditing
      Other Object Access Events              No Auditing
      Detailed File Share                     No Auditing
    Privilege Use
      Sensitive Privilege Use                 No Auditing
      Non Sensitive Privilege Use             No Auditing
      Other Privilege Use Events              No Auditing
    Detailed Tracking
      Process Termination                     No Auditing
      DPAPI Activity                          No Auditing
      RPC Events                              No Auditing
      Process Creation                        No Auditing
    Policy Change
      Audit Policy Change                     No Auditing
      Authentication Policy Change            No Auditing
      Authorization Policy Change             No Auditing
      MPSSVC Rule-Level Policy Change         No Auditing
      Filtering Platform Policy Change        No Auditing
      Other Policy Change Events              No Auditing
    Account Management
      User Account Management                 No Auditing
      Computer Account Management             No Auditing
      Security Group Management               No Auditing
      Distribution Group Management           No Auditing
      Application Group Management            No Auditing
      Other Account Management Events         No Auditing
    DS Access
      Directory Service Changes               No Auditing
      Directory Service Replication           No Auditing
      Detailed Directory Service Replication  No Auditing
      Directory Service Access                No Auditing
    Account Logon
      Kerberos Service Ticket Operations      No Auditing
      Other Account Logon Events              No Auditing
      Kerberos Authentication Service         No Auditing
      Credential Validation                   Success

    Hi Lawrence,
    After configuring the GPO, did we run command gpupdate/force to update the policy immediately on domain controller? Besides, please run command gpresult/h c:\gpreport.html to check if the audit policy
    setting was applied successfully.
    TechNet Subscriber Support
    If you are TechNet Subscription user and have any feedback on our support quality, please send your feedback here.
    Best regards,
    Frank Shen

  • WebDynpro ABAP "on change event"

    Dear Experts,
    we are using a WebDynpro application (ABAP-Stack) and there are two
    inputfields included. My question is:
    First we did some input into the first field and than we navigate to the second one.
    Is it possible to delete the input of the first field when we do some input into the second one?
    Maybe we need something like an "on change event" but in WebDynpro there is no
    methodtype like that and no way to edit the generated HTML- or JavaScript-Code.
    Best regards,
    Henrik Pollmann

    Hi
    Just look at this Thread discuss the same on change event may get some help
    Re: on change event
    on change event
    Regards
    Abhishek
    Edited by: Abhishek Agrahari on Jan 15, 2009 5:36 AM

  • Generate multiple PDFs using FOP

    Hello,
    please take a look to the following code snipplet it is intended for the generation of a PDF document. The PDF-content is written to an OutputStream which works quite well.
    The problem is that I want to append some more PDF content to the OutpuStream, but these seams to be impossible. Is there anybody who merged several PDF-Streams to one "big OutputStream" ?
    try
    driver.setOutputStream(pdf);
    //Setup XSLT
    TransformerFactory factory = TransformerFactory.newInstance();
    Transformer transformer = factory.newTransformer(new StreamSource(xslt));
    //Setup input for XSLT transformation
    Source src = new StreamSource(xml);
    //Resulting SAX events (the generated FO) must be piped through to FOP
    Result res = new SAXResult(driver.getContentHandler());
    //Start XSLT transformation and FOP processing
    transformer.transform(src, res);
    System.out.println("first transformation...");
    finally
    pdf.close();
    }

    Hang on, your thread title suggests you want to generate multiple PDF documents from a single xml source, but the text is talking about combining pdf content.
    I'm not sure which one you really want so I'll the first one.
    I've recently had to generate multiple pdf documents from a single xml source. I used the following (hoping the tags render okay):
                   <xsl:result-document href="{$filename}" format="html">
                        <!-- document root here -->
                        <fo:root xmlns:fo="http://www.w3.org/1999/XSL/Format">
                             <xsl:call-template name="masterSet"/>
                             <!-- Apply the ID template to this instance of the ID element -->
                             <xsl:apply-templates select="."/>
                        </fo:root>
                   </xsl:result-document>I used the Saxon engine to split the xml into multiple .fo documents and then ran FOP over each of these.
    The 'xsl:result-document href="{$filename}" format="html"' element does the splitting. Obviously, the filename variable defines the path to the outpute file. You'll no doubt define that within some kind of for-each loop.

  • International travel and multiple-day events with time zones

    I can't see how I can set an international travel easily as one event, e.g. from 2010-01-11 20:30:00+11:00 to 2010-01-11 07:10-10:00. I can set both as in one Time Zone, but that is not what I want. I want to set as my itinerary from a travel agent says, e.g. the start and end in different Time Zones. Although I can enter the departure and arrival as two events, that is not what I want to do. The air travel is one event, not two.
    Also, I often want to set schedules for multiple-day international meetings using the local time of the meetings while my iCal is still in my own Time Zone, but this is not possible. As soon as I select All Day in a new event, the Time Zone option disappears. Of course, I can change my iCal Preferences to use the target Time Zone (instead of my local one) and then set the meeting schedule, but this is not what I want to do. I want to be able to select a different Time Zone for multiple-day events while I am in my own Time Zone.
    These are rather common problems in any internatioanl businesses I suspect. It would be really handy to tie iCal with travel itinerary applications. If this is possible, I also would be able to get the information directly from travel agents in iCal format and it is a great potential for developing such applications.
    Does anyone know whether these are possible in iCal or whether Apple may be working on it?
    I also can't find a Feature Request for Apple, to ask about it. Does anyone know where to find it?
    Thanks.
    Message was edited by: yoichi.takayama

    I just didn't get the context here. Do you want to display multiple rows within one Outlook calendar event? If yes, I think it's impossible.
    Please reattach the sample which will be very helpful for others to understand your requirement, then possibly provide a solution.
    Bhasker Timilsina (ManTechs Inc)

Maybe you are looking for

  • Ps CS5 e Ps CS6 in Mavericks: (Two monitor)

    Hello. Sorry for my bad English!!! This is my great problem: After installation of Maverick on my MacPro Early 2008, when i launch Photoshop (CS5 or CS6 version) in my secondary monitor don't appear the palette of the struments by my works, but is on

  • Embedded application/x-shockwave-flash objects will not display

    4.0b9 on Windows XP I just get a white section where a shockwave flash object should be, and in all the occurences I've found it's when the flash object is embedded. Youtube works just fine, though... In the "white section" I can right-click and get

  • Share permissions issue - users reporting files readonly

    I have setup a share and the users need to have access to read,modify, write, delete on the files/folders in the new share. The users. For this: 1. I added the user AD group to the Share Permissions and set 'Change' for the permissions. I noticed tha

  • Doubt on line removal in JTextArea

    Hi All, I have 3 lines which are on the JTextArea like sample.pl sample1.pl sample2.pl So i want to remove the whole from Jtextarea..how is it possible?? thanks in advance. regards, Viswanadh

  • Photoshop CC on two computers

    Can I run Photoshop CC at the same time on two different computes?