Distance between options in an af:selectOneRadio

Hi
Is it possible to control the distance between the options in an af:selectOneRadio component?
I am currently making an af:selectOneRadio with horizontal layout. The users complain say that they would prefere a longer distance between the radio options and I have tried doing that by putting spaces in the end of the labels but the spaces are ignored and the distance therefore stays the same. How I can make this distance longer?

try this between af:selectRadio
<af:spacer width="4"/>regards
srini

Similar Messages

  • Find driving distance between two points without using API by use of Lat & Long?

    Using Google geocode API : http://maps.googleapis.com/maps/api/geocode/xml?address=thane&sensor=true
    We performed get distance between search criteria entered by user and all related clubs by lat & long  stored at db.
    2. Two different points such as  
    (origin: Lat1 & Long1) and (destination: Lat2 & Long2)
    We tried for to get distance between these two points,
     (Lat2 & Long2) to (Lat1 & Long1)
    But distance which we get by calculation is simple straight line distance 
    Origin Destination
    (Lat1 & Long1) (Lat2 & Long2)
    3. This is not driving distance as google shows in exact Km
    4. For that Google provide another API (distancematrix API)
    http://maps.googleapis.com/maps/api/distancematrix/xml?origins=Thane&sensor=true&destinations=khopat&mode=driving&language=en%20-%20EN
    5. But there is limit for DistanceMatrix-Service without ClientID and client key
    100 elements per query.
    100 elements per 10 seconds.
    2 500 elements per 24 hour period.
    But as element request exceeds it shows : OVER_QUERY_LIMIT error  
    6. In case of Client ID and Client key
    In Distance Matrix 100 000 elements per 24 hour period,a maximum of 625 elements per query and a maximum of 1 000 elements per 10 seconds.
    As per this one there is option to get purchase these API but basic question is remain same for us if we are requesting single origin and multiple destination then how element calculation done by google?
    But in document google says :
    Elements
    The information about each origin-destination pairing is returned in an element entry. An element contains the following fields:
    Status: See Status Codes for a list of possible status codes.
    Duration: The duration of this route, expressed in seconds (the value field) and as text. The textual representation is localized according to
    the query's language parameter.
    Distance: The total distance of this route, expressed in meters (value) and as text. The textual value uses the unit system specified with the
    unit parameter of the original request, or the origin's region.

    Any information that you see in a google map webpage can be retrieved using the API.  The best way of finding the tags on the webpage is to manually perform the query using an IE webpage.   Then capture the source and save to a file so you
    can use a text editor to look at results.  I often on a webpage use the menu : View -  Source and then copy the source to a text file.
    jdweng

  • Increase distance between objects w/o resizing the objects

    Is it posible to increase distance between objects in illustrator cs3 without resizing the individual objects?
    For example, I have a series of circles separated from one another by about 20 pixels, aligned into a grid-like formation.  I would like to increase or decrease the distance of the circles from one another, without changing the size of the circles themselves.
    Thanks,
    Regina

    As Chris said, use the Distribute functions of the Align Palette. Assume a 5 x 5 array of circles separated by 20 points in each direction. You now want the array spacing to be 30 points.
    1. Black Pointer: drag a marquee selection across the top row of 5. Then click once on the leftmost one.
    2. Align Palette: Show Options. In the distance field of the Distribute area, enter 30. Click the Distribute Horiizontally button.
    3. Select and group each of the other four rows.
    4. Select the four rows and one of the top row's circles. Click once again on the selected top row circle.
    5. Align Palette: Make sure the 30 value is still there. Click the Distribute Vertically button.
    JET

  • Distance between Footnotes

    Hey,
    I write a paper for my University on the iPad on pages for iOS.
    But the Distance between the footnote is far to big and takes much space. How can I adjust it?
    Thanks for your help!
    iUlle

    > Using IDCS4, I have a multiple chapter book that has (hundreds of) footnotes.
    > The editor has decided to change the distance between the footnote number and the
    > text of the footnote. I've gone into the Footnote Options (in each chapter)
    > and changed the separator to an en-dash, but it is being applied unevenly.
    > Some chapters change the character that is in that slot (either a tab or space),
    > but other chapters keep the original character. Is there something that would
    > prevent the separator from being changed?
    If you manually deleted the separator and replaced it with a different
    character it won't get changed.
    > Also, in a Book, I know I can synchronize styles, but is there a way to have document options
    > synchronized? For example, the footnote options, hyphenation options, etc. I want them all
    > the same and I dislike having to manually change them in each chapter document.
    Hyphenation settings are controlled by the settings in the paragraph
    style so those will get changed when you synchronize the paragraphs.
    Unfortunately, there is no way to synchronize th footnote options.

  • Distance between two GPS points

    Is there an inbuilt function in PL/SQL for calulating the distance between two GPS (lat/long) points?
    I'm using Oracle 9i. There's a thing called SDO_GEOM available, but I'm not sure if this is what its used for or if it's the best option.

    If the earth is a complete globe and its circumference is 40000km,
    I make the function as follows.
    create ore replace
    function distance
    (a_lat number,a_lon number,b_lat number, b_lon number)
    return number is
    circum number := 40000; -- kilometers
    pai number := acos(-1);
    a_nx number;
    a_ny number;
    a_nz number;
    b_nx number;
    b_ny number;
    b_nz number;
    inner_product number;
    begin
    if (a_lat=b_lat) and (a_lon=b_lon) then
    return 0;
    else
    a_nx := cos(a_lat*pai/180) * cos(a_lon*pai/180);
    a_ny := cos(a_lat*pai/180) * sin(a_lon*pai/180);
    a_nz := sin(a_lat*pai/180);
    b_nx := cos(b_lat*pai/180) * co s(b_lon*pai/180);
    b_ny := cos(b_lat*pai/180) * sin(b_lon*pai/180);
    b_nz := sin(b_lat*pai/180);
    inner_product := a_nx*b_nx + a_ny*b_ny + a_nz*b_nz;
    if inner_product > 1 then
    return 0;
    else
    return (circum*acos(inner_product))/(2*pai);
    end if;
    end if;
    end;
    I rewrite it by using the factorization and the triangle function's sum and difference formulas:
    cos(x-y) = cos(x)cos(y)+sin(x)sin(y)
    As result, this function is same to the 1st method of Billy Verreynne.
    create or replace
    function distance
    (a_lat number,a_lon number,b_lat number, b_lon number)
    return number is
    circum number := 40000; -- kilometers
    pai number := acos(-1);
    dz number;
    dx2y2 number;
    inner_product number;
    begin
    if (a_lat=b_lat) and (a_lon=b_lon) then
    return 0;
    else
    dz := sin(a_lat*pai/180)*sin(b_lat*pai/180);
    dx2y2 := cos(a_lat*pai/180)*cos(b_lat*pai/180)*cos((a_lon-b_lon)*pai/180);
    inner_product := dz*dz + dx2y2;
    if inner_product > 1 then
    return 0;
    else
    return (circum*acos(inner_product))/(2*pai);
    end if;
    end if;
    end;
    Message was edited by:
    ushitaki

  • Diversity - Distance between Antennas

    Considering both antennas are similar-type and gain the two imp criterias i read in achiveing Diversity is
    1. Antennas should be placed close enough to each other so that the RF coverage area is nearly identical.
    2. The receiving antennas are spaced sufficiently apart to achieve independence (no coupling) between the received signals.
    So the distance between both the antenna would be important.
    In a cisco doc,
    http://www.cisco.com/en/US/tech/tk722/tk809/technologies_tech_note09186a008019f646.shtml
    For 2.4GHz wavelength = 12.5cm and for 5GHz wavelength = 6cm.
    Hence for 2.4GHz wavelength,
    Dist bet diversity Ant = 12.5cms Or 25cms or 37.5cms or 50cms
    now from below POST:
    http://forums.cisco.com/eforum/servlet/NetProf?page=netprof&forum=Wireless%20-%20Mobility&topic=WLAN%20Radio%20Standards&topicID=.ee6e8c2&fromOutline=&CommCmd=MB%3Fcmd%3Ddisplay_location%26location%3D.2cc18267
    The spacing can be in multiples but is best in multiples of odd numbers. 1x or 3x. This allows for the phase to be always 100% out for the opposing antennae. 2x could cause phase shift overlay and could result in both antennae receiving the same phase shift differentiation.
    Is this true? then my choise would narrow down to "Dist bet diversity Ant=12.5cms or 37.5cms'
    But from below POST iam confused regarding point 1 and 2 (I have put them pointwise just for reference)
    http://forums.cisco.com/eforum/servlet/NetProf?page=netprof&forum=Wireless%20-%20Mobility&topic=WLAN%20Radio%20Standards&topicID=.ee6e8c2&fromOutline=&CommCmd=MB%3Fcmd%3Ddisplay_location%26location%3D.2cc0332d
    1. Never should you have the antennas exactly one wavelength away from each other. For the frequency of 2400, one wavelength is 4.92"... so any distance that is not a multiple of 4.92 and no more than a multiple of 4 is recommended.
    2. You should use 1/2 wavelength distances and to be safe no more than multiple of 3.
    My Questions are
    1. Should the distance between my Antennas for diversity be any len more than 12.5 cms and less than 25cms or more than 37.5cms and less than 50cms?
    2. Is it that the distance between my Antennas for diversity should not be exactly equal to the multiple of wavelengths? (12.5cms, 25cms, 37.5cms, 50cms)
    3. Is it that i have to use only odd wavelengths multiples? (12.5cms, 37.5cms) and should not use even multiples?
    4. The use 1/2 wavelength distances between the antennas is diversity. Is it ok? or is the minimum 1 wavelength as specfied in the cisco doc.
    Also from the below POST iam confused regarding the MAX distance:
    http://forums.cisco.com/eforum/servlet/NetProf?page=netprof&forum=Wireless%20-%20Mobility&topic=WLAN%20Radio%20Standards&topicID=.ee6e8c2&fromOutline=&CommCmd=MB%3Fcmd%3Ddisplay_location%26location%3D.1dd7905b
    "Distance beyond 1-2 wavelengths is not critical. Since the antennas are not transmitting and/or receiving at the same time,there is no real chance of overloading the other antenna or radio front-end. "
    There's not really a "max distance" as far as diversity is concerned. By placing the antennas some distance apart (the minimum, I believe, is ~one wavelength), you optimize the chance that a signal that is null (or interfered with) on one side, isn't on the other.
    my question is
    5. Is there a max distance between the antennas in diversity (like we read 4xwavelength) or there is no max distance? then wont there evolve a different RF coverage area for both the Antennas?
    Another important question
    > If my wireless card supports 5GHZ and 2.4GHZ and hence my antennas would be dual band. Then to achive antenna Diversity, what would be the distance between the two antennas? The minimum distance should be 1 wavelength, so For 2.4GHz wavelength = 12.5cm and for 5GHz wavelength = 6cm.
    For a dual band antenna? how much should it be? Whats the min and max.
    someone please can help me solve the huge confusion in my mind :)

    First, let me say that this is certainly a well-done post, good job of back-tracking the links and expressing your questions.
    The next thing is that there are more than a few nuances when dealing with RF and signal transmission and propagation, so to cover a specific topic fully would frequently cover more space than provided.
    With all that dancing out of the way ;-), I'll take a shot at answering your questions...
    "Is there a max distance ... ?"
    Well, no, not really ... but there is a max *effective* distance and a fairly specific point of diminishing returns (as mentioned in the linked posts).
    The design and implementation goal is to create a sort of "binocular view" with the antennas, such that the chance of a "null" is reduced, such that the signal / pattern developed from the diverse pair of antennas will create at least one clean and clear (reduced multipath, reduced nulls, possibly better line of sight)signal to (ideally) every client in the coverage area.
    Even though only one antenna is active at any given time, having any conductor within the radiated field will distort the transmission envelope, either positively (in the case of a Yagi) or negatively (in the case of a grounded conductor, like a sprinkler head).
    The amount of the distortion, and the shape of the distortion are functions of the size and shape of the parasitic element. The effect is so variable that it is one of the foundations for the contention that a comprehensive site survey is not really an option, it's mandatory; it's truely the only way to see what adaptations are necessary to make the "rules of thumb" function in the specific location.
    Regarding antennas handling multiple bands:
    The antennas (in this case) are close to resonant multiples. The differences are such that the logical / electrical length can be adjusted by adding inductive or capacitive loads at the transmitter or feed point.
    Even though the physical shape of the antennas may be different from model to model, the electrical load characteristics for a given band / antenna remain similar, so electronically compensating to make an antenna primarily designed for 2.4GHz function well for 5.6GHz is not especially difficult. Going from the longer wavelength to the shorter is more effective and easier to design than trying to go the other way.
    For example, a quarter-wave 2.4GHz antenna is easily compensated to create a good half wave (or loaded 5/8) 5.6GHz antenna.
    So, (finally) to provide the proper spacing for a diverse pair of multi-band antennas, figure for the longer wavelength (2.4GHz in this case) and the (roughly double) distance is likely to be acceptable for the higher wavelength. The spacing doesn't have to be exact; personally, I used to shoot for ~18" (variable with the mounting location and antenna type)and I always had pretty good luck, according to the follow-up survey.
    Because of the jillions of possible variables, you can't just calculate and hang the antennas and be done ... a survey should be done to verify the installations and to make educated adjustments that will optimize the system for that specific location and environment.
    The initial calculations are ideal guidelines, then you make adjustments to cover things like metal wall studs, sprinkler heads, the boss' favorite "wall o' vines" ... you will rarely get a perfect environment, adjustments are almost always required.
    It's late and I'm starting to babble ... ponder the above and let us know if it helped any. There are a great bunch of experienced folks here, and I think this will be the start of a great discussion.
    Good Luck
    Scott

  • Practical Distance between Catalyst 2950C-24's over 62.5 MM Fiber

    I have a customer that has asked me to connect 2 of their buildings together. The 2 buildings are accross the street from each other but the fiber distance between the 2 may be as long as 2500ft. I am considering using 2 Catalyst 2950C-24's, one on each end of the connection. I have had some difficulty finding a distance limitation for the 2950C's over 62.5 micron MM fiber. This configuration would allow a 100baseFX connection for now but the customer may wish in the future to increase the bandwidth to 1GB. I would like to know how long a fiber pull between these two devices could be without problems. If anyone could offer any suggestions I would appreciate it.

    Make sure your customer knows that going to Gigabit may not be an option over MMF if the distance is too great. Standards specify support for 62.5/125 fiber out to 220m to 275m with SX optics, and out to 550m with LX optics and mode-conditioning patch cords. (LX has been pushed as far as 700m reliably, but exceeds the standards).
    Their best option for faster-than-100-meg service is to use Fast EtherChannel: n x 100-meg links, if they have multiple strand-pairs available.

  • Scaling distance between objects (ill CC)

    Hello people!
    i have a pattern with different sized objects. i would like to change the overall appearance by keeping the size of the objects, but changing the distances between the objects.
    -> scaling the overall size of the pattern, but not the size of the objects

    bobster,
    In this case, you may create the pattern in a quite different way and just scale once according to need:
    1) Create a square of arbitrary size with no fill and a Stroke Weight equalling the dot size;
    2) Object>Path>Average, with Both ticked;
    Now you have the first dot;
    3) Create the pattern by copying, maybe through the Effect option followed by expanding;
    4) Just scale up as desired.
    This is most relevant in connexion with (possibly) repeated different scalings.

  • HP Envy 17t-j100 Distance between USB Slots suggestion

    I intended this post as a recommandation for HP. 
    I have an HP Envy Touchsmart 17t-j100 and everything is excelent up until now.
    The only thing that is very annoying is the distance between USB ports. PLEASE increase the distance between USB ports for the future models. I have a lot of problems tryng to connect everything I need.
    Even if I try to open the DVD drive, it will stuck in my USB device. I mean how much difficult is to put a distance of 1 cm between them? 
    If the USB cables are the standard size, there are no problems but most of the USB devices nowadays are much more wider than a standard USB cable and I keep having problems.
    I mean it's a 17" laptop, there is plenty of space on the sides. In the end, it's better to drop the DVD drive and put a VGA slot instead, but with bigger distance between USB ports.
    I am planning to buy another ENVY in the future but I really want my new laptop to have USB ports with a wider distance bewtween them. 
    Thank you very much and I hope HP will take care of this little problem on the future models.
    Have a nice day.
    This question was solved.
    View Solution.

    Hi @catapara89 ,
    Thank you for visiting the HP Support Forums and Welcome. Thanks so much for taking the time to let us know of your suggestions on the USB slots. It is important and has been viewed.
    Have a great week.
    Thanks.
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the bottom to say “Thanks” for helping!

  • Calculating co-ordinate distances between specific atoms

    Hi,
    Below is some code to calculate distances between all pairs of atoms. However, i need to make it slightly more specific by only calculating the distance between certain pairs of atoms
    input
    ATOM 5 CA PHE 1 113.142 75.993 130.862
    ATOM 119 CA LEU 7 113.101 72.808 140.110
    ATOM 138 CA ASP 8 109.508 74.207 140.047
    ATOM 150 CA LYS 9 108.132 70.857 141.312
    ATOM 172 CA LEU 10 110.758 70.962 144.119
    e.g distance between all pairs for atoms 5, 119, 150 and 172 (say), last three columns are x,y and z co-ordinates
    code it self
    import java.util.*;
    import java.io.*;
    public class Distance {
    public static void main(String[] args) {
    System.out.println("***Campbells PDB Distance Calculator***" + "\n");
    new Distance();
    System.out.println("\nResults printed to file DistanceCalculations" + "\n");
    System.out.println("\nDue to nature of code, if rerun results will be appended to the end of previous run.");
    public Distance() {
    Vector atomArray = new Vector();
    String line;
    try{
    System.out.println("Enter PDB file:" + "\n");
    BufferedReader inputReader =new BufferedReader (new InputStreamReader(System.in));
    String fileName = inputReader.readLine();
    if ( fileName !=null) {
    BufferedReader inputDistance = new BufferedReader (new FileReader (fileName));
    while (( line = inputDistance.readLine()) !=null && !line.equals(""))
    Atom atom = new Atom(line);
    atomArray.addElement(atom);
    for (int j=0; j<atomArray.size(); j++) {
    for (int k=j+1; k<atomArray.size(); k++) {
    Atom a = (Atom) atomArray.elementAt(j);
    Atom b = (Atom) atomArray.elementAt(k);
    Atom.printDistance (a,b);
    } //if
    } //try
    catch (IOException e) {
    System.out.println("Input file problem");
    } catch (Exception ex) {
    System.out.println (ex);
    class Atom {
    public double x, y, z;
    public String name;
    public Atom(String s) throws IllegalArgumentException {
    try {
    StringTokenizer t = new StringTokenizer (s, " ");
    t.nextToken();
    this.name = t.nextToken();
    for (int j=0; j<3; j++) t.nextToken();
    this.x = new Double(t.nextToken()).doubleValue();
    this.y = new Double(t.nextToken()).doubleValue();
    this.z = new Double(t.nextToken()).doubleValue();
    catch (Exception ex) {
    throw new IllegalArgumentException ("Problem!!!! :-(");
    public String toString() {
    return "atom : " + name + "(x=" + x + " y=" + y + " z=" + z + ")";
    public double distanceFrom (Atom other) {
    return calculateDistance (x, y, z, other.x, other.y, other.z);
    public static double calculateDistance (double x1, double y1, double z1, double x2, double y2, double z2) {
    return Math.sqrt(Math.sqrt(Math.pow(Math.abs(x1-x2),2)+Math.pow(Math.abs(y1-y2),2))+Math.pow(Math.abs(z1-z2),2));
    public static void printDistance (Atom a, Atom b) {
    try{
    FileWriter fw = new FileWriter("DistanceCalculations", true);
    PrintWriter pw = new PrintWriter (fw, true);
    if
    (a.distanceFrom(b) <9){
    pw.println("Distance between " + a.toString() + " and " + b.toString() + " is " + a.distanceFrom(b));
    pw.flush();
    pw.close();
    } // if??
    } //try loop
    catch(IOException e) {
    System.out.println("System error");
    }

    ok, essentially
    want to calculate distance between to ranges. Say
    range 1 is the first three, range 2 the rest. THen
    calculate distance between all possible pairs between
    these two rangesYes - and no doubt that any number of people here could write it for you. But that's not what the forum is about. So what, exactly, is preventing you from doing it?
    Sylvia.

  • JOptionPane.showConfirmDialog: Tabbing between options creates wrong result

    In JOptionPane.showConfirmDialog, when pressing <tab> to move between options and then pressing <Enter> I always get a returned zero (0) no matter which button is in focus. Is this a (known) bug or am I stupid?
    I run the following code.
    import javax.swing.*;
    public class TabOptions
    public static void main (String [] args)
         int n = JOptionPane.showConfirmDialog (null, "Use <Tab> to shift option-button, then press <Enter>. " +
                             "I'll write the returned value to sdt out.");
         System.out.println ("Returned value: " + n);
    }

    import javax.swing.*;
    class TabOptions
    public static void main (String [] args)
    UIManager.put("Button.defaultButtonFollowsFocus", Boolean.TRUE);//<--------------------
    int n = JOptionPane.showConfirmDialog (null, "Use <Tab> to shift option-button, then press <Enter>. " +
    "I'll write the returned value to sdt out.");
    System.out.println ("Returned value: " + n);
    }

  • What is the maximum distance between a time capsule and an airport express?

    What is the maximum distance between a time capsule and an airport express?

    You can only "extend" the signal one time, so you need to have the AirPort Express located approximately 1/2 to 2/3 of the distance from the Time Capsule to the area that needs more wireless coverage.
    I doubt that this will help much since you have a very challenging setup. Wireless is really only for "same room" or "nearby rooms" around the corner.
    To do this correctly you will need to use an Ethernet cable connection from the Time Capsule to the AirPort Express, which could then be located close to the xBox.
    If it is not possible to run the Ethernet cable, you might look at a pair of Ethernet powerline adapters to send a "psuedo" Ethernet signal over the AC wiring in your home.
    This will not be anywhere near the performance of a regular Ethernet cable, but it will likely be much better than wireless.
    Since Ethernet over powerline (EOP) is somewhat unpredictable, you would want to have a very clear understanding of the store's return policy in case things don't work out as hoped.  Any computer / electronics superstore will have a selection of powerline adapters to choose from.

  • How do I cancel the distance between the numbers? I'm having trouble copy phone numbers from the phone book and send it via SMS This problem I've found in the Arabic language, numbers appear in reverse Please help System 6.0.1

    How do I cancel the distance between the numbers?
    I'm having trouble copy phone numbers from the phone book and send it via SMS
    This problem I've found in the Arabic language, numbers appear in reverse
    Please help
    System 6.0.1

    MPEG-4 should not be used in FCP unless it is converted first or optimized in the application.
    Trash your preferences. Trash your project render files. Switch off background rendering. Do not re-render. Export your projects.
    Ignore the last frame and first frame indicators.

  • Calculate distance between Latitude and Longitude

    Hi All,
    I have one Latitude and Longitude points. I need to calculate distance between them.
    Right now we are using HAVERSINE formula but the query takes longer time to complete.
    Reference: http://www.movable-type.co.uk/scripts/latlong.html
    Please assist on this.
    Thanks in advance.

    Check this link...
    http://www.mrexcel.com/forum/excel-questions/202255-calculating-distance-between-two-latitude-longitude-points.html
    I never did this before, but gave it a try using the formula mentioned in that link..
    Data:
                       Lat                      Long                               R =  6,371 (Radius of earth (approximated)) 
    Origin:        44.844263(B2)      -92.914803(C2) 
    Destination: 44.822075(B3)     -92.912498(C3)
    Formula used:
    A: =SIN(ABS(B3-B2)*PI()/180/2)^2+COS(B2*PI()/180)*COS(B3*PI()/180)*SIN(ABS(C3-C2)*PI()/180/2)^2
    B: =2*ATAN2(SQRT(1-A),SQRT(A))
    C: =R*B                  --->  DISTANCE!!!!
    WITH t AS
            (SELECT POWER (
                       SIN (ABS (44.822075 - 44.844263) * ( (22 / 7) / 180 / 2)),
                       2)
                    + COS (44.844263 * ( (22 / 7) / 180))
                      * COS (44.822075 * ( (22 / 7) / 180))
                      * POWER (
                           SIN (
                              ABS (-92.912498 - (-92.914803))
                              * ( (22 / 7) / 180 / 2)),
                           2)
                       E2
               FROM DUAL)
    SELECT (2 * ATAN2 (SQRT ( (1 - E2)), SQRT (E2))) * 6371
      FROM t;
    Check if this gives correct values... (I did not verify this properly.. ) And this is faster in my opinion..
    Please post your code for better suggestions from volunteers...
    Cheers,
    Manik.

  • Calculating distance between Lat Long points

    I'm wondering if anyone out there has done this before in LabVIEW.  Does anyone have a model of the "Great Circle" calculation?  I have a file of lat/long points that I need to calculate the distance between.  Any help??
    V/r,
    Chris

    I haven't done it in LV, but if you go to Wikipedia and search for Great Circle Distance you'll find the formual and an example.

Maybe you are looking for

  • I cant seem to clear gmail log in password. it keep remembering them

    I did the "show history" and "clear recent history " with EVERYTHING marked including active log in. But Gmail keeps remembering my log in and password. As this is a shared notebook, I don't want that to happen.

  • Adobe Pro 9 Printing Problems

    I am using Vista Business, and Adobe Pro 9. Many times, when I try to print to PDF (usually lots of graphics) I get the following error message: Unable to find "PDF Resource" files C:\Users\UserK\Appdata\Roaming\Adobe\AdobePDF\Settings\%@![email prot

  • How do I create a custom page set up

    How do I create a custom page set up

  • GridBagLayout Question???

    I am new to Java and I am trying to create a window with the fhe fields starting at gridx=0 and gridy=0 but I get the fields centered in the middle of the window. Is there a problem with my code???? Thanks Ralph import javax.swing.*; import java.awt.

  • HELP Macbook heats up!!

    Hi so after my Macbook has been on about 10 min the bottom of it heats up to the point I can't rest it on my lap without a blanket or pillow covering my legs.... It's a late 2008 macbook, I got it in december for x-mas.. any advice? Should I take it