SetRGB being capricious

Hi, I have a 4 channel 8 bit greyscale image (the alpha channel=0) and I am trying to adjust the image so that
the Chroma and Luma values are altered for certain regions.
For instance, looping over the width and height, obtained from a Buffered Image, I have the following:
if ( width> 634 && width<764 && height>259 && height<350 ) //light blue
                    Cb=133;
                    Cr=124;
                    int myR = (selectedColour >> 16) & 0xff;
                    int Y= myR; // only need the greyscale: in such an image, red=green=blue
                        int [] rgb = ycbcr2rgb(Y, Cb, Cr);
                    int a = 0;
                         int r = rgb[0];
                         int g = rgb[1];
                         int b = rgb[2];
                               // Now we add the colour.....
                    int newcolour = a << 24 | r << 16 | g << 8 | b;
                    bufferedImage.setRGB(width, height, newcolour );
               }And I have
public int [] ycbcr2rgb(int y, int cb, int cr)
          int r = (int)( 1.164*(y-16) + 1.596*(cr-128) );
          int g = (int)( 1.164*(y-16) - 0.392*(cb-128) -0.813*(cr-128));
          int b = (int)( 1.164*(y-16) + 2.017*(cb-128) );
          int [] rgb = new int[3];
          rgb[0] = r;
          rgb[1] = g;
          rgb[2] = b;
          return rgb;       
}I am sure that ycbcr2rgb is returning meaningful results as I have checked them, and I am sure that variables such as "newcolour" are being set correctly, but it doesn't alter the colours in the Buffered Image correctly. All the areas are white, with faint traces of bright yellow, whereas they should be in this example, a light blue shade. Am I missing something very obvious here?
Thanks!
Paul
Edited by: [email protected] on Jul 20, 2010 6:59 PM - got over zealous with the tab key.

