After zooming, how do I get x and y values?

I have an instrument that saves data in a simple x and y format. When viewing this data I would like to determine the peak width, height, position and area. I have utilized the peak detector vi to pick the peak and set the threshold, however, I have not been successful at getting the peak width and area for a specific peak. I think my first step is to isolate the data range that my peak resides. So, after zooming on a specific peak, how do I extract the x and y values for that zoomed region and apply them to peak integration and fitting? Does anyone have a sample vi I could look at or is there already a canned vi in Labview to do this?
Thanks
Brian

Have you tried to use the peak detector vi to search for *valleys* ? That could give you the peak start and end.
If you decide to use manual positionning of peaks, you can get the x limits of the graph display using property nodes : Right click on the graph terminal then Create>>Property node. Right click on the property node then Properties>>X scale>>Range.
You could also use graph cursors (wave form graph or XY graph) : make the cursor legend visible (right click on the graph), then give a name to cursor n°0 (peak start) and cursor n°1 (peak end). Set the cursor to "Lock to points". Get the x and y cursor coordinates using the cursor list property node, as illustrated in the attached example.
Once you get the x start and end coordinates, data
processing should not be too difficult, but depends on the data type you are dealing with (are the points equally spaced ? Are the data noisy ?..).
If your start and end X coordinates do not correspond exactly to experimental data, you can either interpolate through the points or search for the index of the nearest points in the x array (use the Threshold 1D array vi for that, pass the x fractional value (that you got from your windowing zoom) as input, as shown in the second example.
Ask if you need more help.
Chilly Charly    (aka CC)
         E-List Master - Kudos glutton - Press the yellow button on the left...        
Attachments:
Cursors.tif ‏12 KB
Peak_data.tif ‏8 KB

Similar Messages

  • How can I get high and low value of a histogram?

    Is it possible the get the luminance value of brightest pixel and darkest pixel in an image using aescript?

    Hi,
    this is the code i used.
    The size of the sample is determined by input parameters 'numCols' and 'numRows', which is the simplest way to do it.
    Specifiying instead the radius or size of the sample would require more code to make sure that the layer is scanned entirely...
    Lots of comments, can be shortened a lot.
    Xavier.
    function getLuminanceData(layer, postEffect, time, numCols, numRows){
        // layer: layer object (inside a ae comp)
        // postEffect: if true, the layer's effect are taken into account, else ... not.
        // time : the time at which the histogram is determined  
        // numCols, numRows: integers >=1    ( how many rows and columns to determine samples size)
        //        if not specified, numCols defaults to 10
        //        if not specified, numRows defaults to Math.round(numCols*layer.height/layer.width)
        //        if the samples size turns out to be too small (<1) those numbers are redefined so that the sample size is 1 (===> V-E-R-Y  S-L-O-W)
        // returns an object:
        // numCols, numRows: the actual number of rows and columns used (the number of samples is numCols * numRows)
        // radius: the corresponding sampling radius
        // hist: Array(101). hist[L] : how many samples have luminance L (L: integer in 0-100)
        // minValue: the smallest L for which there is a sample with luminance L
        // minCoord: all samples coordinates with minimum luminance (arranged into an array - the coordinates are those of the center of the sample)
        // maxValue, maxCoord : same for max
        postEffect = !!postEffect;
        if (typeof time !== 'number' || isNaN(time)) time = layer.time;
        numCols = numCols>=1 ? Math.round(numCols) : 10;
        numRows = numRows>=1 ? Math.round(numRows) : Math.round(numCols*layer.height/layer.width) || 1;
        var
                bpc = app.project.bitsPerChannel,
                w, W = layer.width,
                h, H=layer.height,
                size_x = W/numCols,
                size_y = H/numRows,
                numSamples,
                radius,
                L, lumHist = new Array(101),
                minValue, maxValue, minCoord=[], maxCoord=[],
                color,
                exprStart, exprEnd,
                doUndoGroup;
        // check that numCols and numRows are not too big:
        if (size_x<1){size_x=1; numCols = W;};
        if (size_y<1){size_y=1; numRows = H;};
        numSamples = numCols*numRows;
        // ~ 1 second and more (for 1 image, 1 frame) is considered s-l-o-w
        //if (numSamples>=4000 && !confirm("This will be s-l-o-w. Continue ?")) return;
        // expression :
        radius = [0.5*size_x, 0.5*size_y];    // radius is half the size of the sample
        exprStart = "rgbToHsl(sampleImage(";
        exprEnd = ", "+ radius.toSource()+ ", "+postEffect.toString()+", "+time.toString()+"));";
        // initialise lumHist to an array of zeros:
        for (L=0; L<101; L++) lumHist[L] = 0; // luminance from 0 to 100
        // if the number of samples is small enough, putting the action sequence inside an undoGroup fasten things up a bit, and allows to preserve undos history
        // if the number of samples is huge, an undoGroup will actually slow things down (apparently)
        doUndoGroup = numSamples <= 1e5;
        if (doUndoGroup) app.beginUndoGroup("Get Luminance Histogram");
        // if necessary, go to 16 bpc
        if (bpc<16) app.project.bitsPerChannel = 16;
        // add a temporary color control
        color = layer.effect.addProperty("ADBE Color Control").color;    // the color property of the color control
        for (w=radius[0]; w<W; w+=size_x){
            for (h=radius[1]; h<H; h+=size_y){
                color.expression = exprStart + [w,h].toSource() + exprEnd;    // ie : rgbToHsl(sampleImage([w,h], radius, postEffect, time));
                // if (color.value[3]<0.1) continue;
                L = Math.round(100*color.value[2]);
                ++lumHist[L];
                if (minValue<0){
                    // very first sample only
                    minValue=maxValue=L;
                    minCoord = [[w,h]];
                    maxCoord = [[w,h]];
                else{
                    if (L<=minValue){
                        if (L===minValue){if (minCoord.length<1000) minCoord.push([w,h]);}    // only keep first 1000 points with smallest luminance otherwise the minCoord array can grow too big (eg red solid, 1920*1080, radius = [0.5, 0.5], ===> 2,000,000 entries..)
                        else{minValue=L; minCoord = [[w,h]];};
                    if (maxValue<=L){
                        if (maxValue===L){if (maxCoord.length<1000) maxCoord.push([w,h]);}    // same
                        else{maxValue=L; maxCoord=[[w,h]];};
        color.parentProperty.remove();
        if (bpc<16) app.project.bitsPerChannel = bpc;
        if (doUndoGroup) app.endUndoGroup();
        //if (maxValue === minValue){};
        return {numRows: numRows, numCols: numCols, radius: radius, hist: lumHist, minValue: minValue, maxValue: maxValue, minCoord: minCoord, maxCoord: maxCoord};
    $.hiresTimer;
    var luminanceData= getLuminanceData(app.project.activeItem.layer(1), false, void(0), 100);
    "Ellapsed time : "+ $.hiresTimer/1e6;

  • Update to kichat: FAQ 3 - How do I get Video and Audio Chats with PCs ?

    kichat: FAQ 3 - How do I get Video and Audio Chats with PCs ?
    (To Replace http://discussions.apple.com/thread.jspa?threadID=406147 if Accepted. )
    How do I get Video and Audio Chats with PCs ? iChat FAQ 3 (Updated 7/12/2008)
    Applies to iChat 2.x, iChat 3.x and iChat 4.x to any version of AIM on a PC before AIM 6.1
    This piece is designed for those trying to connect Mac to PC for Video and Audio chats. Any iChat version Panther and up.
    Glossary For This FAQ
    This bit is designed for clarity.
    Video is the sending and /or recieving of pictures and sound.
    Audio is the sending and or receiving of sound only.
    One-Way is the ablity to start either an Audio or Video chat from one end to a receipient who can not match your capabilities (or Vice Versa)
    What is needed
    At the Mac end
    A Mac running OS 10.3.x and iChat AV ver 2.1 or 10.4 plus iChat 3 or Leopard and iChat 4
    A DSL/Cable/Fibre (Broadband) connection of at least an up link speed of 256kbs.
    An AIM , @mac.com or MobileMe (@me.com) account name.
    (hosting Multiple person Mac to Mac AV chats requires higher specs and broadband uplink speed).
    At the PC end
    1 PC running windows XP (home or Pro). THIS A MUST
    The AIM Standalone Application, currently at ver. 5.9 at this link. AIM (the Site) now call this version Classic and it cannot be Installed On Vista
    Note: there is also Trillian which has a Pro version for $25 that can also Video and Audio chat. The Basic version just Texts and Audio Chats (AIM does not Audio chat)
    Some need the aimrtc12.exe file from Here Mostly Earlier than XP or Pre Service Pack 2 XP versions of Windows
    Note: It has been noted that this file is now apparently included in Windows XP after Service Pack 2 and above.
    An AIM account/screen name (AOL or Netscape count as well)
    Service Pack 2 info. This info will allow the PC user to enable AIM thorough the XP Firewall. The Windows Firewall did not exist as such before this
    Between both of you.
    At least one camera (Mac end)
    A sound input device (the camera, if it has one is ok)
    Your Buddies screen/account name in each others Buddy Lists
    Other tweaks
    For some people, using AIM on a PC, may also have to make sure their preferences (properties) are set in the AIM Buddy list, for their camera and /or Mic. (Tuning at Message 570)
    This is an icon button lower right on the Buddy List marked "Prefs" (AIM 5.5). This leads to the Preferences. Drop down the list until you read Live Video. Click on this. In the new window that opens click the button that says Tuning Video and Audio. Follow the instructions in the wizard that opens up. Access in AIM 5.9 for this is in the My AIM menu at the top of the Buddy list and then Options
    To Start
    You should now be able to chat to each other.
    If each of you has a camera it can be full Video , as described in the Glossary at the top.
    To start from the Mac end, select (highlight) your Buddy with one click. His camera icon should be dark. Click on the icon near his name or the one at the bottom of the Buddy List. (You do not have to start a text chat).
    To start from the PC end you need to start a text chat, then select the Video icon at the bottom of the chat window.
    If one of you has a camera and the other has a Mic then you will be able to chat One Way but have sound will be both ways.
    To start this type of chat from the Mac end you will have to go to the menu item "Buddies" and drop down to the item "Invite to One Way Video Chat"
    To start this from a PC follow the directions in the pargraph above. You may need to change the tab to the incoming Video at the back of the two to see the Video. These tabs are added when the Video chat starts and the front one normally states you do not have a camera and shows a connection to buy one.
    It is also possible to chat One Way if the other person does not have a Mic: replies will have to be typed in a Text chat.
    No Camera and No Mic will cause iChat to End the chat with "No Data Received for 10 Secs"
    Summary
    For any sort of sound to a PC using AIM, (Talk in PC or Audio in iChat) the Mac will need a camera. The other person can have a Mic and then live chats with sound both ways and Pictures (Video) the other.
    NOTE: At This Time It Is NOT Possible to Audio (sound only) between Mac & PC with AIM & iChat
    Trillian Basic can Audio. Trillian Pro can Video and has a bigger picture and can do Full Screen.
    Another explanation of the set up can be found Here about AIM 5.5 but is transferable.
    And Also here
    My Web Pages particularly all of Page 12: What if your Girlfriend Lives a Long Way Away ? have more information.
    I may receive some form of compensation, financial or otherwise, from my recommendation or link.
    4:24 PM Sunday; December 7, 2008

    kichat: FAQ 3 - How do I get Video and Audio Chats with PCs ?
    (To Replace http://discussions.apple.com/thread.jspa?threadID=406147 if Accepted. )
    How do I get Video and Audio Chats with PCs ? iChat FAQ 3 (Updated 7/12/2008)
    Applies to iChat 2.x, iChat 3.x and iChat 4.x to any version of AIM on a PC before AIM 6.1
    This piece is designed for those trying to connect Mac to PC for Video and Audio chats. Any iChat version Panther and up.
    Glossary For This FAQ
    This bit is designed for clarity.
    Video is the sending and /or recieving of pictures and sound.
    Audio is the sending and or receiving of sound only.
    One-Way is the ablity to start either an Audio or Video chat from one end to a receipient who can not match your capabilities (or Vice Versa)
    What is needed
    At the Mac end
    A Mac running OS 10.3.x and iChat AV ver 2.1 or 10.4 plus iChat 3 or Leopard and iChat 4
    A DSL/Cable/Fibre (Broadband) connection of at least an up link speed of 256kbs.
    An AIM , @mac.com or MobileMe (@me.com) account name.
    (hosting Multiple person Mac to Mac AV chats requires higher specs and broadband uplink speed).
    At the PC end
    1 PC running windows XP (home or Pro). THIS A MUST
    The AIM Standalone Application, currently at ver. 5.9 at this link. AIM (the Site) now call this version Classic and it cannot be Installed On Vista
    Note: there is also Trillian which has a Pro version for $25 that can also Video and Audio chat. The Basic version just Texts and Audio Chats (AIM does not Audio chat)
    Some need the aimrtc12.exe file from Here Mostly Earlier than XP or Pre Service Pack 2 XP versions of Windows
    Note: It has been noted that this file is now just another link to the Standalone application. This might be an error by AIM or a newer version that includes the file.
    An AIM account/screen name (AOL or Netscape count as well)
    Service Pack 2 info. This info will allow the PC user to enable AIM thorough the XP Firewall. The Windows Firewall did not exist as such before this
    Between both of you.
    At least one camera (Mac end)
    A sound input device (the camera, if it has one is ok)
    Your Buddies screen/account name in each others Buddy Lists
    Other tweaks
    For some people, using AIM on a PC, may also have to make sure their preferences (properties) are set in the AIM Buddy list, for their camera and /or Mic. (Tuning at Message 570)
    This is an icon button lower right on the Buddy List marked "Prefs" (AIM 5.5). This leads to the Preferences. Drop down the list until you read Live Video. Click on this. In the new window that opens click the button that says Tuning Video and Audio. Follow the instructions in the wizard that opens up. Access in AIM 5.9 for this is in the My AIM menu at the top of the Buddy list and then Options
    To Start
    You should now be able to chat to each other.
    If each of you has a camera it can be full Video , as described in the Glossary at the top.
    To start from the Mac end, select (highlight) your Buddy with one click. His camera icon should be dark. Click on the icon near his name or the one at the bottom of the Buddy List. (You do not have to start a text chat).
    To start from the PC end you need to start a text chat, then select the Video icon at the bottom of the chat window.
    If one of you has a camera and the other has a Mic then you will be able to chat One Way but have sound will be both ways.
    To start this type of chat from the Mac end you will have to go to the menu item "Buddies" and drop down to the item "Invite to One Way Video Chat"
    To start this from a PC follow the directions in the pargraph above. You may need to change the tab to the incoming Video at the back of the two to see the Video. These tabs are added when the Video chat starts and the front one normally states you do not have a camera and shows a connection to buy one.
    It is also possible to chat One Way if the other person does not have a Mic: replies will have to be typed in a Text chat.
    No Camera and No Mic will cause iChat to End the chat with "No Data Received for 10 Secs"
    Summary
    For any sort of sound to a PC using AIM, (Talk in PC or Audio in iChat) the Mac will need a camera. The other person can have a Mic and then live chats with sound both ways and Pictures (Video) the other.
    NOTE: At This Time It Is NOT Possible to Audio (sound only) between Mac & PC with AIM & iChat
    Trillian Basic can Audio. Trillian Pro can Video and has a bigger picture and can do Full Screen.
    Another explanation of the set up can be found Here about AIM 5.5 but is transferable.
    And Also here
    My Web Pages particularly all of Page 12: What if your Girlfriend Lives a Long Way Away ? have more information.
    I may receive some form of compensation, financial or otherwise, from my recommendation or link.
    9:19 PM Friday; December 12, 2008

  • When I download itunes, it says that Ipod Service failed to start. I checked the services under task manager and when I try to start it, it says access denied. How to I get access and for the ipod service to start and run?

    Please help. My ipod classic could not be recognised by itunes when I connect my ipod to PC. Previously it has been recognised before I updated. This was a while ago now and so I removed all apple files and re installed the latest itunes but am having the same problem.
    When I download itunes, it says that Ipod Service failed to start. I checked the services under task manager and when I try to start it, it says access denied. How to I get access and for the ipod service to start and run?

    Some anti-virus programs (e.g., McAfee) have this rule that can be invoked under the "maximum protection" settings: PREVENT PROGRAMS REGISTERING AS A SERVICE. If that rule is set to BLOCK, then any attempt to install or upgrade iTunes will fail with an "iPod service failed to start" message.
    If you are getting this problem with iTunes, check to see if your anti-virus has this setting and unset it, at least for as long as the iTunes install requires. Exactly how to find the rule and turn it on and off will vary, depending upon your anti-malware software. However, if your anti-virus or anti-malware software produces a log of its activities, examining the log may help you find the problem.
    For example, here's the log entry for McAfee:
    9/23/2009 3:18:45 PM Blocked by Access Protection rule NT AUTHORITY\SYSTEM C:\WINDOWS\system32\services.exe \REGISTRY\MACHINE\SYSTEM\ControlSet001\Services\iPod Service Common Maximum Protection:Prevent programs registering as a service Action blocked : Create
    Note that the log says "Common Maximum Protection: Prevent programs registering as a service". The "Common Maximum Protection" is the location of the rule, "Prevent programs registering as a service" is the rule. I used that information to track down the location in the McAfee VirusScan Console where I could turn the rule off.
    After I made the change, iTunes installed without complaint.

  • I just got a white frame in the middle of my images in viewer mode. What is it and how did it get there and how do i get rid of it.

    I just got a white frame in the middle of my images in viewer mode in Aperture 3. What is it and how did it get there and how do i get rid of it?

    Just fishin' ...
    Is by any chance "View→Show focus points" checked?
    Does the frame persist after closing and re-opening Aperture?
    Notice anything else different?
    To post a screen shot, you first take it, them upload it.  To take them, I use and recommend Skitch -- one of the best little apps ever.  But this ability is built into OS X.  Use Grab or Preview (search OS X Help for full directions).  In Preview, use "File→Take screen shot ... →From selection ... ".  Save the file in Preview to your drive.  In the Discussion forum click the "Insert Image" icon (a camera) and select the file you created in Preview.

  • How do i get ads and pop ups off my computer?

    Mac Book Pro
    Processor 2.66 GHz Intel Core 2 Duo
    Version 10.0.1
    How do I get ads and pop ups off my computer?

    Your question is one that tends to bring out the worst of all the bad advice that infests this site. There is, in fact, no need to download anything to solve the problem.
    You may have installed one or more of the common types of ad-injection malware. Follow the instructions on this Apple Support page to remove it. It's been reported that some variants of the "VSearch" malware block access to the page. If that happens, start in safe mode by holding down the shift key at the startup chime, then try again.
    Back up all data before making any changes.
    One of the steps in the article is to remove malicious Safari extensions. Do the equivalent in the Chrome and Firefox browsers, if you use either of those. If Safari crashes on launch, skip that step and come back to it after you've done everything else.
    If you don't find any of the files or extensions listed, or if removing them doesn't stop the ad injection, ask for further instructions.
    Make sure you don't repeat the mistake that led you to install the malware. It may have come from an Internet cesspit such as "Softonic" or "CNET Download." Never visit either of those sites again. You might also have downloaded it from an ad in a page on some other site. The ad would probably have included a large green button labeled "Download" or "Download Now" in white letters. The button is designed to confuse people who intend to download something else on the same page. If you ever download a file that isn't obviously what you expected, delete it immediately.
    Malware is also found on websites that traffic in pirated content such as video. If you, or anyone else who uses the computer, visit such sites and follow prompts to install software, you can expect more of the same, and worse, to follow. Never install any software that you downloaded from a bittorrent, or that was downloaded by someone else from an unknown source.
    In the Security & Privacy pane of System Preferences, select the General tab. The radio button marked Anywhere  should not be selected. If it is, click the lock icon to unlock the settings, then select one of the other buttons. After that, don't ignore a warning that you are about to run or install an application from an unknown developer.
    Still in System Preferences, open the App Store or Software Update pane and check the box marked
              Install system data files and security updates (OS X 10.10 or later)
    or
              Download updates automatically (OS X 10.9 or earlier)
    if it's not already checked.

  • After installing iphoto 9.5 some of my  projects are  completely or partly empty after regenerating, how can I get them back?

    After installing iphoto 9.5 some of my  projects (photobooks) are  completely or partly empty after regenerating, how can I get them back?

    Define "everything" because if you've tried everything then your last recourse is:
    1 - restore your backup copy of your iPhoto Library created just prior to your Yosemite upgrade or
    2 - Starting over from scratch with new library
    Start over with a new library and import the Originals (iPhoto 09 and earlier) or the Masters (iPhoto 11) folder from your original library as follows:
    1. Open the library package like this.
    2. Launch iPhoto with the Option key held down and, when asked, select the option to create a new library.
    3. Drag the subfolders of the Originals (iPhoto 09 and earlier) or the Masters (iPhoto 11) folder from the open iPhoto Library package into the open iPhoto window a few at a time.
    This will create a new library with the same Events (but not necessarily the same Event names) as the original library but will not keep the metadata, albums, books slideshows and other projects.
    Note:  your current library will be left untouched for further attempts at a fix if so desired.

  • Since installing 4.0.1 I can't right click on the Icon in my task bar and have Firefox give me the option of "close and save" the tabs. Only let's me know I'm about to close multiple tabs. How do I get "save and close" back?

    Before installing 4.0.1 I could right click on the Firefox icon on my computer's taskbar and hit close window. It would then give me the option to "save tabs and quit" or "close all tabs."
    Now it just alerts me that I'll be closing multiple tabs.
    It was convenient to be able to close Firefox and open it with all of the tabs in place. There is nothing more irritating than having multiple tabs lost because your computer did an update overnight and restarted. Also it was helpful when you wanted to run a tun-up or cleaner that asked you close out of your browser for optimum result's.
    How do I get "save and quit" back?
    Thanks

    Firefox now always stores the old session, and you can access it by going to the History menu and selecting "Restore Previous Session"
    If you want Firefox to display the message to save the session, it can be turned back on by changing some preferences.
    # Type '''about:config''' into the location bar and press enter
    # Accept the warning message that appears, you will be taken to a list of preferences
    # Locate the preference '''browser.tabs.warnOnClose''', if its value is set to '''false''', double-click on it to change its value to '''true'''
    # Repeat this for these 3 preferences '''browser.warnOnQuit''', '''browser.warnOnRestart''' and '''browser.showQuitWarning'''
    If you always open the last set of tabs, an alternative approach is this:
    # Click the orange Firefox button, then select options to open the options window
    # Go to the General panel
    # Change the setting "When Firefox starts" to "Show my windows and tabs from last time"

  • How do I get superscript and subscript on iPad? I have notability keynote and pages.

    How do I get superscript and subscript keys. I have pages notability and keynote.

    If you move to iOS 8 you can use keyboard extensions. For instance, I have an extension, Chemistry Keyboard, in the App Store that allows this, and there may be others.

  • How do I get games and music on my phone from iTunes

    How do I get games and music on my phone from iTunes

    See here  >  http://support.apple.com/kb/HT1386
    From Here  >  http://www.apple.com/support/iphone/syncing/

  • How di i get Facebook and skype in my iphone?

    how do i get facebook and skype in my iphone4

    go to the appstore and download it for free on your iphone

  • How do I get email and text message notifications when my phone is locked?

    How do I get email and text message banner notifications on my iphone when the phone is locked? When I had iOS 6 I could get notifications with sound and banner. Now that I have iOS7 I can't see notificaitons when the phone is locked.

    See if this support document about Notifications helps. http://support.apple.com/kb/HT3576

  • Kichat: FAQ 3 - How do I get Video and Audio Chats with PCs ?

    Disclaimer: Apple does not necessarily endorse any suggestions, solutions, or third-party software products that may be mentioned in the topic below. Apple encourages you to first seek a solution at Apple Support. The following links are provided as is, with no guarantee of the effectiveness or reliability of the information. Apple does not guarantee that these links will be maintained or functional at any given time. Use the information below at your own discretion.
    How do I get Video and Audio Chats with PCs ? iChat FAQ 3 (Updated 3/4/2009)
    Applies to iChat 2.x, iChat 3.x and iChat 4.x to any version of AIM on a PC before AIM 6.1
    See bottom section on AIM 6.5 and 6.8 on XP and Vista.
    This piece is designed for those trying to connect Mac to PC for Video and Audio chats. Any iChat version Panther and up.
    Glossary For This FAQ
    This bit is designed for clarity.
    Video is the sending and /or receiving of pictures and sound.
    Audio is the sending and or receiving of sound only.
    One-Way is the ability to start either an Audio or Video chat from one end to a recipient who can not match your capabilities (or Vice Versa)
    What is needed
    At the Mac end
    A Mac running OS 10.3.x and iChat AV ver 2.1 or 10.4 plus iChat 3 or Leopard and iChat 4
    A DSL/Cable/Fibre (Broadband) connection of at least an up link speed of 256kbs.
    An AIM , @mac.com or MobileMe (@me.com) account name.
    (hosting Multiple person Mac to Mac AV chats requires higher specs and broadband uplink speed).
    At the PC end
    1 PC running windows XP (home or Pro). THIS A MUST
    The AIM Standalone Application, currently at ver. 5.9 at this link. AIM (the Site) now call this version Classic and it cannot be Installed On Vista
    Note: there is also Trillian which has a Pro version for $25 that can also Video and Audio chat. The Basic version just Texts and Audio Chats (AIM does not Audio chat)
    Some need the aimrtc12.exe file from Here Mostly Earlier than XP or Pre Service Pack 2 XP versions of Windows
    An AIM account/screen name (AOL or Netscape count as well)
    Service Pack 2 info. This info will allow the PC user to enable AIM thorough the XP Firewall. The Windows Firewall did not exist as such before this.
    Between both of you.
    At least one camera (Mac end works better)
    A sound input device (the camera, if it has one is ok)
    Your Buddies screen/account name in each others Buddy Lists
    Other tweaks
    For some people, using AIM on a PC, may also have to make sure their preferences (properties) are set in the AIM Buddy list, for their camera and /or Mic. (Tuning at Message 570)
    This is an icon button lower right on the Buddy List marked "Prefs" (AIM 5.5). This leads to the Preferences. Drop down the list until you read Live Video. Click on this. In the new window that opens click the button that says Tuning Video and Audio. Follow the instructions in the wizard that opens up. Access in AIM 5.9 for this is in the My AIM menu at the top of the Buddy list and then Options
    To Start
    You should now be able to chat to each other.
    If each of you has a camera it can be full Video , as described in the Glossary at the top.
    To start from the Mac end, select (highlight) your Buddy with one click. His camera icon should be dark. Click on the icon near his name or the one at the bottom of the Buddy List. (You do not have to start a text chat).
    To start from the PC end you need to start a text chat, then select the Video icon at the bottom of the chat window.
    If one of you has a camera and the other has a Mic then you will be able to video chat One Way but sound will be both ways.
    To start this type of chat from the Mac end you will have to go to the menu item "Buddies" and drop down to the item "Invite to One Way Video Chat"
    To start this from a PC follow the directions in the paragraph above. You may need to change the tab to the incoming Video at the back of the two to see the Video. These tabs are added when the Video chat starts and the front one normally states you do not have a camera and shows a connection to buy one.
    It is also possible to chat One Way if the other person does not have a Mic: replies will have to be typed in a Text chat.
    No Camera and No Mic will cause iChat to End the chat with "No Data Received for 10 Secs"
    Summary
    PC end gets AIM 5.9 or Trillian Pro.
    The PC end allows the app through the XP Firewall.
    AIM 5.9 needs "Tuning" to Camera and Mic.
    For any sort of sound to a PC using AIM, (Talk in PC or Audio in iChat) the Mac will need a camera. The other person can have a Mic and then live chats with sound both ways and Pictures (Video) One-Way.
    NOTE: At This Time It Is NOT Possible to Audio (sound only) between Mac & PC with AIM & iChat
    Trillian Basic can Audio. Trillian Pro can Video and has a bigger picture and can do Full Screen.
    Another explanation of the set up can be found Here about AIM 5.5 but is transferable to AIM 5.9.
    And Also here
    My Web Pages particularly all of Page 12: What if your Girlfriend Lives a Long Way Away ? have more information.
    <hr>
    AIM 6.5 and 6.8 On Vista and XP
    AIM 5.9 or earlier can not be installed on Vista.
    AIM 6.5 and 6.8 use a new video codec with a description of "Real Time IM"
    AIM have an FAQ page about this
    Below the pics is this quote
    What do I need to use Real-Time IM?
    You and your buddy need to be using AIM® 6.8 or higher to use Real-Time IM. Unfortunately, Real-Time IM does not yet work with older AIM clients, iChat®, or AIM® for Mac®.
    See items 5 through 13 on this page for alternatives including Web Browser based ones.
    I may receive some form of compensation, financial or otherwise, from my recommendation or link.
    This is the 2nd version of this tip. It was submitted on Saturday; April 4, 2009, 9:52 PM by Ralph Jonhs (UK).
    Do you want to provide feedback on this User Contributed Tip or contribute your own? If you have achieved Level 2 status, visit the User Tips Library Contributions forum for more information.

    This is the one I have been wating for
    http://discussions.apple.com/thread.jspa?threadID=406152
    kichat: Look and sound great in iChat!
    Ian's First FAQ
    Also New Today
    http://discussions.apple.com/thread.jspa?threadID=121775
    kichat: FAQ 2 - How to get my router to work with iChat?
    And
    http://discussions.apple.com/thread.jspa?threadID=121665
    kichat: FAQ 1 - What do I need to start in iChat ?
    11:20 PM Thursday; March 16, 2006

  • How do I get Video and Audio Chats with PCs ?:  FAQ 3

    How do I get Video and Audio Chats with PCs ? (Updated 24/11/05) iChat FAQ 3
    Applies to iChat 3.x and iChat 2.x
    This piece is designed for those trying to connect Mac to PC for Video and Audio chats. Any iChat version Panther and up.
    Glossary For This FAQ
    This bit is designed for clarity.
    Video is the sending and /or recieving of pictures and sound.
    Audio is the sending and or receiving of sound only.
    One-Way is the ablity to start either an Audio or Video chat from one end to a receipient who can not match your capabilities (or Vice Versa)
    What is needed
    At the Mac end
    1 Mac running OS 10.3.x and iChat AV ver 2.1 or 10.4 plus iChat 3
    A DSL (Broadband) connection of at least an up link speed of 256kbs.
    An AIM or .Mac.com account name.
    (hosting Multiple person AV chats requires higher specs and broadband uplink speed).
    At the PC end
    1 PC running windows XP (home or Pro). THIS A MUST
    The AIM Standalone Application, currently at ver. 5.9 at this link.
    Note: there is also Trillian Which has a Pro version for $25 that can also Video and Audio chat. The Basic just Texts and Audio Chats (AIM does not Audio chat)
    Some need the file from item 2 Here
    Note: It has been noted that this file is now just another link to the Standalone application. This might be an error by AIM or a newer version that includes the file.
    An AIM account/screen name (AOL or Nescape count as well)
    Service Pack 2 info. This info will allow the PC user to enable AIM thorough the XP Firewall.
    Between both of you.
    At least one camera (Mac end)
    A sound input device (the camera, if it has one is ok)
    Your Buddies screen/account name in each others Buddy Lists
    Other tweaks
    For some people, using AIM on a PC, may also have to make sure their preferences (properties) are set in the AIM Buddy list, for their camera and /or Mic. (Tuning)
    This is an icon button lower right on the Buddy List marked "Prefs" (AIM 5.5). This leads to the Preferences. Drop down the list until you read Live Video. Click on this. In the new window that opens click the button that says Tuning Video and Audio. Follow the instructions in the wizard that opens up. Access in AIM 5.9 for this is in the My AIM menu at the top of the Buddy list and then, Options
    To Start
    You should now be able to chat to each other.
    If each of you has a camera it can be full Video , as described in the Glossary at the top.
    To start from the Mac end, select (highlight) your Buddy with one click. His camera icon should be dark. Click on the icon near his name or the one at the bottom of the Buddy List. (You do not have to start a text chat).
    To start from the PC end you need to start a text chat, then select the Video icon at the bottom of the chat window.
    If one of you has a camera and the other has a Mic then you will be able to chat One Way but have sound returned to you.
    To start this type of chat from the Mac end you will have to go to the menu item "Buddies" and drop down to the item "Invite to One Way Video Chat"
    To start this from a PC follow the directions in the pargraph above. You may need to change the tab to the incoming Video at the back of the two to see the Video. These tabs are added when the Video chat starts and the front one normally states you do not have a camera and shows a connection to buy one.
    It is also possible to chat One Way if the other person does not have a Mic: replies will have to be typed in a Text chat.
    Summary
    For any sort of sound to a PC using AIM, (Talk in PC or Audio in iChat) the Mac will need a camera. The other person can have a Mic and then live chats with sound both ways and Pictures (Video) the other.
    NOTE: At This Time It Is NOT Possible to Audio (sound only) between Mac & PC with AIM & iChat
    Trillian Basic can Audio. Trillian Pro can Video and has a bigger picture and can do Full Screen.
    Another explanation of the set up can be found Here
    My Web Pages
    Happy Chatting.
    Ralph

    Hi Ralph,
    Just a type, you misspelled Netscape...
    An AIM account/screen name (AOL or Nescape count as well)

  • Somehow my iTunes app has been put into the trash.  How can I get this and all of the stuff that was in it back to my Application folder?  I try to drag it out of trash, but it won't work.

    Somehow my iTunes app has been put into the trash.  How can I get this and all of the stuff that was in it back to my Application folder?  I try to drag it out of trash, but it won't work.

    Also, when I do try to drag it out of the Trash to put it back into Applications (on the Finder sidebar), it asks me to authenticate with the administration password.  I enter it, and then a window appears saying that I can't do that because I do not have permission to modify iTunes.  Please help.

Maybe you are looking for

  • JNDI name is not displayed in server console JNDI tree

    Hi. I have two objects with similar JNDI names. Object 1 has JNDI name "abc.test1". Object 2 has JNDI name "Abc.test2". Here is difference in first char size: 'a' and 'A'. The issue is that in JNDI tree weblogic server console displays only Object 1.

  • Mac Lion Version 10.7.3 not Restoring Windows after force quite

    I am getting following error after opening Ooo (Open Office org) "The application "OpenOffice.org" was forced to quit while trying to restore its windows.  Do you want to try to restore its windows again?" And nothing is happening after pressing both

  • TopLink in WebLogic Server 10

    Hi, does anybody have experience with the use of TopLink in WebLogic Server 10.0? Wenn I use TopLink as JPA persistence provider, I receive a javax.persistence.TransactionRequiredException ("Exception Description: No transaction is currently active")

  • I want to change my security questions on my itunes account! Help!

    Hi I need to change my security questions and I dont know how too. I was able to access my account but there is one question I need to change ... help

  • SAP CAL - Free Solutions - Try Now

    Hi, I registered SAP CAL (cal.sap.com), but once I tried Free Solution and Try Now button, it does not work. According to one openSAP documentation, it is supposed to show "Term and Conditions", but nothing happens. I was suspicious  about the browse