Issue with a class extending EventHandler MouseEvent

Hello all,
I originally had a nested class that was a used for mouseEvents. I wanted to make this it's own class, so I can call it directly into other class objects I have made, but for some reason it isn't working and I'm getting an eror
here is the code:
public class MouseHandler implements EventHandler<MouseEvent>
    private double sceneAnchorX;
    private double sceneAnchorY;
    private double anchorAngle;
    private Parent parent;
    private final Node nodeToMove ;
   MouseHandler(Node nodeToMove)
       this.nodeToMove = nodeToMove ;
    @Override
    public void handle(MouseEvent event)
      if (event.getEventType() == MouseEvent.MOUSE_PRESSED)
        sceneAnchorX = event.getSceneX();
        sceneAnchorY = event.getSceneY();
        anchorAngle = nodeToMove.getRotate();
        event.consume();
      else if (event.getEventType() == MouseEvent.MOUSE_DRAGGED)
          if(event.isControlDown())
              nodeToMove.setRotationAxis(new Point3D(sceneAnchorY,event.getSceneX(),0));
              nodeToMove.setRotate(anchorAngle + sceneAnchorX -  event.getSceneX());
              sceneAnchorX = event.getSceneX();
              sceneAnchorY = event.getSceneY();
              anchorAngle = nodeToMove.getRotate();
              event.consume();
          else
            double x = event.getSceneX();
            double y = event.getSceneY();
            nodeToMove.setTranslateX(nodeToMove.getTranslateX() + x - sceneAnchorX);
            nodeToMove.setTranslateY(nodeToMove.getTranslateY() + y - sceneAnchorY);
            sceneAnchorX = x;
            sceneAnchorY = y;
            event.consume();
      else if(event.getEventType() == MouseEvent.MOUSE_CLICKED)
        //  nodeToMove.setFocusTraversable(true);
           nodeToMove.requestFocus();
           event.consume();
                     nodeToMove.setOnKeyPressed((KeyEvent)
->{
     if(KeyCode.UP.equals(KeyEvent.getCode()))
         nodeToMove.setScaleX(nodeToMove.getScaleX()+ .1);
         nodeToMove.setScaleY(nodeToMove.getScaleY()+ .1);
         nodeToMove.setScaleZ(nodeToMove.getScaleZ()+ .1);
         System.out.println("kaw");
         KeyEvent.consume();
     if(KeyCode.DOWN.equals(KeyEvent.getCode()))
         if(nodeToMove.getScaleX() > 0.15)
         nodeToMove.setScaleX(nodeToMove.getScaleX()- .1);
         nodeToMove.setScaleY(nodeToMove.getScaleY()- .1);
         nodeToMove.setScaleZ(nodeToMove.getScaleZ()- .1);
         System.out.println(nodeToMove.getScaleX());
         KeyEvent.consume();
     nodeToMove.setOnScroll((ScrollEvent)
             ->{
         if(nodeToMove.isFocused())
                    if(ScrollEvent.getDeltaY() > 0)
                        nodeToMove.setTranslateZ(10+nodeToMove.getTranslateZ());
                    else
                        nodeToMove.setTranslateZ(-10+nodeToMove.getTranslateZ());
       ScrollEvent.consume();
}This is the class where I call it.
import javafx.scene.input.MouseEvent;
import javafx.scene.layout.Pane;
import javafx.scene.paint.Color;
import javafx.scene.paint.PhongMaterial;
import javafx.scene.shape.Box;
* @author Konrad
public class Display extends Pane
    Box b;
    PhongMaterial pm = new PhongMaterial(Color.GRAY);
    public Display(Double x, Double y,Double width, Double height)
         super();
         b = new Box(width, height,10);
         setPrefSize(width,height);
         relocate(x, y);
         b.setMaterial(pm); 
         b.addEventFilter(MouseEvent.ANY, new MouseHandler(this));
         getChildren().add(b);
}There is no red dot stating the class doesn't exist, or anything is wrong, but when I run it I get an error.
here is the error:
C:\Users\Konrad\Documents\NetBeansProjects\3D\src\3d\Display.java:29: error: cannot find symbol
         b.addEventFilter(MouseEvent.ANY, new MouseHandler(this));
  symbol:   class MouseHandler
  location: class DisplayThis is another class from the one that it was originally "nested" in(sorry if I'm not using correct terms). The other class, as well as this, produce the same error(this one was just smaller and eaiser to use as an example).
The code is exactly the same.
Originally I thought that the MouseEvent class wasn't an FX class, so I switched it and thought it worked, tried it on the Display class it didn't, tried it on the first one and yeah still didn't, so not too sure what happened there :(.
Thanks,
~KZ
Edited by: KonradZuse on Jun 7, 2013 12:15 PM
Edited by: KonradZuse on Jun 7, 2013 12:38 PM
Edited by: KonradZuse on Jun 7, 2013 12:39 PM

Last time that was the issue I was having for a certain case; however this seems to be different, here is the list of imports for each class.
MouseHandler:
import javafx.event.EventHandler;
import javafx.geometry.Point3D;
import javafx.scene.Node;
import javafx.scene.Parent;
import javafx.scene.input.KeyCode;
import javafx.scene.input.MouseEvent;Display:
import javafx.scene.input.MouseEvent;
import javafx.scene.layout.Pane;
import javafx.scene.paint.Color;
import javafx.scene.paint.PhongMaterial;
import javafx.scene.shape.Box;draw:
import java.io.File;
import java.sql.*;
import javafx.application.Application;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.event.ActionEvent;
import javafx.geometry.Rectangle2D;
import javafx.scene.Group;
import javafx.scene.PerspectiveCamera;
import javafx.scene.PointLight;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.control.ListCell;
import javafx.scene.control.ListView;
import javafx.scene.control.Menu;
import javafx.scene.control.MenuBar;
import javafx.scene.control.MenuItem;
import javafx.scene.control.TextField;
import javafx.scene.input.ClipboardContent;
import javafx.scene.input.DataFormat;
import javafx.scene.input.DragEvent;
import javafx.scene.input.Dragboard;
import javafx.scene.input.MouseEvent;
import javafx.scene.input.TransferMode;
import javafx.scene.layout.GridPane;
import javafx.scene.layout.Pane;
import javafx.scene.paint.Color;
import javafx.scene.paint.PhongMaterial;
import javafx.scene.shape.TriangleMesh;
import javafx.stage.FileChooser;
import javafx.stage.FileChooser.ExtensionFilter;
import javafx.stage.Screen;
import javafx.stage.Stage;
import javafx.stage.StageStyle;
import jfxtras.labs.scene.control.window.Window;
import org.controlsfx.dialogs.Action;
import org.controlsfx.dialogs.Dialog;Edited by: KonradZuse on Jun 7, 2013 2:27 PM
Oddly enough I tried it again and it worked once, but the second time it error-ed out again, so I'm not sure what the deal is.
then I ended up getting it to work again in the draw class only but when I tried to use the event I get this error.
J a v a M e s s a g e : 3 d / M o u s e H a n d l e r
java.lang.NoClassDefFoundError: 3d/MouseHandler
     at shelflogic3d.draw.lambda$5(draw.java:331)
     at shelflogic3d.draw$$Lambda$16.handle(Unknown Source)
     at com.sun.javafx.event.CompositeEventHandler.dispatchBubblingEvent(CompositeEventHandler.java:86)
     at com.sun.javafx.event.EventHandlerManager.dispatchBubblingEvent(EventHandlerManager.java:238)
     at com.sun.javafx.event.EventHandlerManager.dispatchBubblingEvent(EventHandlerManager.java:191)
     at com.sun.javafx.event.CompositeEventDispatcher.dispatchBubblingEvent(CompositeEventDispatcher.java:59)
     at com.sun.javafx.event.BasicEventDispatcher.dispatchEvent(BasicEventDispatcher.java:58)
     at com.sun.javafx.event.EventDispatchChainImpl.dispatchEvent(EventDispatchChainImpl.java:114)
     at com.sun.javafx.event.BasicEventDispatcher.dispatchEvent(BasicEventDispatcher.java:56)
     at com.sun.javafx.event.EventDispatchChainImpl.dispatchEvent(EventDispatchChainImpl.java:114)
     at com.sun.javafx.event.BasicEventDispatcher.dispatchEvent(BasicEventDispatcher.java:56)
     at com.sun.javafx.event.EventDispatchChainImpl.dispatchEvent(EventDispatchChainImpl.java:114)
     at com.sun.javafx.event.EventUtil.fireEventImpl(EventUtil.java:74)
     at com.sun.javafx.event.EventUtil.fireEvent(EventUtil.java:54)
     at javafx.event.Event.fireEvent(Event.java:202)
     at javafx.scene.Scene$DnDGesture.fireEvent(Scene.java:2824)
     at javafx.scene.Scene$DnDGesture.processTargetDrop(Scene.java:3028)
     at javafx.scene.Scene$DnDGesture.access$6500(Scene.java:2800)
     at javafx.scene.Scene$DropTargetListener.drop(Scene.java:2771)
     at com.sun.javafx.tk.quantum.GlassSceneDnDEventHandler$3.run(GlassSceneDnDEventHandler.java:85)
     at com.sun.javafx.tk.quantum.GlassSceneDnDEventHandler$3.run(GlassSceneDnDEventHandler.java:81)
     at java.security.AccessController.doPrivileged(Native Method)
     at com.sun.javafx.tk.quantum.GlassSceneDnDEventHandler.handleDragDrop(GlassSceneDnDEventHandler.java:81)
     at com.sun.javafx.tk.quantum.GlassViewEventHandler.handleDragDrop(GlassViewEventHandler.java:595)
     at com.sun.glass.ui.View.handleDragDrop(View.java:664)
     at com.sun.glass.ui.View.notifyDragDrop(View.java:977)
     at com.sun.glass.ui.win.WinDnDClipboard.push(Native Method)
     at com.sun.glass.ui.win.WinSystemClipboard.pushToSystem(WinSystemClipboard.java:234)
     at com.sun.glass.ui.SystemClipboard.flush(SystemClipboard.java:51)
     at com.sun.glass.ui.ClipboardAssistance.flush(ClipboardAssistance.java:59)
     at com.sun.javafx.tk.quantum.QuantumClipboard.flush(QuantumClipboard.java:260)
     at com.sun.javafx.tk.quantum.QuantumToolkit.startDrag(QuantumToolkit.java:1277)
     at javafx.scene.Scene$DnDGesture.dragDetectedProcessed(Scene.java:2844)
     at javafx.scene.Scene$DnDGesture.process(Scene.java:2905)
     at javafx.scene.Scene$DnDGesture.access$8500(Scene.java:2800)
     at javafx.scene.Scene$MouseHandler.process(Scene.java:3564)
     at javafx.scene.Scene$MouseHandler.process(Scene.java:3379)
     at javafx.scene.Scene$MouseHandler.access$1800(Scene.java:3331)
     at javafx.scene.Scene.impl_processMouseEvent(Scene.java:1612)
     at javafx.scene.Scene$ScenePeerListener.mouseEvent(Scene.java:2399)
     at com.sun.javafx.tk.quantum.GlassViewEventHandler$MouseEventNotification.run(GlassViewEventHandler.java:312)
     at com.sun.javafx.tk.quantum.GlassViewEventHandler$MouseEventNotification.run(GlassViewEventHandler.java:237)
     at java.security.AccessController.doPrivileged(Native Method)
     at com.sun.javafx.tk.quantum.GlassViewEventHandler.handleMouseEvent(GlassViewEventHandler.java:354)
     at com.sun.glass.ui.View.handleMouseEvent(View.java:514)
     at com.sun.glass.ui.View.notifyMouse(View.java:877)
     at com.sun.glass.ui.win.WinApplication._runLoop(Native Method)
     at com.sun.glass.ui.win.WinApplication.access$300(WinApplication.java:39)
     at com.sun.glass.ui.win.WinApplication$3$1.run(WinApplication.java:101)
     at java.lang.Thread.run(Thread.java:724)
Caused by: java.lang.ClassNotFoundException: shelflogic3d.MouseHandler
     at java.net.URLClassLoader$1.run(URLClassLoader.java:365)
     at java.net.URLClassLoader$1.run(URLClassLoader.java:354)
     at java.security.AccessController.doPrivileged(Native Method)
     at java.net.URLClassLoader.findClass(URLClassLoader.java:353)
     at java.lang.ClassLoader.loadClass(ClassLoader.java:423)
     at java.lang.ClassLoader.loadClass(ClassLoader.java:356)
     ... 50 more
Exception in thread "JavaFX Application Thread" E..........After the E comes a bunch of random stuff with drag and drop and such (since I'm dragging an item, and then creating it and giving it the event in question).
Line 331 is                      b.addEventHandler(MouseEvent.ANY, new MouseHandler(b));

Similar Messages

  • Initial issues with PS CS4 Extended Windows XP Pro.

    Initial issues with PS CS4 Extended Windows XP Pro.
    CS3 worked just fine but had many issues with Bridge CS3. So frustrating that the $$ to upgrade to CS4 seem worth it. Mostly works OK with the following exceptions:
    1. Sometimes the file menu selections are non-selectable grey including fundamental functions like Open and Exit not even clicking on the x will allow PS to close! I found a workaround, I can select a tool that is not currently selected (like the crop or brush) and now the menu items appear.
    2. The Arrange Documents drop down menu is blank except for the lower text portion. All icons are missing. Roll over text popup shows what is supposed to be on the menu but no icons.
    3. I have setup Bridge CS4 to auto start at logon. Works OK but sometimes for whatever reason stays busy after I close. Task Manager shows Bridge using up to 25% of CPU time and the program is not even open!
    5. I purchased a couple Canon EOS 50Ds as backup cameras for our business. Worked last week with CS3 and Bridge with Raw 4.6 upgrade. Does not work with RAW 5.0 in CS4bummer!

    I had the same problem with blank/missing "Arrange Documents" icons. And I use NIK and OnOne plugins (CS4 & Vista). These plugins are all supposed to be compatible with CS4 and I use them ALOT - so I refused to remove them. Today I also started having a problem with an error re: needing to install a printer before I could select print functions.
    I found the answer to both problems!! While researching the error message I found information from Adobe support stating that you should:
    1. Quit Photoshop
    2. Vista: Rename the Users\[username]\AppData\Roaming\Adobe\Adobe Photoshop CS4\Adobe Photoshop CS4 Settings\Adobe Photoshop CS4 Prefs.psp file to Adobe Photoshop CS4 Prefs.old
    Windows XP path: Documents and Settings/[username]/Application Data/Adobe/Adobe Photoshop CS4/Adobe Photoshop CS4 Settings/Adobe Photoshop CS4 Prefs.psp
    3. Start Photoshop - it will create a new preferences file.
    My print error message is gone AND I have Arrange Documents icons!!!

  • Performance issue with editing classes in 2011

    Maybe this is just an install issue, but....
    In LV 2011, if I attempt to edit the data of an established class (i.e. it has accessors, etc) then I get the Windows 7 whirling cursor indicating that the class is updating; sometimes this takes several minutes for the changes to be applied while other times the system just hangs and I eventually have to kill LV thus creating a hideously time wasting cycle in where I once again attempt to make changes to the class, it hangs, ad infinitum.  Has anyone else seen this?  Is there a work around?
    Cheers, Matt
    Matt Richardson
    Certified LabVIEW Developer
    MSR Consulting, LLC

    No.  I am saying that this is not associated with a project.  A class does not have to be associated with a project.  If you open a .lvclass file you will get a window that looks like a library window where, similar to the library, everything contained in the class namespace will be found.
    I am running LV 2011 on a 32-bit Windows 7 machine with a dual core i5 (2.53 GHz) and 4 Gb of ram.  Performance wise, I am having no issues with any other aspects of LV 2011 (strike that - it does seem to crash more than I desire).  As I said in the above post, this seems to be an issue only when I am trying to change things such as names in a space other than the properties dialog box. 
    I suspect this might be associated with the installation, but I am not positive.  I have attached two classes if you are interested in playing with them.  Basically, I was only trying to change the type and name of the variable tscan in the SMPS class (I included the CPC class due to the dependency of the SMPS, but I am afraid there may be some other dependencies that I can not immediately see).
    Cheers, m
    Matt Richardson
    Certified LabVIEW Developer
    MSR Consulting, LLC
    Attachments:
    DMA Proj.zip ‏506 KB

  • Issue with GregorianCalendar class

    Hi I'm having issues with the GregorianCalender class. I am trying to enable daylight savings time but it doesn't seem to be working properly for. As a test I have taken the difference of time (in milliseconds) between a date where daylight savings causes a shift in time (April 4, 2004 for example). The two sample dates I have chosen are April 5, 2004 and April 4, 2004, ideally the time difference should be 23 hrs (since one hour is lost due to daylight savings) but I am getting 24hrs. I have a sample program in C++ which gives me the correct answer so I know the result am I getting here is wrong. Anybody have any suggestions?
    String[] ids = TimeZone.getAvailableIDs(-8 * 60 * 60 * 1000);
         if (ids.length == 0)
         System.exit(0);
         // create a Pacific Standard Time time zone
         SimpleTimeZone pdt = new SimpleTimeZone(-8 * 60 * 60 * 1000, ids[0]);
         // set up rules for daylight savings time
         pdt.setStartRule(Calendar.APRIL, 1, Calendar.SUNDAY, 60 * 60 * 1000, true);
         pdt.setEndRule(Calendar.OCTOBER, 31, Calendar.SUNDAY, 60 * 60 * 1000, false);
         pdt.setDSTSavings( 60*60*1000 );
         GregorianCalendar cal = new GregorianCalendar(2004, 4, 4);
         GregorianCalendar cal1 = new GregorianCalendar(2007, 4, 5);
         cal1.setTimeZone ( pdt );
         cal.setTimeZone( pdt );
    //This values is incorrect
         long diff = cal1.getTimeInMillis() - cal.getTimeInMillis();     
    //I have also tried the following
    String[] ids = TimeZone.getAvailableIDs(-8 * 60 * 60 * 1000);
         if (ids.length == 0)
         System.exit(0);
         // create a Pacific Standard Time time zone
         SimpleTimeZone pdt = new SimpleTimeZone(-8 * 60 * 60 * 1000, ids[0]);
         // set up rules for daylight savings time
         pdt.setStartRule(Calendar.APRIL, 1, Calendar.SUNDAY, 60 * 60 * 1000, true);
         pdt.setEndRule(Calendar.OCTOBER, 31, Calendar.SUNDAY, 60 * 60 * 1000, false);
         pdt.setDSTSavings( 60*60*1000 );
         GregorianCalendar cal = new GregorianCalendar(pdt);
         GregorianCalendar cal1 = new GregorianCalendar(pdt);
         cal1.set(2004, 4, 5 );
         cal.set( 2004, 4, 4 );
    //This values is incorrect
         long diff = cal1.getTimeInMillis() - cal.getTimeInMillis();     
    Thanks

    There may be any of several issues:
    Daylight savings time moves from year to year. Maybe last year, it was not on the same week number.
    Daylight savings time officially occurs at 2am. Java date's default to midnight if explicitly initialized. So, try calculating from after 2-3 am, depending on which way time was shifted.- Saish
    "My karma ran over your dogma." - Anon

  • JNDI issue with OracleOCIConnectionPool class

    I have recently installed the Oracle 9i client on a Solaris 8 server to take advantage of the OCI connection pool. I have succesfully created and used the pooling class. I am able to bind the OCI Pool with JNDI without any problems, however, when I perform a lookup on the OCI pool name, I do not seem to get the same object back that is bound. It appears that a new pool is created with every lookup. I know this becuase I watch the open sessions on my oracle server increase by OCIpool.minSize after every call to the context lookup. The server that I am using is Jrun4 and the code is as follows:
    OracleOCIConnectionPool ocipool = new OracleOCIConnectionPool();
    ocipool.setPoolConfig(poolProp);
    initialContext.bind("ociPool", ocipool);
    //at this point there are 5 existing sessions
    OracleOCIConnectionPool newPool = initialContext.lookup("ociPool"));
    //at this point there are 10 existing sessions
    System.out.println( initialContext.lookup("ociPool"));
    //at this point there are 15 existing sessions
    I am completely lost as to why the sessions continue to grow. I have never had this issue with JNDI before. It appears that a new OracleOCIConnectionPool is being created with each lookup, instead of the original pool being used. Any insight is greatly appreciated.

    Hello ,
    Development class/Package is used to save a group of related objects .
    For ex: All MM reports can  use ZMM_XXXX dev class ....
    So check  the module in which u r report / table or Object comes into and provide the respecitve dev class.
    U can also check in TDEVC table to find out the related dev class  .
    Regards

  • Issue with Java Class based DataControls.

    Hi,
    I'm actually working with JDev 11.1.1.3.0.
    And we got a requirement to build a search page which should create a dynamic query. And we are not using ADF BC in this project.
    Instead, writing some ServiceDelegates(Java Classes) which internally calls EJB services to do CRUD operations.
    Finally, created DataControls using these Service Delegates to design UI.
    Now one thing is clear that .... we are using java class based service delegates.
    *Issues
    =======
    1. I have a table with 4 columns, in which 2 columns are of type selectOneChoice.
    2. Now, based on first selectOneChoice selection ... second selectOneChoice should display corresponding values. It is something like this. First select one choice contains all KEYS. Based on the KEY selection second select OneChoice should display VALUES corresponding to the KEY.
    3. I have around 20 KEYS in the first selectOneChoice.
    4. User can add rows to the table as many as they want.
    5. For each row, the first selectOneChoice is same(contains same keys).
    The issue is, For the first time(when user logs into the screen ....) the table will be displayed with one row which contains 2 selectOnechoices and 2 inputText boxes and a ADD button at the end of each row.
    1. User selected a KEY from first selectOneChoice. Hence, second selectOneChoice populates values corressponding to KEY. And user clicked on ADD button.
    2. Now the first row was like that only. And a new Row got added to the table.
    3. In the second row ... Now user selected a different KEY in first selectOneChoice. And the second selctOneChoice displayed values corresponding to KEY selected.
    4. This is also fine. But now, when user tried to click on ADD button to add THIRD ROW ... the table got added with a new row.
    5. Here is the problem.... From here onwards, whenever any new row get added to the table ... the first row's second selectOneChoice values are setting with values of second row's secondSelectOneChoice.
    6. Finally ... what i'm trying to do is, the second selectOneChoice should not get affected/refreshed because of adding a new row.
    If it is not clear ... please share your email address. I can share the sample code with you.
    This is an high priority task given to me.
    Please let me know your comments ASAP.
    Thanks & Regards,
    Kiran Konjeti

    You could try the following to see where the class was loaded from.
    System.out.println(ResourcesAndRatesForm.class.getProtectionDomain().getCodeSource());

  • Setting unscaled with on class extending LinkButton?

    I have a class I made that extends LinkButton so that you can put HTMLText in as the label.
    it works but the background/highlist that shows is way too big because the unscalled with is setting as though it is regular text not htmlText, but I cannot override/set the unscaled width because it is private.
    Anyone have any ideas?
    here is my class:
    package com.kranichs.components
    import mx.controls.LinkButton;
    public class HTMLLinkButton extends LinkButton
    protected var _isHTML:Boolean;
    public function HTMLLinkButton()
    super();
    [Bindable]
    public function set isHTML(value:Boolean):void
    _isHTML = value;
    public function get isHTML():Boolean
    return _isHTML;
    override protected function updateDisplayList(unscaledWidth:Number,
                                                      unscaledHeight:Number):void
            super.updateDisplayList(unscaledWidth, unscaledHeight);
            if(_isHTML)
            textField.htmlText = label;

    Parents size their children based on either explicitWidth/Height or measuredWidth/Height.  You'll probably need to override measure()
    You generally don't want to set properties in updateDisplayList that might invalidate measurement so you should probably apply the label in commitProperties() override.
    Alex Harui
    Flex SDK Developer
    Adobe Systems Inc.
    Blog: http://blogs.adobe.com/aharui

  • Are there known issues with AirPort's "Extend a Wireless Network"?

    I have an AirPort Express (N), with an AirPort Extreme (Single Band, N) extending the network with wireless clients allowed. I've been running this setup for a couple of weeks now, and I've noticed that on occasion, the network can get into this weird split state, where clients connected to the Extreme and those connected to the Express can't see eachother. Sometimes there's just no Bonjour between them, sometimes no connection at all. Now, the clients connected to the express can see eachother and the clients on the Extreme can see eachother.
    The devices are close enough together that I can rule out a signal strength issue.
    I can restore it by restarting the Express and the Extreme, but I've started to associate the problem with my 2007 MacBook Pro connecting to the network, as the problem most commonly arrises when it powers or wakes up.
    Has anyone else had this sort of problem? And is there a known workaround?

    Looking at my router configuration:
    as you can see my DHCP range starts from 100 (192.168.1.x) and so I can't have any 192.168.1.65 in DHCP client list, also you can see from the ping command that the 192.168.1.65 replies.
    So, I'm right assuming that my second AP is configured with a static IP address despite what shown on its panel configuration (it says DHCP!) ?
    Thanks, regards, Roberto.

  • Custom infotype - issues with conversion class - making fields display only

    Hi,
    I created the custom infotype 9008 using t-code PM01, created conversion class ZCL_HRPA_UI_CONVERT_9008_XX and assigned it to screen structure ZHCMT_BSP_PA_XX_R9008 in the view V_T588UICONVCLAS. Coded the methods IF_HRPA_UI_CONVERT_STANDARDOUTPUT_CONVERSION and IF_HRPA_UI_CONVERT_STANDARDINPUT_CONVERSION. I'm trying to make some fields display only within the method OUTPUT_CONVERSION dynamically. Coded the check class ZCL_HRPA_INFOTYPE_9008 with business logic.
    Everything seems to be working fine when I test using the test tool through t-code PUIT_UI.
    When I try to create/modify 9008 record through PA30, the code in the methods OUTPUT_CONVERSION  and INPUT_CONVERSION is never getting executed. The control is not coming there at all. The fields are allowing input. Any idea why this is happening.
    We are on ECC 6.0 and at service pack level SAPKE60035. Couldn't find any relevant SAP notes as well.  Appreciate your help in this regard.
    Thanks,
    Kumar.

    Hi Venkata,
    Check this document.
    This explains about custom infotype creation.
    https://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/60a7586d-edd9-2910-68a8-8204303835a1?overridelayout=true
    regards,
    Brinda L

  • Satellite A200 - Picture issue with Photoshop CS4 Extended

    Hi Everyone
    I have a Toshiba Satellite A200 notebook and I have tried to install Photoshop CS4 Extended yesterday.
    There appears to be a problem as every image I bring up looks like this (image link to my flickr account to show what is happening) http://www.flickr.com/photos/meg_and_fred/2990212103/
    I have updated the ATI driver, uninstalled and reinstalled CS4 and its still not working. I also have Photoshop Elements 6 which is opening the same images perfectly so it mus be a CS4 and A200 compatibility problem - does anyone know how to fix this or what the problem could be?
    Thanks so much!!

    Maybe you should update your Photoshop CS4 Extended software.
    In my opinion this could solve this issue because as you said the picture can be edited properly using the Photoshop Elements 6.
    I think its ONLY a Photoshop CS4 Extended software issue.

  • Issue with transformation class when i have same first name and last name

    Hi All,
    we have a custom transform that will get the record from the trusted recon from Oracle DB, build the User Login, then check the OIM DB USR table for the existance of the user id.
    - If the user ID already exist, then they modify the new one to make it unique.
    The issue we are finding is that if there are two or more records with the same first and last names that would generated the same login id, that the first one is NOT committed in the DB before the 2nd one is checked on.
    - Then the 2nd will attempt to save as the same userid which will fail.
    Regards
    $sid

    I would recommend to put the User Login generation algorithm in the Pre Process Event Handler which will act at the latest state of DB and no race condition will exist. Database sequence too can be a good option if client is ready for it. The reason is it may be that if there are only 3 John Miltons already, the next User Login should be JMILTON4... However, database sequence will continue to generate numbers no matter what... So, it may even come JMILTON1213... Each time database sequence is read, it increases by 1 and probably this is not what the client would want because it breaks their user Login generation algorithm...

  • Performance issue with Preferences class in JDK1.4

    I am very excited about the new Preferences class in JDK1.4, however, my co-workers are not too thrilled about it, as the Windows implementation of it writes everything into Registry, and it is slow when we are talking about hundreds or thousands of users, and storing each user's preferences in the Windows registry is a slow and dangerous thing.
    Is the argument valid? If it does, any solution to that, except not using Windows platform?
    Thanks,

    Well I just got to say I uninstall 1.4 and and got1.3.1_02.I had 1.3.1_01 witch worked for me pertty good but i am trying 1.3.1_02 now.I did not care for 1.4

  • Still having issues with matrix class

    i hope i catch my favorite genius on here, who was helping me
    yesterday. i closed the thread before i actually tested the script
    because it made total sense. however, it's not working...
    import flash.geom.Matrix;
    var mat:Matrix = mc.transform.matrix; //where "mc" = the
    instance name
    mat.b=Math.tan(45);
    i wish to change the angle in which the y axis is skewed of a
    movie clip on the stage. any suggestions to what i'm doing
    wrong?

    you must reassign mc's transform matrix to mat after changing
    mat:

  • Issue with Chinese Translations not picked up in Extended Notifications

    All Gurus,
    We are on ECC 6.0 with the below settings.
    SAP_BASIS     700     0015     SAPKB70015     SAP Basis Component
    SAP_ABA     700     0015     SAPKA70015     Cross-Application Component
    We have been using Extended Notifications for quite some time and it's working fine in EN. We now are working on generating the Outlook mails in Chinese Language. In these, there are some std. SAP texts (as mentioned in "General Settings" in transaction SWNCONFIG) are not getting picked up even though the corresponding Chinese translation exists. Specifically, the EN text
    "The following new work items require processing XXXXXXXX" corresponds to Dialog text "SWN_PROLOG_MULTI" maintained for parameter "TEXT_PROLOG_MULTI" in General settings.
    When the Outlook mail is generated in Chinese, the corresponding Chinese text is not getting picked up and says "Text Not Found". Similar issue existed for some other Dialog texts maintained for parameters "TEXT_GOTO_WI" and "TEXT_CONTACT_ADMIN" for which SAP suggested new Notes 1661893 and 1661894. For these texts, once Chinese text is maintained in SE63, its getting picked up in the Outlook mail.
    Has anybody faced similar issue with Chinese translations in Extend.Notif ? If yes, please let me know how to fix this issue.
    Also, anybody knows the message / Dialog text # for the text "Execute Work item.SAP" in the Link that is attached to the Outlook mail ?. Please tell me how to maintain the Chinese text for this EN text.
    Timely reply is really appreciated.
    Thanks in advance & Regards,
    venu

    All,
    SAP provided the translations in the Notes 1675156 & 1675157 and it resolved both the issues mentioned. Also, the "Execute Work Item.SAP" link is picked up from the Text Elements of the class "CL_SWN_NOTIF_WORKFLOW".
    As the issue is resolved, i'm closing this thread.
    Thanks
    venu

  • How do i open a web page with VeriSign Class 3 Extended Validation SSL SGC SS CA certfificate i can't open web pages with this, how do i open a web page with VeriSign Class 3 Extended Validation SSL SGC CA certfificate i can't open web pages with this

    how do i open a web page with VeriSign Class 3 Extended Validation SSL SGC SS CA ?

    Hi
    I am not suprised no one answered your questions, there are simply to many of them. Can I suggest you read the faq on 'how to get help quickly at - http://forums.adobe.com/thread/470404.
    Especially the section Don't which says -
    DON'T
    Don't post a series of questions in  a single post. Splitting them into separate threads increases your  chances of a quick answer.
    PZ
    www.pziecina.com

Maybe you are looking for