Hi,
I've tried that but with no luck. As requested, I've attached a highly slimmed down copy of my code, removing some of the text boxes to show RGB, YCbCr when the mouse moves over a position etc.
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import java.lang.*;
import java.lang.Math.*;
import java.io.File;
import javax.imageio.ImageIO;
import java.awt.image.BufferedImage;
public class ColourOverlay extends JFrame
     JMenu Items;
     JMenuItem openFile, convert;
     imgDisplay chromaImg;
     JFileChooser fileChooser;
     public static void main( String args[] )
          ColourOverlay application = new ColourOverlay();
     public ColourOverlay()
          Items = new JMenu( "Items" );
          openFile = new JMenuItem("Open");
          convert = new JMenuItem("Convert");
          Items.add( openFile );
          Items.add( convert );
          openFile.addActionListener(
               new ActionListener()
                    public void actionPerformed( ActionEvent e )
                         openFile();
          convert.addActionListener(
               new ActionListener()
                    public void actionPerformed( ActionEvent e )
                         convert();
          JMenuBar bar = new JMenuBar();
          setJMenuBar ( bar );
          bar.add( Items );
          chromaImg = new imgDisplay( this );
          getContentPane().setLayout(
    new BoxLayout(getContentPane(), BoxLayout.PAGE_AXIS)
          add( chromaImg );
             pack();
             setVisible(true);
     private void openFile()
          fileChooser = new JFileChooser();
          fileChooser.setFileSelectionMode ( JFileChooser.FILES_ONLY );
          int result = fileChooser.showOpenDialog( this );
          File filename = fileChooser.getSelectedFile();
          try
               chromaImg.setBufferedImage(ImageIO.read(filename));
          catch (Exception exception)
                        exception.printStackTrace();
          chromaImg.repaint();
          chromaImg.resize();
     private void convert()
          chromaImg.convert();
          chromaImg.repaint();
class imgDisplay extends JPanel
     private BufferedImage bufferedImage;
     private Dimension PanelDimension = new Dimension();
     private ColourOverlay CA;
     public imgDisplay( ColourOverlay CA )
          this.CA = CA;
     addMouseMotionListener
          new MouseMotionListener()
               public void mouseMoved( MouseEvent event )
                    processMouseMove( event );
               public void mouseDragged( MouseEvent event )
     public void setBufferedImage(BufferedImage bufferedImage)
        this.bufferedImage = bufferedImage;
     public BufferedImage getBufferedImage()
        return bufferedImage;
     public void resize()
        PanelDimension.setSize(bufferedImage.getWidth(), bufferedImage.getHeight());
        setPreferredSize(PanelDimension);          
    protected void paintComponent(Graphics g)
        super.paintComponent(g);
        g.drawImage(bufferedImage, 0, 0, this);
     public void convert()
          if ( bufferedImage == null ) return;
          for(int height=0; height < bufferedImage.getHeight(); height++)
               for(int width=0; width < bufferedImage.getWidth(); width++)
                    int selectedColour = bufferedImage.getRGB( width, height );
               int Cb, Cr;
               if ( width> 247 && width<295 && height>341 && height<413 ) //pink
                    Cb=116;
                    Cr=149;
                    int myR = (selectedColour >> 16) & 0xff;
                    int Y= myR;
                        int [] rgb = ycbcr2rgb(Y, Cb, Cr);
                    int a = 0;
                         int r = rgb[0];
                         int g = rgb[1];
                         int b = rgb[2];
                    int newcolour = a << 24 | r << 16 | g << 8 | b;
                    bufferedImage.setRGB(width, height, newcolour );
               if ( width> 219 && width<388 && height>462 && height<506 ) //red
                    Cb=125;
                    Cr=155;
                    int myR = (selectedColour >> 16) & 0xff;
                    int Y= myR;
                        int [] rgb = ycbcr2rgb(Y, Cb, Cr);
                    int a = 0;
                         int r = rgb[0];
                         int g = rgb[1];
                         int b = rgb[2];
                    int newcolour = a << 24 |r << 16 | g << 8 | b;
                    bufferedImage.setRGB(width, height, newcolour );
               if ( width> 634 && width<764 && height>259 && height<350 ) //light blue
                    Cb=133;
                    Cr=124;
                    int myR = (selectedColour >> 16) & 0xff;
                    int Y= myR;
                        int [] rgb = ycbcr2rgb(Y, Cb, Cr);
                    int a = 0;
                         int r = rgb[0];
                         int g = rgb[1];
                         int b = rgb[2];
                    int newcolour = a << 24 | r << 16 | g << 8 | b;
                    bufferedImage.setRGB(width, height, newcolour );
     private void processMouseMove( MouseEvent event )
public int [] rgb2ycbcr(int r, int g, int b)
          int y = (int) (16 + 0.257*r + 0.504*g + 0.098*b);
          int cb = (int) (128 - 0.148*r - 0.291*g + 0.439*b);
          int cr = (int) (128 + 0.439*r -0.368*g -0.071*b);
          int [] ycbcr = new int[3];
          ycbcr[0] = y;
          ycbcr[1] = cb;
          ycbcr[2] = cr;
          return ycbcr;       
public int [] ycbcr2rgb(int y, int cb, int cr)
          int r = (int)( 1.164*(y-16) + 1.596*(cr-128) );
          int g = (int)( 1.164*(y-16) - 0.392*(cb-128) -0.813*(cr-128));
          int b = (int)( 1.164*(y-16) + 2.017*(cb-128) );
          int [] rgb = new int[3];
          rgb[0] = r;
          rgb[1] = g;
          rgb[2] = b;
          return rgb;       
}The image I have been fiddling with is on my website http://www.paullee.com/main.png
- what should happen is the test rectangle to the lower left should be a dark maroon colour, the rectangle to
the right should be a grey-light blue colour, and the one in between should be vaguely flesh coloured (but could be any colour between tan and orange)
Thanks for your help
Paul

Similar Messages

  • Can't delete rectangle/ can't recolorize fill CS3

    Hi,
    I created a rounded bordered rectangle (first layer) and i select it, hit delete it doesnt delete.
    I also tried to drag the layer into the bin to delete it but the been doesnt get it!
    Is it my photoshop being capricious or is there an explanation to this? Please help me.
    Also i want to know how do you change a rectangle's color after you created it.
    Thanks

    mballom3 wrote:
    "...or select the rectangle itself then hit delete"
    For some strange reason this doesn't on my side!
    If your background is locked, the rectangle will fill with the background color you have set in your color swatch located on the tool bar when you hit delete.
    If you are set on using the pixel fill option, the most expedient way if you don't need the white background would be to start out with a transparent background.
    This will give you an unlocked transparent background. If you do need the white background, create a new blank layer and then use the rounded rectangle tool to drag out your shape on this new layer.
    If the rectangle is applied to a transparent layer, you can ctrl click on the layer's thumbnail in the layers palette to select it. There are lots of ways to recolor. If you just want a solid color fill, you might try using the paint bucket to fill the selection with the foreground color set in your toolbox. This is by no means the only way to recolor the rectangle just one of many. (Alternately, you could lock the rectangular layer's transparency in the layers palette and just dump the bucket without having to select it. See below.)
    Personally, I prefer using the shape layers option. This option creates it's own layer using whatever color is set in the options bar providing there isn't a style set in the options bar. If I change my mind after dragging out the shape, I can change it by double clicking the shape's thumbnail in the layer's palette which brings up the color picker. Most importantly, I can resize and/or transform the shape without it degrading...getting soft. If I need to make it pixel based to apply a filter or whatever, I can right click on the shape layer's name in the layers palette and select "Rasterize Layer."

  • IPod classic no longer being recognized by iTunes

    iPod classic version 2.0.4 is not showing up in my iTunes anymore. I can see it listed in my device manager under Other Devices as iPod with a yellow exclamation point, although I've followed the instructions in this article iOS: Device not recognized in iTunes for Windows and I get an error stating "Windows found driver software for your device but encountered an error while attempting to install it. The system cannot find the file specified."
    I've uninstalled and reinstalled iTunes already. I also have an iTouch 5th gen which is being recognized fine, the same iPod classic is being recognized on my laptop fine but my pc is what has all my music is.

    I am having the exact same problem.  My ipod has been stuck in disk mode for over two hours and now itunes is frozen.

  • The expression is not being displayed in the alert inbox

    Hi,
    I have created an expression in 'Long and Short Text' tab present in the ALRTCATDEF transaction screen.
    The expression is "test Error in message &SXMS_MSG_GUID&". However if i goto alert inbox, this expression is not getting displayed. I tried putting this expression under Message title, Short text and Long text tabs. But no change in the result.
    In the above expression, SXMS_MSG_GUID is a container variable declared in ALRTCATDEF transaction screen.
    Same is the situation irrespective of the container variable being used - SXMS_ERROR_CAT etc.,
    I appreciate your early response.
    Regards
    Ganesh

    Hi Venkat,
    Without using BPM, you can think/try out with triggering an alert from UDF:
    /people/bhavesh.kantilal/blog/2006/07/25/triggering-xi-alerts-from-a-user-defined-function
    Otherwise, you can use email functionality to notify the error message rather an alert....so that you can customize your output format/or error message required.
    Also check out this Michal's blog on ALERT Configuration..
    /people/michal.krawczyk2/blog/2005/03/13/alerts-with-variables-from-the-messages-payload-xi--updated
    Hope this wull help.
    Nilesh

  • Null and empty string not being the same in object?

    Hello,
    I know that null and empty string are interpreted the same in oracle.
    However I discovered the strange behaviour concerning user defined objects:
    create or replace
    TYPE object AS OBJECT (
    value VARCHAR2(2000)
    declare
    xml xmltype;
    obj object;
    begin
    obj := object('abcd');
    xml := xmltype(obj);
    dbms_output.put_line(xml.getStringVal());
    obj.value := '';
    xml := xmltype(obj);
    dbms_output.put_line(xml.getStringVal());
    obj.value := null;
    xml := xmltype(obj);
    dbms_output.put_line(xml.getStringVal());
    end;
    When creating xml from object, all not-null fields are transformed into xml tag.
    I supposed that obj.value being either '' or null will lead to the same result.
    However this is output from Oracle 9i:
    <OBJECT_ID><VALUE>abcd</VALUE></OBJECT_ID>
    <OBJECT_ID><VALUE></VALUE></OBJECT_ID>
    <OBJECT_ID/>
    Oracle 10g behaves as expected:
    <OBJECT><VALUE>abcd</VALUE></OBJECT>
    <OBJECT/>
    <OBJECT/>
    However Oracle 9i behaviour leads me to the conclusion that oracle
    must somehow distinguish between empty string and null in user defined objects...
    Can someone clarify this behaviour?
    Thus is it possible to test if object's field is empty or null?

    However Oracle 9i behaviour leads me to the conclusion that oracle
    must somehow distinguish between empty string and null in user defined objects...
    Can someone clarify this behaviour?
    Thus is it possible to test if object's field is empty or null?A lot of "fixes" were done, relating to XML in 10g and the XML functionality of 9i was known to be buggy.
    I think you can safely assume that null and empty strings are treated the same by Oracle regardless. If you're using anything less than 10g, it's not supported any more anyway, so upgrade. Don't rely on any assumptions that may appear due to bugs.

  • Time machine won't back up since I have restored from time machine following hard drive replacement.  I am being told there is not enough space, however the back up is less than the hard drive size

    We recently had the hard drive replaced on our Mac as part of Apple's replacement programme.  Prior to sending it off for repair we did a final Time Machine back up, which was completed successfully.  SInce getting the computer back we restored everything from the backup disk using Time Machine, which all worked fine, however now we are having problems with it completing regular backups.  We receive a message each time telling up that the backup disk doesn't have enough space on it.  It is telling us that it needs in the region of 370gb and only has around 30gb available.  The computer hard drive is in the region of 350gb and the hard drive is a 400gb one.  It is almost as if it is not recognising that the data already on the disk is the back up of this computer and is trying to complete a completely separate back up as opposed to just updating the backup already on the disk.
    Has anyone else got any experience of this and therefore could give me some hints on what to do.  I am reluctant to wipe the backup drive and start again, however I would prefer not to have to buy another hard drive if I can avoid it as this one is technically big enough
    I look forward to getting some responses

    Hi, I never use TM myself.
    Have you looked through Pondini's extensive TM help site?
    http://Pondini.org/TM/FAQ.html
    http://pondini.org/TM/Troubleshooting.html
    Can't imaging something not being covered there.
    PS. It's generally recommended a TM drive be at least twice the size of your main drive.

  • When I plug in my iPhone to sync, it starts but does not complete the process and several pieces of data are not being transferred to my iPhone from my MacBook Air.

    Problem:
    When I plug in my iPhone to sync, it starts but does not complete the process and several pieces of data are not being transferred to my iPhone from my MacBook Air.
    Any help that you can provide in helping my iPhone accurately sync with iPhoto and iTunes will be greatly appreciated.
    Symptoms:
    1)   Sync:  It’s not completing the sync.  Below, I’ve provided all of my settings from the iTunes Summary tab so that you might tell me if I’ve selected any incorrect options.  I prefer to sync the “old school” way – by connecting to the computer – as opposed to syncing over the cloud. Perhaps this is what’s causing the problem? Here is a list of the steps displayed in the iTunes window as the sync progresses:
    waiting for sync to start (step 1 of 7)
    backing up (step 2 of 7)
    preparing to sync (step 3 of 7)
    determining apps to sync (step 4 of 7)
    preparing apps to sync (step 5 of 7)
    importing photos (step 6 of 7)
    waiting for changes to be applied (step 7 of 7)
    syncing apps / copying 1 of 4 (App name) (step 7 of 7)
    canceling sync
    apple icon
    2)   Photos: I've selected only certain of my iPhoto albums to sync to my iPhone.  All of the albums are correct/complete in iPhoto.  All of the albums are listed on my iPhone, both before and after the sync, but the albums are empty (no actual photos) before and after the sync. Perhaps this is tied to the fact that the sync isn’t completing, but because “importing photos” is one of the steps that the incomplete sync displays, I don’t know.
    3)   Apps: When I launch iTunes and click on the Apps folder under the Library listing, then click on the Updates tab, iTunes searches for any Apps needing to be updated and provides a list.  If I click on Update All, the Apps are successfully updated in iTunes.  But, when I plug in my iPhone so that the updates will transfer to the apps on my iPhone, the updates don’t transfer to the apps on my iPhone and those apps still reflect that they need updating on the iPhone.
    Other Potential Pertinent Info:
    The flash memory hard drive on my MacBook Air recently died (perhaps a month or two ago).  Apple had emailed me about a known issue and literally the next day, my MacBook Air crashed.  I installed a new flash memory drive and re-installed everything from a backup off of an external hard drive.  Everything seems to be working fine; it recreated accurately all of my software and data, including iPhoto and iTunes, the pictures and songs (respectively) for which are stored on that hard drive, as opposed to being on the flash memory in the MacBook Air itself.  However, I don’t recall if the start of the sync problem described herein started happening at the same time that I replaced the flash memory drive.  All I know is that the computer is working perfectly in all respects and that even as the sync is failing, it at least says that it’s doing the right things and looking in the right places (e.g., the list of albums on my iPhone matches the list of albums in iTunes, etc.).
    Settings/Status:
    MacBook Air
    OSX v. 10.9
    iPhoto ’11 v. 9.5 (902.7)
    iPhone iOS 7.0.4
    iTunes v. 11.1.3 (8)
    Summary Tab
    Backups (This Computer)
    Options
    Automatically sync when this iPhone is connected
    Sync only checked songs and videos
    Photos Tab
    Sync Photos from iPhoto (429 Photos)
    Selected albums, Events, and Faces, and automatically include (no Events)
    Albums – 9 are selected

    You need to download iTunes on your computer. iOS 6 requires the latest version of iTunes which is 10.7.

  • Popularity trend/usage report is not working in sp2013. Data was not being processed to EVENT STORE folder which was present under the Analytics_GUID folder.

    Hi
     I am working in a sharepoint migration project. We have migrated one SharePoint project from moss2007 to sp2013. Issue is when we are clicking on Popularity trend > usage report,  it is throwing an error.
    Issue: The data was not being processed to EVENT STORE folder which was present under the
    Analytics_GUID folder. Also data was not present in the Analytical Store database.
    In log viewer I have found the bellow error.
    HIGH -
    SearchServiceApplicationProxy::GetAnalyticsEventTypeDefinitions--Error occured: System.ServiceModel.Security.MessageSecurityException: An unsecured or incorrectly
    secured fault was received from the other party.
    UNEXPECTED - System.ServiceModel.FaultException`1[[System.ServiceModel.ExceptionDetail,
    System.ServiceModel, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]: We're sorry, we weren't able to complete the operation, please try again in a few minutes.
    HIGH - Getting Error Message for Exception System.Web.HttpUnhandledException
    (0x80004005): Exception of type 'System.Web.HttpUnhandledException' was thrown. ---> System.ServiceModel.Security.MessageSecurityException: An unsecured or incorrectly secured fault was received from the other party.
    CRITICAL - A failure was reported when trying to invoke a service application:
    EndpointFailure Process Name: w3wp Process ID: 13960 AppDomain Name: /LM/W3SVC/767692721/ROOT-1-130480636828071139 AppDomain ID: 2 Service Application Uri: urn:schemas-microsoft-
    UNEXPECTED - Could not retrieve analytics event definitions for
    https://XXX System.ServiceModel.FaultException`1[System.ServiceModel.ExceptionDetail]: We're sorry, we weren't able to complete the operation, please try again in a few minutes.
    UNEXPECTED - System.ServiceModel.FaultException`1[[System.ServiceModel.ExceptionDetail,
    System.ServiceModel, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]: We're sorry, we weren't able to complete the operation, please try again in a few minutes.
    I have verified few things in server which are mentioned below
    Two timer jobs (Microsoft SharePoint Foundation Usage Data Processing, Microsoft SharePoint Foundation Usage Data Import) are running fine.
    APPFabric Caching service has been started.
    Analytics_GUID folder has been
    shared with
    WSS_ADMIN_WPG and WSS_WPG and Read/Write access was granted
    .usage files are getting created and also the temporary(.tmp) file has been created.
    uasage  logging database for uasage data being transported. The data is available.
    Please provide pointers on what needs to be done.

    Hi Nabhendu,
    According to your description, my understanding is that you could not use popularity trend after you migrated SharePoint 2007 to SharePoint 2013.
    In SharePoint 2013, the analytics functionality is a part of the search component. There is an article for troubleshooting SharePoint 2013 Web Analytics, please take a look at:
    Troubleshooting SharePoint 2013 Web Analytics
    http://blog.fpweb.net/troubleshooting-sharepoint-2013-web-analytics/#.U8NyA_kabp4
    I hope this helps.
    Thanks,
    Wendy
    Wendy Li
    TechNet Community Support

  • I have Trend Micro antivirus for Windows 7, but I am being told it is not compatible with Mozilla 9.1, how do I get an older version or adapt?

    I am using a lap top, just reinstalled everything, and now have Firefox 9.1 and am being told it is not compatible with my antivirus, Trend Micro Titanium. I am running Windows 7.

    See:
    * http://community.trendmicro.com/t5/Home-and-Home-Office-Forum/Read-Me-Before-Posting-Titanium-Hotfixes/m-p/55632

  • I keep being asked to update my Safari but when I do a Software update it scans but never gives me a list and just says no new updates. Help please!

    I keep being asked to update my Safari but when I do a Software update it scans but never gives me a list and just says no new updates. Help please!

    There are no updates to either OS 10.5.8 or Safari 5.0.6.
    If you need a later version of Safari you must first upgrade your operating system to a later version of OS X.

  • How can an iTunes Match user prevent songs from being uploaded to the iCloud?

    Has anyone who is currently using iTunes Match found a way to prevent selected songs in their music library from being uploaded to the iCloud. I have a number of audio files that are hour long mixes, but aren't quite large enough to run afoul of the 200MB size limit. I'd like to keep using iTunes Match, but would like to prevent it from trying to upload any of these larger files. Any help would be greatly appreciated. Thank you!

    Another oddity I just discovered is that if I turn on wifi hotspot on my phone and connect my iMac to my phone's 3G service then iTunes on my iMac will stream music just fine from iTunes match (yes, the music was only in the cloud, not on my drive).
    I've tried everything I can think of to get iTunes Match to play tracks over cellular.. including totally deauthorizing all my computers and devices, totally removing all tracks my itunes match in the cloud and re-scanning/uploading everything. Purchased new tracks, and they won't play unless they are downloaded. But they will play just fine when previeing them for purchase in iTunes app.

  • Why is my Apple ID being locked out every time I go to use it?  I haven't even attempted to log in for about 4 or 5 days, but today on my first attempt to do so, it said my account had been locked for security reasons.  This is the third time.

    I only sign in to iTunes' store about once a week or so.  But during each of my last 3 attempts (on different days, several days apart) on my first attempt to enter my password and hit submit, I am immediately told that my Apple account has been locked for security reasons and it wants to take me to a page to reset my 'forgotten' password.  I am using the CORRECT password.
    Perhaps someone else is trying to break into my account or is mis-entering theirs but my account should not be getting locked like this.  It is very frustrating to have to go through the reset password procedure each and every time I want to go into the store.  It seems to me that Apple really doesn't want me to buy any more apps from them as they keep refusing me entry into my own account, each and every time I have tried to use it, for the past few weeks.  I am not their best customer, but they aren't giving me much of a welcome invitation to become one, if I'm going to be treated like this.
    I just bought my iPhone 4 less than 2 months ago.  I paid extra money to upgrade early, just to get this phone because it was so highly recommended by everyone I spoke with in different stores (BestBuy and Verizon).  I even bought the 2 year upgrade to my Apple services in case I needed to ever call them, and so far I haven't had to, yet.  But I definitely will call them if this isn't straightened out.
    It looks like this other user could be tracked and an email could be sent to them from Apple to let them know what they are doing - trying to sign into the wrong account, and are locking somebody else out of their own account because of their error....and to remind them of their correct information or how to get it and to write it down or save it somewhere so they don't keep on doing this.
    I have seen literally DOZENS of other people in these discussions with exactly the same issue that I'm having so it is NOT an isolated incident, and it seems to be a growing problem as Apple's sales and user base continues to grow, so this problem is seriously needing to be addressed in some way, and soon, before they start losing new customers because of it.  If I was still within my original 14 day return period with this phone, I would definitely be returning it and buying an Android model because of how frustrating this is to me.  If my bank was doing this to me, I'd have already switched banks by now if they hadn't fixed it - just to give an example of how I feel about this.

    For what it's worth, you posted this in 2011, and here in 2014 I am still having this same issue. Over the last two days, I have had to unlock my apple account 8 times. I didn't get any new devices. I haven't initiated a password reset. I didn't forget my password. I set up two factor authentication and have been able to do the unlocking with the key and using a code sent to one of my devices. 
    That all works.
    It's this having to unlock my account every time I go to use any of my devices. And I have many: iMac, iPad, iPad2, iPad mini, iPhone 5s, iPod touch (daughter), and my old iPhone 4 being used as an ipod touch now.  They are all synced, and all was working just fine.
    I have initiated an incident with Apple (again) but I know they are just going to suggest I change my Apple ID. It's a simple one, and one that I am sure others think is theirs. I don't want to change it. I shouldn't have to. Apple should be able to tell me who is trying to use it, or at least from where.
    Thanks for listening,
    Melissa

  • HT2534 I am from the U.S, now currently in the Czech Republic. Just bought an iphone with vodafone. I can't get past the account setting on itunes, etc...either way, How do I get ENGLISH SPEAKING HELP instead of being redirected to the Czech Language stor

    I am somewhat new to apple products. I am from the U.S. and currently studying in the Czech Republic.
    I have an itouch with an apple ID, but lately I can't get it to charge or work. After pluggin the usb recharge cable to the computer at my universities facility, it gives a black page with a picture of the cable and the arrow pointing to itunes logo. The school's computer labs don't have i tunes or anything like that.
    I also just got an iphone 4S and have been trying to set up and i can't seem to complete the process for the itunes so i can install the apps i had in the itouch and also to get new apps. It stops me and says to contact the itunes for support right after the input of address and phone number information, etc...
    The purchase was made in the czech republic from a vodafone store, but if i remember right i configured it to US settings so I don't have to deal so much with everything showing up in Czech.
    I tried getting help by going to the support, but after putting in my  name, email, phone number for scheduling a call with them it rejects the phone number because i am putting in my czech phone number. Putting in my previous US number would be useless because I am not in the US and that number is probably inactive.
    I would to get some English speaking support while being here in the czech republic.
    Any advice?
    -peteMD-

    If you are completely confident that you didn't hide it, then you purchased those with different apple id. If you completely confident that you purchases with same apple id then you have hidden it. One of the other or you are speaking about a miracle. While miracles are possible they are not very likely. Remember
    Occam's razor?

  • Is there a way of determining what element in an array is being clicked on?

    Hi all.  I would like to setup an event to determine what element in an array is being clicked on/hovered over.  I think I tried this before and found it wasn't working due to limitations of LV 7.0.  If this code already exists, it would be great if I don't have to do a scavenger hunt for the solution.
    I think one possibility I nixed was to use the refnum of the elements to determine which one it is.  IIRC, this is not possible because the refnum of the element is for the edit box only.
    The second possiblity is to get the on click event, and somehow determine which element in the array it is.  This doesn't sound too difficult as it should be a simple calculation, but may get in to some hairryness based on if the indicies are visible or not, and if I am using a new or old array with new or old control (calc would change based on boarder size of the controls).  I might just simplify it by removing indicies and using older control set which has minimal boarder size.
    And just for fun, can I force a tool tip to show up?
    Thanks all,
    A
    Using LV7.0 on WinXP.

    blawson wrote:
    Been bitten by LabVIEW wrote:
    I think one possibility I nixed was to use the refnum of the elements to determine which one it is.  IIRC, this is not possible because the refnum of the element is for the edit box only.
    Using LV7.0 on WinXP.
    This is indeed possible, at least in the newer versions I use.
    Take the array refnum from the click event data terminal and get a reference to the array element.  This refers to the element that was clicked, but you do need to work out how to get the index.  My method is to use property nodes to get the screen position and size of the element and the screen position and size of the array, as well as the array's Visible Index property. For each direction, take the quotient of the relative position of the element (account for padding!) over the size of an element.
    I suspect that taking the mouse coords and comparing to the array's sizes in pixels is similar, although I trust my method for events that don't have mouseclicks (what coords does Array:shortcut menu selection(User) return if you used the keyboard?)
    Here's an old version I happened to have open.  I've posted about this before, I suspect I have a clearer version in my gallery.  I use this method in my example code contest entry to work out which square of the chessboard is clicked.
    Thank you for that one!
    I am currently "locked up behind a down-rev fence" (working an old app in an old version) so I had not heard of that.
    Ben
    Ben Rayner
    I am currently active on.. MainStream Preppers
    Rayner's Ridge is under construction

  • Can you see which timeline clips are being used in Media Browser?

    I'm a relatively new user and may not be familiar enough with cs5.5 but
    is there a way to see what clips are being used on the editing timeline in the media browser.
    I open premiere pro - Project is loaded. I edit the scene until it is finished.
    When I look over at the media browser, all my raw clips (some of which I'm
    using on the editing timeline) look the same - I can't tell which ones I using on the timeline.
    The reason I ask - when I fiinish editing a scene it would be nice to glance over at the
    media brower folder where my raw clips are located - easily see which ones I'm using because they
    are highlighted or checked and then delete the ones I no longer need.
    Is there a way to do this now?
    Thanks
    Jeff

    I dont think so  but a better way is to look in the top of the Project Window and there is a drop down that will show you all the useage instances of the clip.  You can click on them to go to them in the timeline.

Maybe you are looking for

  • Need to find total no fo  tables/index/m.views in my database

    Hello Everyone ; How can i find total no fo  tables/index/m.views in my database ? when i  google  i have seen  following  command ; SQL> Select count(1) from user_tables where table_name not like '%$%' /   COUNT(1)          but i dont understand  wh

  • Reg DBIF_RSQL_SQL_ERROR -    CX_SY_OPEN_SQL_DB

    We are getting lot of below run time error while querying on TVARVC table in production system. Runtime Errors         DBIF_RSQL_SQL_ERROR Exception              CX_SY_OPEN_SQL_DB Database error text........: "SQL0911N The current transaction has bee

  • In apple map iOS 6.0 direction not available for any route in india

    direction is not available in india ios 6.0

  • Q: ISE 1.2 Profiling

    Hi Guys, Good Day! I would like to ask how can I enable profling on Apple devices so that when the device connects over the WLAN, the ISE will determnined if the Apple is an iPad or an iPhone because my setup right now is that regardless if the devic

  • Caching problem one

    Hi, I have written a small function with two input variables: Begda and endda. Both variables are marked as mandatory in the R/3 backend. Now I have used it in a VC. In the test function both variables are marked as mandatory. So fare so good...... b