How to mouserotate center on specific point?

Thanks in advance.
Suppose I have a QuadArray (make it simple, a cube with vertex (0,0,0),(1,0,0),(1,1,0),(0,1,0),(0,0,-1),(1,0,-1),(1,1,-1),(0,1,-1)), how can I make mouserotate on its center (in this case, (0.5,0.5,-0.5)) without rewritting the vertex of the QuadArray?
I translate it to the view center but the rotation point seems still set on the front left bottom of the cube. Please help.

here is the class i wrote to move around a point (and looking at the point)
hope this will help,
Franck
( you can see the result at : http://membres.lycos.fr/franckcalzada/Billard3D/Pool.html )
package com.caza.behaviors;
import java.awt.AWTEvent;
import java.awt.event.MouseEvent;
import java.util.Enumeration;
import javax.media.j3d.Transform3D;
import javax.media.j3d.TransformGroup;
import javax.media.j3d.WakeupCriterion;
import javax.media.j3d.WakeupOnAWTEvent;
import javax.vecmath.Vector3f;
import com.caza.billard3D.Ball;
import com.caza.billard3D.Pool;
import com.sun.j3d.utils.behaviors.mouse.MouseBehavior;
import com.sun.j3d.utils.behaviors.mouse.MouseBehaviorCallback;
public class TableRotateBehavior extends MouseBehavior {
     private static final int MIN_YAW = 10;
     private static final int MAX_YAW = 120;
     private static final float MIN_SCALE = 3.0f;
     private static final float MAX_SCALE = 170.0f;
     private TransformGroup mainTransformGroup;
     private Ball cueBall;
     private float m_roll = 0;
     private float m_pitch = 0;
     private float m_yaw = 0;
     private float m_focal = 100;
     private boolean viewFromWhiteBall;
     private MouseBehaviorCallback callback = null;
     * Creates a rotate behavior given the transform group.
     * @param transformGroup The transformGroup to operate on.
     public TableRotateBehavior(TransformGroup mainTransformGroup, Ball cueBall, boolean viewFromWhiteBall) {
          this();
          this.mainTransformGroup = mainTransformGroup;
          this.cueBall = cueBall;
          this.viewFromWhiteBall = viewFromWhiteBall;
     * Creates a default mouse rotate behavior.
     private TableRotateBehavior() {
          super(0);
     public void initialize() {
          super.initialize();
          m_roll = 0;
          m_pitch = 0;
          m_yaw = 45;
          m_focal = 100;
     public void setFocal(float focal) {
          m_focal = focal;
     public float getFocal() {
          return m_focal;
     public float getPitch() {
          return m_pitch;
     public void setupCallback( MouseBehaviorCallback callback ) {
          this.callback = callback;
     public void processStimulus(Enumeration criteria) {
          WakeupCriterion wakeup;
          AWTEvent[] event;
          int id;
          while (criteria.hasMoreElements()) {
               wakeup = (WakeupCriterion) criteria.nextElement();
               if (wakeup instanceof WakeupOnAWTEvent) {
                    event = ((WakeupOnAWTEvent) wakeup).getAWTEvent();
                    for (int i = 0; i < event.length; i++) {
                         processMouseEvent((MouseEvent) event);
                         if (((buttonPress) && ((flags & MANUAL_WAKEUP) == 0))
                              || ((wakeUp) && ((flags & MANUAL_WAKEUP) != 0))) {
                              id = event[i].getID();
                              if ((id == MouseEvent.MOUSE_DRAGGED)
//                                   && !((MouseEvent) event[i]).isMetaDown()
                                   && !((MouseEvent) event[i]).isAltDown()
//                                   && ((MouseEvent) event[i]).isControlDown()
                                   handleMouseMove(((MouseEvent) event[i]));
                              else if (
                                   (id == MouseEvent.MOUSE_DRAGGED) &&
                                   ((MouseEvent) event[i]).isAltDown()
//                                   !((MouseEvent) event[i]).isMetaDown()
//                                   ((MouseEvent) event[i]).isControlDown()
                                   handleMouseScale(((MouseEvent) event[i]));                              
                              else if (id == MouseEvent.MOUSE_PRESSED) {
                                   x_last = ((MouseEvent) event[i]).getX();
                                   y_last = ((MouseEvent) event[i]).getY();
                              if (callback!=null) {
                                   callback.transformChanged( MouseBehaviorCallback.ROTATE, null);
          wakeupOn(mouseCriterion);
     private void handleMouseScale(MouseEvent mouseEvent) {
          float dy;
          y = mouseEvent.getY();
          if (!viewFromWhiteBall) {
               dy = y - y_last;
               // ZOOM
               m_focal += dy;
               if (m_focal < MIN_SCALE) {
                    m_focal = MIN_SCALE;
               if (m_focal > MAX_SCALE) {
                    m_focal = MAX_SCALE;
               // test if look above the floor
               if (Math.sin(Math.toRadians(m_yaw + dy + 90))*m_focal < -18.0) {
                    m_focal -= dy;
          else {
               m_focal = 3.0f;
          CameraByTransform(
               0, 0, 0
          y_last = y;
     private void handleMouseMove(MouseEvent mouseEvent) {
          float dx, dy;
          x = mouseEvent.getX();
          y = mouseEvent.getY();
          dx = (x - x_last) / 2.0f;
          if (!viewFromWhiteBall) {
               dy = y - y_last;
               if (m_yaw + dy <= MIN_YAW) {
                    m_yaw = MIN_YAW;
                    dy = 0;          
               if (m_yaw + dy >= MAX_YAW) {
                    m_yaw = MAX_YAW;
                    dy = 0;          
               // test if look above the floor
               if (Math.sin(Math.toRadians(m_yaw + dy + 90))*m_focal < -18.0) {
                    dy = 0;
          else {
               dy = 0;          
               m_yaw = 84;     
          if (!reset) {
               CameraByTransform(
                    dy, -dx, 0
          } else {
               reset = false;
          x_last = x;
          y_last = y;
     private Transform3D setTransform(
          float pitch,
          float yaw,
          float roll
          //method to rotate then position
          Transform3D ret = new Transform3D(); //return transform
          Transform3D xrot = new Transform3D();
          Transform3D yrot = new Transform3D();
          Transform3D zrot = new Transform3D();
          if (Pool.instance().gamePlay.isHelping()) {
               ret.set(cueBall.getPreviousPosition());
          else {
               ret.set(cueBall.getPosition());
          //roll pitch yaw rotations by Degrees
          yrot.rotY(roll / 360 * (2 * Math.PI));
          xrot.rotX(pitch / 360 * (2 * Math.PI));
          zrot.rotZ(yaw / 360 * (2 * Math.PI));
          //multiply return values by rotation
          //(order of multiplication is important dependent on coordinate system being used)
          ret.mul(zrot);
          ret.mul(xrot);
          ret.mul(yrot);
          return ret;
     private void CameraByTransform(
          float yaw,
          float pitch,
          float roll
          m_yaw = m_yaw + yaw;
          m_pitch = m_pitch + pitch;
          m_roll = m_roll + roll;
          Transform3D rot1 = setTransform(m_yaw, m_pitch, m_roll);
          Transform3D pos = new Transform3D();
          pos.setTranslation(new Vector3f(
               0.0f,
               0.0f,
               m_focal
          rot1.mul(pos);
//          System.out.println("SelmanKeyBehavior.rot1 = " + rot1);
          mainTransformGroup.setTransform(rot1);

Similar Messages

  • How to rewind to a specific point?

    I have a 30 gig. Ipod on which I like to listen to audible.com books. I just got a new Nano. On my 30 gig Ipod, I can rewind or fast forward to a SPECIFIC point of the book, not just to the very beginning or to the end. I can't seem to do this with the Nano, which allows me to go only to the very beginning or to the very end. What am I doing wrong? Thanks so much in advance.

    Whilst listening to the audiobook, and the iPod is in the 'Now Playing' screen, press the centre button once. A small diamond will appear in the time scroller ad the current time point. Just use the scrollwheel to get to the time where you want to listen to.
    Hope that helps

  • How to start from a specific point on the timeline

    I have a horizontal list of image thumbnails, there are 21 thumbnails and only 7 are visible at one time and scrolls back and forth. It works fine.
    However, when I choose an image that is not in the first seven, say the 8th image, the page loads and the thumbnails goes back to the beginning images (undesirable). When the 8th image page is shown I would like the thumbnails to start at the eigth image, NOT from the beginning again.
    I had the animation positioned to the eight image for the start, with the first 7 off to the left and the second 7 off to the right. But when I saved and loaded it into the page, it just starts from the begining.
    How can I start the thumbnails from a specific desired position, such as the 8th image or the 15th image depending on the page?
    Thank you for any help.
    Anthony

    Hi Anthony,
    Thank you for your post.
    It would be better if you share any link or actual composition with us.
    Regards,
    Devendra

  • At end of video how do I set a specific point in menu to return to?

    When my video has finished playing it returns to the start of my motion menu but I want to be able to tell DVDSP4 to start at a specific marker created in my Motion 3 project. Is there a way to do this?
    Many thanks
    Mark

    Very easy to do - click on 'add script' in the tool bar, then click on the script in the outline view. Look in the script editor tab and click on 'NOP' -the first line in the script.
    Now look in the property inspector at the 'Jump' command, use the dropdowns in that to select the right menu, and check the box that is for the loop point. When done, your script line will look a lot like the one I wrote above.
    Now, set the end jump of the track to go to that script instead of to the menu.
    All quite simple to achieve, I hope!

  • Rotate about a specific point

    I have a script that creates geologic map symbols, positions them, and rotates them into their proper orientation.  However, I do not know how to rotate about a specific point (not the center of the group). The portion of script in question is:
    if (dlg.symbol.bedding.value) {
    var myLine = stGroup.pathItems.add();
    myLine.stroked = true;
    myLine.setEntirePath([[posx,posy],[posx+3,posy]]);
    myLine.strokeWidth = .75;
    var myLine = stGroup.pathItems.add();
    myLine.setEntirePath([[posx,posy - 6.75],[posx,posy + 6.75]]);
    myLine.stroked = true;
    myLine.strokeWidth = .75;
    stGroup.rotate(-azi);
    and I wish to rotate around the point [posx, posy].  How do I accomplish this?

    Thanks!  That worked.  For future reference, here's the modified section of script:
    if (dlg.symbol.bedding.value) {
    var myLine = stGroup.pathItems.add();
    myLine.stroked = true;
    myLine.setEntirePath([[posx,posy],[posx+3,posy]]);
    myLine.strokeWidth = .75;
    var myLine = stGroup.pathItems.add();
    myLine.setEntirePath([[posx,posy - 6.75],[posx,posy + 6.75]]);
    myLine.stroked = true;
    myLine.strokeWidth = .75;
    mapDoc.theOrigin = mapDoc.rulerOrigin;
    mapDoc.rulerOrigin = [posx,posy];
    stGroup.rotate(-azi, undefined,undefined,undefined,undefined,Transformation.DOCUMENTORIGIN);
    mapDoc.rulerOrigin = mapDoc.theOrigin;
    Another parameter in the rotate method to specify a rotation point would be nice.  Still, this works just fine, so no complaints from me.

  • On my Mac Pro how can I get voiceover to start reading at a specific point on a document?, on my Mac Pro how can I get voiceover to start reading at a specific point on a document?

    On my Mac Pro how can I get voiceover to start reading at a specific point in a document, and then continue on to the next paragraph and so on?  Thank you.  Ed

    Welcome to the Apple family!!!! 
    How can I cause the VO cursor(box) show-up/start?
    Press Control-Option and F5.   The F5 key is located on the top row of keys 6th key over.  This is a toggling "Keyboard Shortcut" for turning VoiceOver on and off.
    How can I move the VO cursor to various sentences or paragraphs of an article and have it start reading ... and perhaps even continue reading on to the next paragraph(s) ... even to the end of the article?
    How to read a website with VoiceOver
    Step 1:  Go to the Website
    A quick keyboard shortcut is Command-L.  This will jump you up to the address bar.  Start typing where you want to go.  i.e "www.thewebsite.com"
    Step 2:  Working with Webpage
    VoiceOver will automatically start reading the website.  You can pause the speech by hitting the 'Control Button'. 
    If VoiceOver does not being reading the webpage, then you might have to "Interact" with it.  If VoiceOver say "HTML Content" then press Control-Option-Space-Down Arrow to interact with the webpage.
    Use Control-Option-Right Arrow to move throught the website.  This will speak "EVERYTHING" on the page.
    Most website that I've found have their articles labeled as 'Heading'.  You can jump from heading to heading, by pressing Control-Option-Shift-H.
    If you'd like an itemized alphabetical listing of the site, press Control-Option-I 
    Press Control-Option-Space on the link or article you want to view.
    Step 3.  Reading from Top to Bottom
    Once you found and clicked on the the article/link, use the same 'Heading' command, Control-Option-Shift-H to find the title. 
    After finding the title, press Control-Option-A will start reading from the title on. 
    Note:  If there are any other items (ads, pictures, etc) it will read those too. 
    Tip:  You might be able to activate a feature called the 'Reader'.  The Reader isolates the article and elimanates the ads  The keyboard command is Shift-Command-R.  You can also find it in the Menu Bar (Command-Option-M) under the word 'View' then 'Show Reader'. 
    I am using a MACPro with OSX, probably Mavericks 10.9 (where would I look to see if that is the correct information?)
    You can find this information under the 'Apple menu' in the Menu Bar.  To access the Menu Bar, press Control-Option-M. 
    Go to Apple Menu > About This Mac.  This will open up another window.  Use Control-Option-Right Arrow until you hear 'Version'.  If you purchased it brand new from Apple within the last six month, more than likely you have Mavericks. 
    Recommanded Articles. 
    AppleVis- Commonly used Keyboard Commands
    Chapter 2: Learning VoiceOver Basics
    Chapter 6: Browsing the internet
    Apple Accessibility Resource Page
    The  'Commands Help' Voiceover Menu. Control-Option-H-H.  (hit H twice)  is my best friend.  It's a searchable VoiceOver Menu with most of the VoiceOver command.  Example:  You are looking for the 'Read Current Paragraph' keyboard command.   Press Control-Option-H-H and then type Paragraph.  It will then bring up all the commands with the word paragraph.  I believe there are three.   
    As from the Trackpad Commands, I've copied and pasted below from Appendix A: Commands and Gestures
    VoiceOver standard gestures
    If you’re using a Multi-Touch trackpad, you can use VoiceOver gestures. VoiceOver provides a set of standard gestures for navigating and interacting with items on the screen. You can’t modify this set of gestures.
    NOTE:Gestures that don’t mention a specific number of fingers are single-finger gestures.
    General
    Enable the Trackpad Commander and VoiceOver gestures
    VO-Two-finger rotate clockwise
    Disable the Trackpad Commander and VoiceOver gestures
    VO-Two-finger rotate counterclockwise
    Turn the screen curtain on or off
    Three-finger triple-tap
    Mute or unmute VoiceOver
    Three-finger double-tap
    Navigation
    Force the VoiceOver cursor into a horizontal or vertical line when you drag a finger across the trackpad
    Hold down the Shift key and drag a finger horizontally or vertically
    Move the VoiceOver cursor to the next item
    Flick right
    Move the VoiceOver cursor to the previous item
    Flick left
    Move content or the scroll bar (depending on the Trackpad Commander setting)
    Three-finger flick in any direction
    Go to the Dock
    This gesture moves the VoiceOver cursor to the Dock wherever it’s positioned on the screen
    Two-finger double-tap near the bottom of the trackpad
    Go to the menu bar
    Two-finger double-tap near the top of the trackpad
    Open the Application Chooser
    Two-finger double-tap on the left side of the trackpad
    Open the Window Chooser
    Two-finger double-tap on the right side of the trackpad
    Jump to another area of the current application
    Press Control while touching a finger on the trackpad
    Interaction
    Speak the item in the VoiceOver cursor or, if there isn’t an item, play a sound effect to indicate a blank area
    Touch (includes tap or dragging)
    Select an item
    Double-tap anywhere on the trackpad
    You can also split-tap (touch one finger and then tap with a second finger on the trackpad)
    Start interacting with the item in the VoiceOver cursor
    Two-finger flick right
    Stop interacting with the item in the VoiceOver cursor
    Two-finger flick left
    Scroll one page up or down
    Three-finger flick up or down
    Escape (close a menu without making a selection)
    Two-finger scrub back and forth
    Increase or decrease the value of a slider, splitter, stepper, or other control
    Flick up (increase) or flick down (decrease)
    Text
    Read the current page, starting at the top
    Two-finger flick up
    Read from the VoiceOver cursor to the end of the current page
    Two-finger flick down
    Pause or resume speaking
    Two-finger tap
    Describe what’s in the VoiceOver cursor
    Three-finger tap
    Change how VoiceOver reads text (by word, line, sentence, or paragraph)
    Press the Command key while touching a finger on the trackpad
    Rotor
    Change the rotor settings
    Two-finger rotate
    Move to the previous item based on the rotor setting
    Flick up
    Move to the next item based on the rotor setting
    Flick down
    To customize other gestures by assigning VoiceOver commands to them, use the Trackpad Commander.
    Assigning VoiceOver commands to gestures
    If you need a reminder about what a gesture does, press VO-K to start keyboard help, and then use the gesture on the trackpad and listen to the description.
    Learning about keys, keyboard shortcuts, and gestures
    Sorry lots of information.  Enjoy.  You

  • How do I move video clips to specific points on a music track in iMovie?

    I am trying to make a lip synch video and need to move my video clips to specific points on a musci track so that the words are in time with people singing - does anyone know how to do this? At the moment, I only seem able to put the clips in one after the other...

    Hi
    IMovie is Video clip oriented - meaning that Audio can not be put in first and video/photos added later.
    So to do this I use black photos that I fill up the Video with first
    Then Add audio
    Then add Video/photos by Cutaway function or exact replacement (in time).
    This is so much easier in any version of FINALCUT where one can build Audio first then create the video ontop of this.
    Yours Bengt W

  • I have a project on Imovie with pinned audio to the project. I want to know how to stretch the audio to a specific point of the song?

    I have a project on Imovie with pinned audio to the project. I want to know how to stretch the audio to a specific point of the song?

    See this Tutorial for how audio works in iMovie. In general, you drag the left or right edge of your audio clip.
    You can also use the Clip Trimmer. Click the Gear icon in the music track and select the Clip Trimmer.
    http://www.apple.com/findouthow/movies/imovie08.html#audioclips

  • How to find all those list of SAP standard and custom objects that are changed from a specific point of time

    Hi all,
    Please let me know the process to track or find all the SAP Standard and custom objects. that got changed from a specific point of time.
    Is there any function module or any table where this change log is maintained.?
    I just only need the details ,wheather that SAP standard or Custom object has got changed or not.
    Thanks in advance

    Hi RK v ,
    I really don't know what your actual requirement is , but if you want to know the objects as per the modification , then transport request will be much help to you .
    Have a look into table E070 and E071 .
    Regards ,
    Yogendra Bhaskar

  • How to set up Application specific custom ogoff (sign-off) page.

    Hi,
    I'm using OracleAS 10.1.2.2
    Note 333638.1 shows us how do make a custom SSO login page to be application specific. This works.
    Now, I want to do a custom SSO logout (sign-out) page. Using the redirect method described does not seem to work. Please note that in our version 10.1.2.2, there is no default logout.jsp page in the /sso/jsp directory. To deploy a custom logout page, I would need to update the WWSS_LS_CONFIGURATION_INFO$ view.
    I was able to test a custom SSO logout.jsp page sucessfully. However, when I tried using a redirect_logout.jsp to make it application, it no longer works.
    Does anyone know or have any idea on how to deploy an application specific logout page? (i.e. only specific applications uses the custom logout page, otherwise go to the default one).
    Thanks.
    - Kevin

    Well,
    There are 5 choices to choose from on the page. In the description of the choices at the bottom of the page there are 7, and the two additional choices talk about having to first have registered the site with SSO. So...I'm interpreting that as meaning that other 2 possible choices would be displayed if the site is registered with SSO. That, plus the fact that the page which describes how to add the site to SSO seems to think that the SSO choices are displayed in the wizard.
    So, no, there's no "exact launguage" that says what the reason is for the choices not being displayed. Can you point me to some exact language that tells me how to get those choices displayed?

  • How do I install software (specifically Office for Mac) on a MacBook Air?

    How do I install software (specifically Office for Mac) on my MacBook Air?  Thanks.

    Q7: How do I activate?
    A7: To activate the product, follow these steps:
    1. Launch application and click Enter your product key.
    2. Review the Software License Agreement and click Continue.
    3. You must agree to Software License Agreement. Click Continue.
    4. Enter your product key and click Activate. The Activation Wizard automatically contacts the Microsoft licensing servers through your Internet connection. When you activate the product by using the Internet, the product key is sent to Microsoft through an encrypted transfer. If you decide to activate the product through the Internet and you are not already connected, the wizard alerts you that there is no connection. Click either Activate by Phone or Activate later.  Note Do not lose the product key. Keep the packaging, or note the number. Keep the number information in a safe location.  Your product key is a unique sequence of 25 letters and numbers divided into groups of 5.  If you purchased a box with a DVD: The product is located on the back of the Office for Mac DVD sleeve.  If you purchase through a web site: The product key is sent to you in email with the title Microsoft Office for Mac – Order Confirmation”
    5. If the activation is successful, you receive the following message:  
    Your copy of <product title> is now activated.
    If for any reason the Activation fails, click Activate by phone. Select your location and then dial the phone number on the screen. For example, for United States: 1866-825-4797 or United Kingdom: (44)-(203)-147-4930. You can telephone an Activation Center to obtain the help of a customer service representative and activate the product. Telephone activation might take longer than activation through the Internet. You should be at the computer when you call. Additionally, you should have your software product key. When you select this option, the Activation Wizard generates an Installation ID. You musy have this Installation ID to activate the product by telephone.
    Important When you telephone the Activation Center, you are prompted to read the Installation ID numbers.
    Note Activation Center numbers are not listed for all locations in this article because telephone contact numbers vary by license and also by country or region. The Activation Wizard gives you the number to telephone the Activation Center.

  • Zoom into a specific point on a clip

    How do I zoom to a specific point on a clip or picture?
    Whenever I try to use this feature it just goes to the centre of the clip.
    Thank-you.

    Make sure Image + Wireframe is selected in the Canvas:
    Select the clip you want to zoom in on and reposition on the timeline by clicking on it. Once it is selected on the timeline, the turquoise box and cross hairs should appear in the canvas.
    If you click and drag on one of the boxes on the corner, you can resize your image:
    And if you click and drag on the image itself, you can change the clips position:
    You may need to change the canvas display scale to see the handles after you zoom in:
    MtD

  • Jumping to a specific point in a clip

    How can I jump to a specific point/frame in a clip? Example: I know a clip is exactly 3:40 long. How could I go to 3:37?
    Thanks.

    If you have the clip loaded in the Viewer window and the Viewer window highlighted, it will take you to that point in the clip, if you have the Timeline highlighted, it will take you to that point in the Timeline. You can also save a few keystrokes by just hitting "3.37." to skip to 3 minutes and 37 seconds, for example.
    -Zap

  • Can I set a specific point on the page to go with a button?

    I got a page of 1024x3072 and i need set a button to go on a specific point of the page, for example, from 650px to 724px just using a button.
    So, my question is ¿can i do that?, ¿how?...Thanks

    Not supported.
    Bob

  • How do I removing a specific item from an Array?

    Hi there.
    I am having an array of movieclips and when my circle(controlled with the keyboard) hitTests true with one of the movieclips inside that array i want to remove that movieclip from the array so when i hitTest it again it returns false (I hitTest using a "for in" with that array).
    How do i remove a specific item from within an array?
    Can someone help me? Thanks a lot.

    i haven't noticed anyone showing deference because of the points.  in fact, i've seen some people (a minority, to be sure) be just obnoxious about it.  i never encountered that before:  some people feel they have power because they can dole out points.
    but overall i agree with you:  the loss of the list of threads i am participating in, along with the most recent posters name, is a significant drawback of the new forums.  and there's nothing new in these forums that offsets that drawback.
    in addition, i think we've lost way more than 1/2 the older threads.  that's a lot of information that's no longer available.

Maybe you are looking for

  • ABAP Proxy sender possible in integrated configuration AAE with PI 7.11

    Hi guys, we are running PI 7.11. We have serveral scenarios where the senderis an ABAP proxy and the receiver is reached by a jave adapter. With Ehp1 the SOAP adapter offers the possibilty to chose XI 3.0 as message protocol. We use this feature alre

  • Dreamweaver crashing on start up / Intalizing extention data

    Dreamweaver is crashing on start up here is the report im getting back... it seems to be happening when it says intalizing extention data, i tried to reinstall it but still having the same issue Edit- Also tried deleting the cache mac file, didnt cha

  • 10.6.5 upgrade issue: folders with non-standard chars in names unusable

    Hi all, I recently upgraded my XServe (2 x dual-core 2Ghz Xeon; 10Gb RAM) from OSX Server 10.6.4 to 10.6.5 (and applied several other updates: XCode 3.2.5, iTunes 10.1.1, Safari 5.0.3 and Java 10.6u3). Since the upgrade, I have a new problem whereby

  • Lock orientation AIR 2.7 Android

    Hi, I working on an app where I want to respond to the device rotation changes but I want the stage to remain in the statting landscape mode. I listen to StageOrientationEvent.ORIENTATION_CHANGING on the stage and preventDefault once I updated the ap

  • Proble with iPod

    my 5th gen iPod is deleting my music since i got iOS 8.0.2 and it get stuck  while syncing