Help on standard deviation please

I am writing a program to find standard deviation. Below is what I have so far "not much I know" but I have tried so don't get flame happy. It errors out and I have tried to fix it. I know the formula for standard deviaition but I can't seem to program it right. I also need to program the code to have three methods the main, an Average method, and a standard deviation method. I know how to make a method but I am having trouble on how to call them. Any help would be appreciated. I am not asking anyone to do my work for me just give me some tips. I would rather take a 0 on the assignement and learn later than turn in someone else's work becaue I will never pass my final if I do that.
import java.text.*;
import javax.swing.*;
class StandardDeviation{
     public static void main(String [] args){
     DecimalFormat df = new DecimalFormat("0.00");
     //Average Code Segment
          double [] values = {10,20,30,4,2}; //Assigns numbers to values
          double valueAverage,square, sum = 0;
          for(int i = 0; i < values.length; i ++){
               sum += values;
          valueAverage = sum / 5; //Computes Average
          System.out.println("Average is: " +valueAverage); //Displays average of values to test to see if it worked     
//Deviation Code Segment
for (int i = 0; i < values.length; ++i)
double diff = values - valueAverage;
sum+= diff*diff;
System.out.println(+ Math.sqrt(sum/(values.length - 1))); // here I was trying to test to see if my formula worked          
I get the following error
java:20: operator - cannot be applied to double[],double
double diff = values - valueAverage;

Okay this code works. Duffymo can you give me some pointers of writing this code using multiple methods? I can write the methods. I just have a hard time grasping the concept of calling them. I have had a hard time learning this in java. I also looked at some of your past posts on Standard Deviation I see what you are saying about the multiple methods. I know that I need a main method that would probably include the values. Then I would have a average method which would call the values to compute the average. Then I would have the StdDev method to compute the Standard deviation method. Any tips on where to begin on this?
mport java.text.*;
import javax.swing.*;
class StandardDeviation{
     public static void main(String [] args){
     DecimalFormat df = new DecimalFormat("0.00");
     //Average Code Segment
          double [] values = {10,20,30,4,2}; //Assigns numbers to values
          double valueAverage,square, sum = 0;
          for(int i = 0; i < values.length; i ++){
               sum += values;
          valueAverage = sum / 5; //Computes Average
          System.out.println("Average is: " +valueAverage); //Displays average of values     
          //return valueAverage;
     //Deviation Code Segment
for (int i = 0; i < values.length; ++i)
double diff = values[i]- valueAverage;
sum+= diff*diff;
System.out.println("The Standard deviation is: "+ df.format(Math.sqrt(sum/(values.length - 1))));

Similar Messages

  • Help with standard deviation assignment

    I am having trouble with the std deviation portion of one of my assignments. Plus, only 5 test scored will print, not all 6. Could you please take a look and see what I am doing wrong? Is there a way to add the find the std dev. and mean for each semester?
    ----------------------Start Code------------------------------
    public class Main {
        int grades[][]={{15,20,15,20,15,20},
        {14,21,14,21,14,21},{13,22,13,22,13},
        {14,21,14,21,14,21},{15,20,15,20,15}};
        int students, tests;
        String output;
        /** Creates a new instance of Main */
        public Main() {
         * @param args the command line arguments
        public static void main(String[] args) {
            Main m = new Main();
            m.students = m.grades.length;
            m.tests = m.grades[0].length;
            m.output = "The scores are:\n";
            m.buildString();
            m.output += "\nMean:       " + m.mean();
    // +                "\nStd Dev:   " + m.StdDev() + "\n";
            System.out.print(m.output);
        public String mean(){
            double mean = 0;
            String outputMean = "";
            for (int column = 0; column < students; column++){
            int sumOfGrades = 0;
                for (int row = 0; row < students; row++){
                    sumOfGrades += grades[row][column];
                mean = sumOfGrades/students;
                outputMean += mean + "   ";
            return outputMean;
    //    public double StdDev(){
    //        Main m = new Main();
    //        int sumOfGrades = 0;
    //        double StdDev = 0;
    //        for (int column = 0; column < students; column++){
    //            for (int row = 0; row < students; row++){
    //                sumOfGrades += Math.pow((grades[row][column]-mean()), 2);
    //            StdDev = Math.sqrt(mean/students) + "   ";
    //        return StdDev;
        public void buildString(){
            output += "           |       Fall        |       Spring       |\n";
            output += "           ";
            for (int counter = 0; counter < tests; counter++)
                output += "Test " + (counter + 1) + " ";
            for (int row = 0; row < students; row++){
                output += "\nStudent(" + (row + 1)  + ")   ";
                for (int column = 0; column < tests -1; column++)
                    output += grades[row][column] + "     ";
    ----------------------end code-----------------------------
    ------------------ Displays----------------
    The scores are:
               |       Fall        |       Spring       |
               Test 1 Test 2 Test 3 Test 4 Test 5 Test 6
    Student(1)   15     20     15     20     15    
    Student(2)   14     21     14     21     14    
    Student(3)   13     22     13     22     13    
    Student(4)   14     21     14     21     14    
    Student(5)   15     20     15     20     15    
    Mean:       14.0   20.0   14.0   20.0   14.0 
    -----------------end displays----------------

    What I was thinking was that mean() would be a lot more useful if
    (1) you passed it an argument saying what test you were interested in. This would
    take the place of "column" in your code.
    (2) it returned a double value which was the mean of the given test. The snippet you
    posted is OK, except that it should return a double not an int. Ie it should look like:    /** Returns the mean for a given test. */
    public double mean(int column) {
        double mean = 0.0;
        // do calculation
        return mean;
    }Of course if you do this you will have to change how mean() is used from within main().
    Instead of a simple "m.output += "\nMean: " + m.mean();" you will need a loop:    // start the string
    m.output += "\nMean:  ";
    for(int ndx = 0; ndx < tests; ++ndx) {
            // append each mean
        m.output += "  " + mean(ndx);
    }The standard deviation method will be very similar to the mean() one, and
    used in a similar way:    /** Returns the sd for a given test. */
    public double mean(int column) {
        double sd = 0.0;
        // do calculation based on what was posted,
        // or what you have been told to do.
        return sd;
    }

  • I need to chart a standard deviation of a moving average in Numbers

    In order to complete my statistical analysis of a large ammount of performance data- I was to graph a +/- 2 standard deviation of a moving average AS A SHADED region on my charts.  I tried to do this today for Four hours.  HELP!  PLEASE and thank you SO Much! 

    You stated:
    I have the above charted with the $ values of gains
    BUT IT LOOKS LIKE THIS. "
    implying it is not correct.  Since I don't understand what you are trying to do in general terms I don't know what the problem is.
    Can you post some of the data (at least the set you are showing) so we have something to work with?
    I made a graph like this:
    But since I don't really understand what you want I don't know if this is correct or not.
    Wayne

  • Standard deviation in abap

    Dear Freinds,
    I want to calculate standard deviation of my internal table columns  in abap code , please help me how to calculate it  .
    Thanks,
    Naveen

    hi,
    try this code for calculating it:-
    REPORT abc.
    DATA : BEGIN OF itab OCCURS 0,
    num TYPE i,
    END OF itab.
    data : std type p decimals 2.
    itab-num = 8. APPEND itab.
    itab-num = 25. APPEND itab.
    itab-num = 7. APPEND itab.
    itab-num = 5. APPEND itab.
    itab-num = 8. APPEND itab.
    itab-num = 3. APPEND itab.
    itab-num = 10. APPEND itab.
    itab-num = 12. APPEND itab.
    itab-num = 9. APPEND itab.
    PERFORM stdev changing std..
    write :/ std.
    FORM stdev CHANGING std.
    DATA : mn TYPE p DECIMALS 2.
    DATA : sm TYPE i.
    DATA : sm2 TYPE i.
    DATA : dev TYPE p DECIMALS 2.
    DATA : cnt TYPE i.
    LOOP AT itab.
    sm = sm + itab-num.
    cnt = cnt + 1.
    sm2 = sm2 + ( itab-num * itab-num ).
    ENDLOOP.
    mn = sm / cnt.
    dev = ( sm2 - ( ( ( sm * sm ) / cnt ) ) ) / ( cnt - 1 ) .
    dev = SQRT( dev ).
    std = dev.
    ENDFORM. "stdev
    Edited by: ricx .s on May 2, 2009 1:50 PM
    Edited by: ricx .s on May 2, 2009 1:51 PM

  • Display of standard deviation in graphs

    Hello,
    I am trying desperately to find out how to present standard deviation within adobe illustrator generated graphs. Can anyone please help me with this problem?
    p.s
    I am using adobe-illustrator CS2 and winXP
    tnx

    Dear lwo,
    You can add two more channels.
    One with mittelwert+standardabweichung/2
    and one with mittelwert-standardabweichung/2 .
    Then configure them to show only symbols and no line.
    Color them red and choose a cross as symbol.
    Be sure, the mittelwert channel is the first one in the array,
    or the bars will hide the crosses.
    Best regards,
    Stefan Heinzl
    Message Edited by Stefan Heinzl on 03-09-2009 09:56 AM
    Attachments:
    Block Diagram.jpg ‏17 KB
    Front Panel.jpg ‏40 KB

  • Standard Deviation In Oracle

    Hi,
    I have a set of values with me which is retrieved using a query.
    I have to calculate mean,median and standard deviation of these values.
    Please help me how to implement this in the query.
    How do I find standard deviation with these values?
    Thanks
    Priya

    How do I find standard deviation with these values?read about STDDEV in the documentation
    oops, ... way too late

  • Standard Deviation and Variance

    Hi All,
    i have to calculate  the standard deviation and variance for two quantities:
    Actual and Forecasted (for each of them)
    say : actual       forecasted              Variance           Standard Deviation
              3                  18                        
              5                   6   
              3                   5
    How do i do that?
    Please help me....This is urgent....
    Thanks

    Hi,
    Not sure i understand your question, but if you want to caculcate the percentage deviation of actual from forecasted you'll need to craete a formula in your sturcture and assign it the following calculation:
    <actual> % <forecasted> (The operand to use is "Percentage Deviation" and it is located in the Percentage functions)
    Calculation of Standard deviation and variance is logical for all values of forecasted and for all values of actual but not for single values.
    Hope it helps (if so, please assign points),
    Gili

  • F4 HELP for standard field..

    i want to put F4 help for standard field FERTH in mm01 and mm02 ...
    is there any way to put F4 help for this field..

    try this
    1. First go to SE11 and create your own search help( if you dont know how to create a search help please feel free to ask me, it is very easy).
    2. Now in your module pool program program go to the layout of your screen.
    3. Now when you see the attributes of this field in the Dict tab you will find the field Search Help. Now here you can specify the name of the search help you created in SE11.
    There is also another mehtod to create the dynamic search help. eg:- in a posted document data get the Document nos related to that company code.
    The sample code is like this:-
    First of all declare the module below in the flow logic of your screen then create it in your main program.
    You declare the module in the PROCESS ON VALUE-REQUEST.
    PROCESS ON VALUE-REQUEST.
    FIELD TXT_DOCNO MODULE VALUE_BELNR.
    You also need to create an internal table where you wil store results of the select query fired below in the module.
    here you will get a F4 help on the filed Document Number(TXT_DOCNO) based on the field Company code (TXT_CODCO)
    MODULE VALUE_BELNR INPUT.
    progname = sy-repid.
    dynnum = sy-dynnr.
    CLEAR: field_value, dynpro_values.
    field_value-fieldname = 'TXT_CODCO'.
    APPEND field_value TO dynpro_values.
    CALL FUNCTION 'F4IF_FIELD_VALUE_REQUEST'
    EXPORTING
    tabname = 'BKPF'
    fieldname = 'BUKRS'
    dynpprog = progname
    dynpnr = dynnum
    dynprofield = 'TXT_CODCO'.
    CALL FUNCTION 'DYNP_VALUES_READ'
    EXPORTING
    dyname = progname
    dynumb = dynnum
    translate_to_upper = 'X'
    TABLES
    dynpfields = dynpro_values.
    READ TABLE dynpro_values INDEX 1 INTO field_value.
    SELECT BUKRS BELNR
    FROM BKPF
    INTO CORRESPONDING FIELDS OF TABLE it_doc1
    WHERE BUKRS = field_value-fieldvalue.
    CALL FUNCTION 'F4IF_INT_TABLE_VALUE_REQUEST'
    EXPORTING
    retfield = 'BELNR'
    dynpprog = progname
    dynpnr = dynnum
    dynprofield = 'TXT_BELNR'
    value_org = 'S'
    TABLES
    value_tab = it_doc1.
    ENDMODULE. " VALUE_BELNR INPUT

  • Need some help in creating Search Help for standard screen/field

    I need some help in adding a search-help to a standard screen-field.
    Transaction Code - PP01,
    Plan Version - Current Plan (PLVAR = '01'),
    Object Type - Position ( OTYPE = 'S'),
    Click on Infotype Name - Object ( Infotype 1000) and Create.
    I need to add search help to fields Object Abbr (P1000-SHORT) / Object Name (P1000-STEXT).
    I want to create one custom table with fields, Position Abb, Position Name, Job. Position Abb should be Primary Key. And when object type is Position (S), I should be able to press F4 for Object Abb/Object Name fields and should return Position Abbr and Position Name.
    I specify again, I have to add a new search help to standard screen/field and not to enhance it.
    This is HR specific transaction. If someone has done similar thing with some other transation, please let me know.
    There is no existing search help for these fields. If sm1 ever tried or has an idea how to add new search help to a standard screen/field.
    It's urgent.
    Thanks in advace. Suitable answers will be rewarded

    Hi Pradeep,
    Please have a look into the below site which might be useful
    Enhancing a Standard Search Help
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/daeda0d7-0701-0010-8caa-
    edc983384237
    http://help.sap.com/saphelp_nw04/helpdata/en/cf/21ee93446011d189700000e8322d00/frameset.htm
    A search help exit is a function module for making the input help process described by the search help more flexible than possible with the standard version.
    This function module must have the same interface as function module F4IF_SHLP_EXIT_EXAMPLE. The search help exit may also have further optional parameters (in particular any EXPORTING parameters).
    A search help exit is called at certain timepoints in the input help process.
    Note: The source text and long documentation of the above-specified function module (including the long documentation about the parameters) contain information about using search help exits.
    Function modules are provided in the function library for operations that are frequently executed in search help exits. The names of these function modules begin with the prefix F4UT_. These function modules can either be used directly as search help exits or used within other search help exits. You can find precise instructions for use in the long documentation for the corresponding function module.
    During the input help process, a number of timepoints are defined that each define the beginning of an important operation of the input help process.
    If the input help process is defined with a search help having a search help exit, this search help exit is called at each of these timepoints. If required, the search help exit can also influence the process and even determine that the process should be continued at a different timepoint.
    timepoints
    The following timepoints are defined:
    1. SELONE
    Call before selecting an elementary search help. The possible elementary search helps are already in SHLP_TAB. This timepoint can be used in a search help exit of a collective search help to restrict the selection possibilities for the elementary search helps.
    Entries that are deleted from SHLP_TAB in this step are not offered in the elementary search help selection. If there is only one entry remaining in SHLP_TAB, the dialog box for selecting elementary search helps is skipped. You may not change the next timepoint.
    The timepoint is not accessed again if another elementary search help is to be selected during the dialog.
    2. PRESEL1
    After selecting an elementary search help. Table INTERFACE has not yet been copied to table SELOPT at this timepoint in the definition of the search help (type SHLP_DESCR_T). This means that you can still influence the attachment of the search help to the screen here. (Table INTERFACE contains the information about how the search help parameters are related to the screen fields).
    3. PRESEL
    Before sending the dialog box for restricting values. This timepoint is suitable for predefining the value restriction or for completely suppressing or copying the dialog.
    4. SELECT
    Before selecting the values. If you do not want the default selection, you should copy this timepoint with a search help exit. DISP should be set as the next timepoint.
    5. DISP
    Before displaying the hit list. This timepoint is suitable for restricting the values to be displayed, e.g. depending on authorizations.
    6. RETURN (usually as return value for the next timepoint)
    The RETURN timepoint should be returned as the next step if a single hit was selected in a search help exit.
    It can make sense to change the F4 flow at this timepoint if control of the process sequence of the Transaction should depend on the selected value (typical example: setting SET/GET parameters). However, you should note that the process will then depend on whether a value was entered manually or with an input help.
    7. RETTOP
    You only go to this timepoint if the input help is controlled by a collective search help. It directly follows the timepoint RETURN. The search help exit of the collective search help, however, is called at timepoint RETTOP.
    8. EXIT (only for return as next timepoint)
    The EXIT timepoint should be returned as the next step if the user had the opportunity to terminate the dialog within the search help exit.
    9. CREATE
    The CREATE timepoint is only accessed if the user selects the function "Create new values". This function is only available if field CUSTTAB of the control string CALLCONTROL was given a value not equal to SPACE earlier on.
    The name of the (customizing) table to be maintained is normally entered there. The next step returned after CREATE should be SELECT so that the newly entered value can be selected and then displayed.
    10. APP1, APP2, APP3
    If further pushbuttons are introduced in the hit list with function module F4UT_LIST_EXIT, these timepoints are introduced. They are accessed when the user presses the corresponding pushbutton.
    Note: If the F4 help is controlled by a collective search help, the search help exit of the collective search help is called at timepoints SELONE and RETTOP. (RETTOP only if the user selects a value.) At all other timepoints the search help exit of the selected elementary search help is called.
    If the F4 help is controlled by an elementary search help, timepoint RETTOP is not executed. The search help exit of the elementary search help is called at timepoint SELONE (at the
    F4IF_SHLP_EXIT_EXAMPLE
    This module has been created as an example for the interface and design of Search help exits in Search help.
    All the interface parameters defined here are mandatory for a function module to be used as a search help exit, because the calling program does not know which parameters are actually used internally.
    A search help exit is called repeatedly in connection with several
    events during the F4 process. The relevant step of the process is passed on in the CALLCONTROL step. If the module is intended to perform only a few modifications before the step, CALLCONTROL-STEP should remain unchanged.
    However, if the step is performed completely by the module, the following step must be returned in CALLCONTROL-STEP.
    The module must react with an immediate EXIT to all steps that it does not know or does not want to handle.
    Hope this info will help you.
    ***Reward points if found useful
    Regards,
    Naresh

  • How to get F4 help for Standard Text Key of a operation based on Order type

    Hi Experts,
      How to get F4 help for Standard Text Key (STK) of a operation based on Order type entered in selection screen. The F4 help should give the STK of related order type. At the same time the F4 help for Task Types based on Notification type. How to acheive the above two. Please provide the table names or any search help name if exists or Function modules...
    Thanks in Advance.
    Regads,
    Bujji

    Hi Guys,
       Any help on this...
    Regards,
    Bujji
    Edited by: Bujji on Dec 22, 2008 12:42 PM
    Edited by: Bujji on Jan 5, 2009 2:00 PM

  • How to calculate standard deviation of a certain number of points?

    Hi, I have an application that I acquire force signals and pu then on a array.
    I need to calculate the standard deviation and the mean each a certain number of points, 1000 for example.
    I'm having problems with this, if you can help me I'd be thankful.
    Thanks
    Douglas
    Solved!
    Go to Solution.

    So you need something like this?
    There are only two ways to tell somebody thanks: Kudos and Marked Solutions
    Unofficial Forum Rules and Guidelines
    Attachments:
    Std_Deviation.png ‏12 KB

  • Standard deviation in graph (bar chart)

    Dear Community,
    I am looking for a solution for my measurement analysis software, programmed in LabVIEW 8.5:
    I have an array (1D, double) with some data. This data is shown in an graph as a bar chart (attachment 1 & 2).
    Aditionally, there is an other array (also 1D, double) with the standard deviation of my data in the upper array (both calculated via standard deviation and variance VI)
    How can I integrate this standard deviation in my graph to be shown as (colored) error bars (attachment 3)
    Thanks for your help!
    Best regards,
    Iwo
    Attachments:
    Graph_in_vi.jpg ‏38 KB
    Bar_chart_without_std_dev.jpg ‏853 KB
    Bar_chart_std_dev.jpg ‏54 KB

    Dear lwo,
    You can add two more channels.
    One with mittelwert+standardabweichung/2
    and one with mittelwert-standardabweichung/2 .
    Then configure them to show only symbols and no line.
    Color them red and choose a cross as symbol.
    Be sure, the mittelwert channel is the first one in the array,
    or the bars will hide the crosses.
    Best regards,
    Stefan Heinzl
    Message Edited by Stefan Heinzl on 03-09-2009 09:56 AM
    Attachments:
    Block Diagram.jpg ‏17 KB
    Front Panel.jpg ‏40 KB

  • Standard Deviation

    I was wondering how you get the standard deviation to show up on the graph. I know where the button is to activate the standard deviation for a simple bar chart, however it doesn't show the actual deviation, it gave me uniform for each bar in the chart. How can I fix this? Also I know that the standard deviation isn't the same because I have seen what the chart I am making is supposed to look like.

    cgord wrote:
    ... I know that the standard deviation isn't the same because I have seen what the chart I am making is supposed to look like.
    cgord,
    The problem is that Numbers doesn't know what your chart is supposed to look like. It's doing the best it can. There is no such thing as a standard deviation for a single point. Numbers considers that your series is a data set and calculates a mean and standard deviation for the set. It then applies this mean and deviation to the error bars, in a proper way, the same for each member of the set.
    If your data set is actually a collection of dataset averages, each with a standard deviation of its own, then it might be appropriate to show each bar with it's own custom error bar, calculated elsewhere.
    To make this work, you would display each bar's corresponding StdDev in the same row as the mean you are charting and then you would indicate to Numbers which column this custom error bar data is located.
    Hope this helps.
    Jerry

  • Making a Bell Curve in Numbers or MS Office for MAC: I already have mean and standard deviation

    I hope my question is a simple one with a simple answer: I have the results of a mid-term and the professor gave us the mean and standard deviation of the results of the exam from which he based our grades. I am a visual person and (to be honest) without having to put forth a lot of effort, I would like to see visually where I fall on this, admittedly, artificial curve. I have both Numbers and MS Office on my MacBook Pro. Is there an easy way to create a bell curve using these numbers? It seems like there should be since those are usually the only numbers needed. I just, honestly, don't want to do the tedious work myself.

    Statistical functions including several which deal with normal distribution, are discussed in Chapter 10, Statistical Functions, of the iWork Formulas and Functions User Guide. This useful guide may be downloaded via the Help menu in Numbers '09. Go to chapter 10, or for a direct route, search 'normal distribution'
    For what it's worth, you can find the formula  for calculating the coordinates for the bell curve here: The-Normal-Distribution-Or-Bell-Curve
    Regards,
    Barry

  • Curve fitting: Taking standard deviation into account

    Hi,
    Using LabView and Curvefitting. Following situation:
    I have 15points including their standard deviation. I also have set up my curvefitting with my individual gaussian fitting. Basically the fitting looks good.
    But how can i tell labview to take care about my already calculated standard deviation.
    I always compare it with my OriginPro fitting (same gaussian equation). If I only take my data X and Y I get the same results.
    But when I also indicate my standard deviation (in Origin), meaning X, Y and +-Y I get a more realistic result.
    And that is what I would like to do with LabView aswell but there is no possibility to take my +-Y in account, isn't it?
    (And no, the Origin VIs for LabView do not offer me this aswell. At least I don't see it )
    Anyone a hint?
    Thanks in advance
    Solved!
    Go to Solution.

    altenbach wrote:
    What is the "CurveFitting SubVi"?
    sorry, meaning CurveFitting Express.vi
    I have an equation like: a+b*10^(-c*(x-x0)^2)
    a, b are offsets. x0 is the center of my gaussian curve. and i'm interested in c which describes the width of the gaussian function.
    please have a look to the attached file:
    - the red dots are mmy data plus the standard deviation (white dots)
    - the green fitting curve is labview using the CurveFittingExpress
    - the yellow fitting curve is using LabView Non-Linear Fitting with weigthing
    - the blue fitting curve is the output I get using OriginPro. As you could see Origin is the only one taking care about the points at the edge (fitting inside the standard deviation)
    that means in terms of c:
    labview: 0.089
    origin: 0.053
    x0 is kinda similar. a,b, are different.
    that's it.
    Attachments:
    Capture.PNG ‏58 KB

Maybe you are looking for

  • How do I get back the firefox page that has the connection to gmail, not just the search engine?

    When I open fire fox I get a page that says it is 'my web search'. There is no way to connect to g mail on that page. Previously, the page did searching and had a connection to g mail. I miss it. How do I get it back?

  • Hebrew Characters...Chars display as junk after import from 8i to 10g

    Gurus, I have a problem with a customer upgrade... Background of the issue... the customer is an Agile PLM customer of version 8.5 (Agile PLM version 8.5). The database was hosted on oracle 8i. He is intending to upgrade from Agile 8.5 to Agile 9.2.2

  • Transporting authorization object (RSSM)

    Hi, I am having problem transporting my BW Custom authorization object over to the Quality system. I have successfully transported the table contents RSSTOBJDIR to the Quality system. However, when I search for the authorization object in RSSM in Qua

  • How do I back up media on my iPhone 3G?

    Apologies if this is too obvious. Up until now I've never used iTunes to sync my music with my iPhone. My mac doesn't have a lot of spare HD space, so I didn't want to use up 10-15GB in duplicated data. Right now I've realised (like everyone else) th

  • Verified Account

    I posted a problem in the Forums yesterday. In response to my problem, the support person asked me to create a zip file of my computer logs (10 Mbytes), and send him a link so he could download the files and analyze them. I pasted the link in my repl