Format Infinity error

package pfe;
Hi,
I am asking to write a class to perturb numerical data. To do that, I used the JAMA package ( http://math.nist.gov/javanumerics/jama/ ), the BLOG engine ( http://people.csail.mit.edu/milch/blog/index.html ), the class Covariance of the package "org.apache.commons.math" ( http://commons.apache.org/math/apidocs/org/apache/commons/math/stat/correlation/Covariance.html ) and the class StatUtils ( http://math.nist.gov/javanumerics/jama/doc/ )
When executing my program, I had an Infinity error ! Here is my code:
import java.io.BufferedReader;
import java.io.FileReader;
import java.io.IOException;
import java.text.DecimalFormat;
import Jama.Matrix;
import Jama.CholeskyDecomposition;
import blog.distrib.MultivarGaussian;
import org.apache.commons.math.stat.StatUtils;
import org.apache.commons.math.stat.correlation.Covariance;
public class GADP_Test {
//The perturbation level.
static public double d = 0;
//n_X is the number of confidential attributes.
static public int n_X() {
return nX;
//n_X is the number of non-confidential attributes.
static public int n_S() {
return nS;
//n_X is the number of all (confidential and non-confidential) attributes.
static public int n_U() {
return nX + nS;
static public Matrix U;
static public Matrix mu_U;
//The covariance matrix sigma_UU.
static public Matrix sigma_UU; // = new Matrix(_sigma_UU);
//The database rows to be perturbed C_U.
static public Matrix C_U;
//The perturbed vector Y.
static public Matrix Y;
public GADP_Test(Matrix cu,double x) {
GADP_Test.C_U = cu;
GADP_Test.d=x;
static public void GADP_perturbData(Matrix U, double d, Matrix mu, Matrix sigma) {
if (mu == null) {
mu = mu_U;
if (sigma == null) {
sigma = sigma_UU;
Matrix X = U.getMatrix(0, 0, 0, n_X() - 1);
Matrix S = U.getMatrix(0, 0, n_X(), n_U() - 1);
Matrix sigma_XX = sigma.getMatrix(0, n_X() - 1, 0, n_X() - 1);
Matrix sigma_YY = sigma_XX;
Matrix sigma_SX = sigma.getMatrix(n_X(), n_U() - 1, 0, n_X() - 1);
Matrix sigma_SY = sigma_SX;
Matrix sigma_XS = sigma_SX.transpose();
Matrix sigma_YS = sigma_XS;
Matrix sigma_YX = sigma_XX.timesEquals(d); // sigma_YX = d * sigma_XX
Matrix sigma_XY = sigma_YX.transpose();
Matrix sigma_YU = concat(sigmaYX, sigma_YS);
Matrix sigma_UY = sigma_YU.transpose();
mu = mu.transpose();     // make it a row vector
Matrix mu_X = mu.getMatrix(0, n_X() - 1, 0, 0);
// sigma_YU . (sigma_UU)^-1
Matrix sigma_YU_UU_inv = sigma_YU.times(sigma_UU.inverse());
// Loop computing the perturbations of the C_n's (eqs. 11 & 12):
for (int n = 0; n < C_U.getRowDimension(); n++) {
Matrix C_n = C_U.getMatrix(n, n, 0, C_U.getColumnDimension() - 1);
println("Original data: C_" + n + " = ");
C_n.print(_format, _width);
Matrix E_Y_C_n = mu_X.plus(sigma_YU_UU_inv.times(C_n.minus(mu_U).transpose()));
Matrix S_Y_C_n = sigma_YY.minus(sigma_YU_UU_inv.times(sigma_UY));
Matrix Y_norm = Matrix.random(n_X(), 1);
println("Y_norm" + n + " = ");
Y_norm.print(_format, _width);
Matrix chol = new CholeskyDecomposition(S_Y_C_n).getL();
println("chol" + n + " = ");
chol.print(_format, _width);
Y = E_Y_C_n.plus(chol.transpose().times(Y_norm)).transpose();
println("Perturbed data: Y" + n + " = ");
Y.print(_format, _width);
double[][] ff=Y.getArray();
System.out.println(ff[0][0]);
static private double[] muU;
static private double[][] sigmaUU;
//n_X is the number of confidential attributes (the dimension of the vector X).
static private int nX = 3;
//n_S is the number of non-confidential attributes (the dimension of the vector S).
static private int nS = 2;
//This takes two matrices with equal number of rows and returns the matrix obtained by juxtaposing the 1st and the 2nd.
static private Matrix _concat(Matrix A, Matrix B) {
double[][] a = A.getArray();
double[][] b = B.getArray();
int n = A.getRowDimension();
int m1 = A.getColumnDimension();
int m2 = B.getColumnDimension();
double[][] c = new double[n][m1 + m2];
for (int i = 0; i < n; i++) {
for (int j = 0; j < m1 + m2; j++) {
c[i][j] = j < m1 ? a[i][j] : b[i][j - m1];
return new Matrix(c);
//A method to initialize the printing format parameters.
static private void _initializePrinting(int width, int decimals) {
_width = width;
_decimals = decimals;
_format.setMaximumFractionDigits(decimals);
_format.setMinimumFractionDigits(decimals);
_format.setGroupingUsed(false);
//Width for printing a matrix entry as a double.
static private int _width = 6;
//Number of decimals for printing a matrix entry as a double.
static private int _decimals = 2;
//A DecimalFormat object for formatting the printing of a double.
static private DecimalFormat _format = new DecimalFormat();
//Shorten spelling of print(String).
private static void print(String s) {
System.out.print(s);
//Shorten spelling of println(String).
private static void println(String s) {
System.out.println(s);
//Shorten spelling of println().
private static void println() {
System.out.println();
public void calculateMean() {
double[][] tab = C_U.getArray();
double[] col = new double[tab.length];
double[] lig = new double[tab[0].length];
for (int j = 0; j < tab[0].length; j++) {
for (int i = 0; i < tab.length; i++) {
col[i] = tab[i][j];
lig[j] = StatUtils.mean(col);
double[][] matrix = new double[1][lig.length];
for (int i = 0; i < lig.length; i++) {
matrix[0] = lig[i];
mu_U = new Matrix(matrix);
mu_U.print(_format,_width);
public void calculateCovariance(){
Covariance cov = new Covariance(C_U.getArray());
double[][] reslt = cov.getCovarianceMatrix().getData();
sigma_UU = new Matrix(reslt);
sigma_UU.print(_format,_width);
public void result(){
     _initializePrinting(7,2);
C_U.print(_format,_width);
     GADP_perturbData(mu_U,d,mu_U,sigma_UU);
public static double getD() {
return d;
public static void setD(double d) {
GADP_Test.d = d;
I think the problem comes from the CholeskyDecomposition but I am not sure...
Thank you for your help !

Here is my code again, indented :-)
import java.io.BufferedReader;
import java.io.FileReader;
import java.io.IOException;
import java.text.DecimalFormat;
import Jama.Matrix;
import Jama.CholeskyDecomposition;
import blog.distrib.MultivarGaussian;
import org.apache.commons.math.stat.StatUtils;
import org.apache.commons.math.stat.correlation.Covariance;
public class GADP_Test {
//The perturbation level.
    static public double d = 0;
//n_X is the number of confidential attributes.
    static public int n_X() {
        return _n_X;
//n_X is the number of non-confidential attributes.
    static public int n_S() {
        return _n_S;
//n_X is the number of all (confidential and non-confidential) attributes.
    static public int n_U() {
        return _n_X + _n_S;
//U is the vector of all (confidential and non-confidential) attributes. It is the concatenation of X, the vector of confidential attributes, and S, the vector of non-confidential attributes
    static public Matrix U;
//The mean vector mu_U.
    static public Matrix mu_U;    // = new Matrix(_mu_U);
//The covariance matrix sigma_UU.
    static public Matrix sigma_UU; // = new Matrix(_sigma_UU);
//The database rows to be perturbed C_U.
    static public Matrix C_U;
//The perturbed vector Y.
    static public Matrix Y;
    public GADP_Test(Matrix cu,double x) {
        GADP_Test.C_U = cu;
        GADP_Test.d=x;
    static public void GADP_perturbData(Matrix U, double d, Matrix mu, Matrix sigma) {
        if (mu == null) {
            mu = mu_U;
        if (sigma == null) {
            sigma = sigma_UU;
        Matrix X = U.getMatrix(0, 0, 0, n_X() - 1);
        Matrix S = U.getMatrix(0, 0, n_X(), n_U() - 1);
        Matrix sigma_YY = sigma_XX;
        Matrix sigma_SX = sigma.getMatrix(n_X(), n_U() - 1, 0, n_X() - 1);
        Matrix sigma_SY = sigma_SX;
        Matrix sigma_XS = sigma_SX.transpose();
        Matrix sigma_YS = sigma_XS;
        Matrix sigma_YX = sigma_XX.timesEquals(d); // sigma_YX = d * sigma_XX
        Matrix sigma_XY = sigma_YX.transpose();
        Matrix sigma_YU = _concat(sigma_YX, sigma_YS);
        Matrix sigma_UY = sigma_YU.transpose();
        mu = mu.transpose();     // make it a row vector
        Matrix mu_X = mu.getMatrix(0, n_X() - 1, 0, 0);
        Matrix sigma_YU_UU_inv = sigma_YU.times(sigma_UU.inverse());
        // Loop computing the perturbations of the C_n's (eqs. 11 & 12):
        for (int n = 0; n < C_U.getRowDimension(); n++) {
            Matrix C_n = C_U.getMatrix(n, n, 0, C_U.getColumnDimension() - 1);
            println("Original data: C_" + n + " = ");
            C_n.print(_format, _width);
            Matrix E_Y_C_n = mu_X.plus(sigma_YU_UU_inv.times(C_n.minus(mu_U).transpose()));
            Matrix S_Y_C_n = sigma_YY.minus(sigma_YU_UU_inv.times(sigma_UY));
            Matrix Y_norm = Matrix.random(n_X(), 1);
            println("Y_norm" + n + " = ");
            Y_norm.print(_format, _width);
            Matrix chol = new CholeskyDecomposition(S_Y_C_n).getL();
            println("chol" + n + " = ");
            chol.print(_format, _width);
            Y = E_Y_C_n.plus(chol.transpose().times(Y_norm)).transpose();
            println("Perturbed data: Y" + n + " = ");
            Y.print(_format, _width);
    static private double[] _mu_U;
    static private double[][] _sigma_UU;
//n_X is the number of confidential attributes (the dimension of the vector X).
    static private int _n_X = 3;
//n_S is the number of non-confidential attributes (the dimension of the vector S).
    static private int _n_S = 2;
//This takes two matrices with equal number of rows and returns the matrix obtained by juxtaposing the 1st and the 2nd.
    static private Matrix _concat(Matrix A, Matrix B) {
        double[][] a = A.getArray();
        double[][] b = B.getArray();
        int n = A.getRowDimension();
        int m1 = A.getColumnDimension();
        int m2 = B.getColumnDimension();
        double[][] c = new double[n][m1 + m2];
        for (int i = 0; i < n; i++) {
            for (int j = 0; j < m1 + m2; j++) {
                c[i][j] = j < m1 ? a[i][j] : b[i][j - m1];
        return new Matrix(c);
//A method to initialize the printing format parameters.
    static private void _initializePrinting(int width, int decimals) {
        _width = width;
        _decimals = decimals;
        _format.setMaximumFractionDigits(decimals);
        _format.setMinimumFractionDigits(decimals);
        _format.setGroupingUsed(false);
//Width for printing a matrix entry as a double.
    static private int _width = 6;
//Number of decimals for printing a matrix entry as a double.
    static private int _decimals = 2;
//A DecimalFormat object for formatting the printing of a double.
    static private DecimalFormat _format = new DecimalFormat();
//Shorten spelling of print(String).
    private static void print(String s) {
        System.out.print(s);
    static private void printMatrix (Matrix M)
      double[][] array = M.getArray();
      for (int i=0; i<array.length; i++)
          println();
          for (int j=0; j<array[0].length; j++)
          print("\t"+array[i][j]);
//Shorten spelling of println(String).
    private static void println(String s) {
        System.out.println(s);
//Shorten spelling of println().
    private static void println() {
        System.out.println();
    public void calculateMean() {
        double[][] tab = C_U.getArray();
        double[] col = new double[tab.length];
        //tab[0] pour connaître le nombre de lignes
        double[] lig = new double[tab[0].length];
        for (int j = 0; j < tab[0].length; j++) {
            for (int i = 0; i < tab.length; i++) {
                col[i] = tab[i][j];
           // lig[j] = StatUtils.geometricMean(col);
            lig[j] = StatUtils.mean(col);
        double[][] matrix = new double[1][lig.length];
        for (int i = 0; i < lig.length; i++) {
            matrix[0] = lig[i];
mu_U = new Matrix(matrix);
mu_U.print(_format,_width);
public void calculateCovariance(){
Covariance cov = new Covariance(C_U.getArray());
double[][] reslt = cov.getCovarianceMatrix().getData();
sigma_UU = new Matrix(reslt);
sigma_UU.print(_format,_width);
public void result(){
     _initializePrinting(7,2);
C_U.print(_format,_width);
     GADP_perturbData(mu_U,d,mu_U,sigma_UU);
public static double getD() {
return d;
public static void setD(double d) {
GADP_Test.d = d;

Similar Messages

  • New LUN Takes A long Time To Format and Errors Out

    Good afternoon,<o:p></o:p>
    I have a Hyper-V Cluster composed of 4 nodes and these nodes are able to access multiple CSVs (14 in total). I recently requested a new LUN (LUN 15)to be provisioned
    to my Hyper-V cluster in the size of 500GB. Here is my problem:<o:p></o:p>
    1. Formatting of a 500GB LUN (with quick format selected) should not take more than a few seconds. Instead, the quick format takes about 2hrs if not longer. I have actually
    seen it go for half the day.<o:p></o:p>
    2. Once the formatting has completed (no errors), taking the formatted LUN offline freezes the Computer Management screen and shows the status (Not Responding). This
    will take place for 30 minutes or less and show that the LUN has been taken offline.<o:p></o:p>
    3. In the Failover Cluster Manager, detecting the disks takes about 15 minutes. Once the available LUNs have been detected I can add the 500GB LUN to the Disks screen
    without any problems.<o:p></o:p>
    4. While in the Disks screen, adding the LUN to the Clustered Shared Volumes takes about 5 minutes (too long).<o:p></o:p>
    Already seeing that there is a problem, I went ahead and used the Hyper-V Manager to create a 200GB vhd on the new LUN which has been added to the CSV. The bar indicating
    the progress of the vhd creation does not display any progress (no green progress bar appears, not even a tiny bit of it) and after 3 hours (more or less) I receive an error, stating that the creation of the vhd failed.
    <o:p>NOTE: The vhd shows up in Volume 9 (LUN 15) but I can only bet that it will not work, plus I would not want to work with a vhd file which failed during the
    creation process.</o:p>
    <o:p>Long story short, I repeated the above steps to see if that was a temporary problem, but it is not. The same problem occurs no matter which Hyper-V cluster
    node the operations are performed on. I would like to add, that I tested the creation of a vhd on an already configured LUN and the creation was completed successfully, and within a n expected time frame.</o:p>
    NOTE: When LUN 15 errors out, it's status shows "Failed" in the Failover Cluster Manager. This in turn, causes the re-scanning of available disks to take forever (in Computer Management) and it keeps searching. Pretty
    much, the fail of one LUN affects the entire functionality of the entire Hyper-V Cluster. 
    Errors Listed In Event Details For LUN 15:
    1. Cluster Shared Volume 'Volume9' ('Cluster Disk 5') is no longer accessible from this cluster node because of error 'ERROR_TIMEOUT(1460)'. Please troubleshoot this node's connectivity to the storage device and
    network connectivity.
    Event ID: 5142; Source: Microsoft-Windows Failover Clustering;Task Category: Cluster Shared Volume
    2. Cluster Shared Volume 'Volume9' ('Cluster Disk 5') is no longer available on this node because of 'STATUS_IO_TIMEOUT(c00000b5)'. All I/O will temporarily be queued until a path to the volume is reestablished.
    Event ID: 5120; Source: Microsoft-Windows Failover Clustering;Task Category: Cluster Shared Volume
    3.Cluster resource 'Cluster Disk 5' of type 'Physical Disk' in clustered role '4530acc9-8552-4696-b6c3-636ff8d58c46' failed.
    Based on the failure policies for the resource and role, the cluster service may try to bring the resource online on this node or move the group to another node of the cluster and then restart it.  Check the resource and group state using Failover
    Cluster Manager or the Get-ClusterResource Windows PowerShell cmdlet. 
    Event ID: 1069; Source: Microsoft-Windows Failover Clustering;Task Category: Resource Control Manager
    4.
    Cluster resource 'Cluster Disk 5' (resource type 'Physical Disk', DLL 'clusres.dll') did not respond to a request in a timely fashion. Cluster health detection will attempt to automatically recover by terminating the Resource Hosting Subsystem (RHS)
    process running this resource. This may affect other resources hosted in the same RHS process. The resources will then be restarted. 
    The suspect resource 'Cluster Disk 5' will be marked to run in an isolated RHS process to avoid impacting multiple resources in the event that this resource failure occurs again. Please ensure services, applications, or underlying infrastructure
    (such as storage or networking) associated with the suspect resource is functioning properly.
    Event ID: 1230; Source: Microsoft-Windows FailoverClustering;Task Category: Resource Control Manager
    Any and all help will be appreciated!

    Hi AquilaXXIII,
    What server edition you are using? If you are using 2012r2 as cluster node, please install Recommended hotfixes and updates for Windows Server 2012 R2-based failover clusters
    update first,
    Recommended hotfixes and updates for Windows Server 2012 R2-based failover clusters
    http://social.technet.microsoft.com/Forums/en-US/f9c1a5f7-4fcf-409a-8d7e-388b85512bfe/new-lun-takes-a-long-time-to-format-and-errors-out?forum=winserv
    Before you install the new shared storage please first validation this storage first, you can refer the following KB to validation the new LUN.
    Understanding Cluster Validation Tests: Storage
    http://technet.microsoft.com/en-us/library/cc771259.aspx
    I’m glad to be of help to you!
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • Date format convert error in XML interface based Adobe interactive forms

    Hi experts,
    I am using XML interface based Adobe interactive form in Web Dynpro ABAP. The form just contains some date fields and numeric fields.
    When I test the WD Application, the date fields appear like 0000-00-00 at the first time. And then I set the form input disable, and get the XML from the form, at the same time I get the warning message, 'date format convert error'. By the way, I have set the edit pattern, display pattern and data pattern  of the date field to YYYYMMDD, but there seems no effect.
    Could you tell me how to set the default date format in date field Or clear the 0000-00-00?
    And another question, all of the numeric fields in the form appear like 0.0, how can I set it to empty when the form initialize?
    Best Regards,
    Guo Guo Qing

    Hi Chintan,
    Thank you for your reply.
    I have tried every possible changes on the Date field, locale, pattern. But still no effect. When the PDF come up in the WDA program, the date field is still '0000-00-00', and then I export the XML date of the form, there is also '0000-00-00' in the interface field.
    I can't clear the '0000-00-00' in initializiation event using javascript because if I need to open the form again, if I do this, the value user input could be cleared.
    I also try using Javascrip like this
    if this.rawValue == "0000-00-00"
    { this.rawValue = ""; }
    The code above can't clear the initializiation zeros too.
    Have you used the XML interface based online Adobe Forms? I have used XML PDF forms for output before, that's perfect. But the input forms seems so strange.
    Best Regards,
    Guo Guo Qing

  • SCOT error "File format conversion error"

    Dear All,
    When a PDF file is sent as a FAX, the SCOT throws the following error with message XS 812:
    No delivery to <fax_number>
    Message no. XS812
    Diagnosis
    The message could not be delivered to recipient <fax_number>. The node gave the following reason (in the language of the node):
    File format conversion error
    Can anybody suggest what could be the problem?
    Note that the normal PCL and RAW data are being sent to the same FAX number without any problem.
    Thanks
    Sagar

    Hello,
    You need to specify the correct formats:
    Check this link:
    http://help.sap.com/saphelp_nw70/helpdata/EN/b0/f8ef3aabdfb20de10000000a11402f/frameset.htm
    Regards,
    Siddhesh

  • I forgot the code for my iPhone to access the Home screen I do , please help me try formatting the iphone but when I put in nfc mode and connect it to the pc recognizes it and everything when you try to format the error 3004 appears

    I forgot the code for my iPhone to access the Home screen I do , please help me
    try formatting the iphone but when I put in nfc mode and connect it to the pc recognizes it and everything when you try to format the error 3004 appears

    Hello polo-angulo,
    I apologize, I'm a bit unclear on the nature and scope of the issue you are describing. If you are saying that you are getting an error code (3004) when you try to restore your iPhone (because you could not remember your passcode), you may find the information and troubleshooting steps outlined in the following articles helpful:
    Resolve iOS update and restore errors in iTunes - Apple Support
    Get help with iOS update and restore errors - Apple Support
    Sincerely,
    - Brenden

  • Invalid field format (screen error) on Table Control

    Hello,
    When selecting a line or multiple lines on a screen made by me(using a Table Control), I get Invalid field format (screen error). Debugging the code it sends the message when looping the internal table on PAI to check if there were values changed. Is there a reason why this error appears on this?
      loop at it_values.
        chain.
          field pvalues-BEGDA.
          module CHANGE_QUEUE.
        endchain.
      endloop.
    Thanks.

    No need to loop to check whether data is changed after PBO, just check System Field SY-DATAR, it will be set to 'X' if any field was changed.
    So the following code is enough;
    IF SY-DATAR EQ 'X'.
       PERFORM SAVE_DATA.
    ENDIF.
    Regards
    Karthik D

  • Error in module program - Invalid field format( screen error )

    In the module program i have added 1  input field named gv_pallet of 1 character. while processing the transaction when i put value 1 in this input field and press a button i am getting error ' Invalid field format( screen error ) .
    I am not geting any clue whats the eror . can anyone able to tell me the error.
    Point will be guranted .
    Regards

    No need to loop to check whether data is changed after PBO, just check System Field SY-DATAR, it will be set to 'X' if any field was changed.
    So the following code is enough;
    IF SY-DATAR EQ 'X'.
       PERFORM SAVE_DATA.
    ENDIF.
    Regards
    Karthik D

  • Error Invalid field format (screen error) in module pool

    Hi
    experts i am doing module in whichi had many check boxes on screen and each check box has function code means i want to do some thing else . but as i click the first or any other check box i get a error message
    INVALID FIELD FORMAT (SCREEN ERROR).
    Can anyody help me with this asnwers will be rewarded points .
    regards

    Dear Farukh,
    can you please let me know how have you declared you check boxes.
    how did you handle the click or the function codes in the user command module in your PAI.
    The declaration of your fucntion codes can be done when you create your screen fields and then they need to be handled in the user command module i.e what you want to do when suppose you click on that particular check box.
    Thanks
    venugopal

  • Invalid field format (screen error)

    We are using custom module pool report for displaying information. Information display in Table control which has also Radio button option for the further processing. After unicode conversion we are getting error while accessing the screen as "Invalid field format (screen error)" when user select Radio button. In production environment we are not facing any issue, but in Dev + Qas we have this issue. Nothing is changed as all environment are sync. To solve the issue we re-defined the Radion screen element, but no success we are still getting same error. I am not sure whether it is related to Page Format or something else. Could you please let me know whether anybody faced this issue ? For the information, I already searched on SDN and SNote, but there is no post or SNote

    Have you checked if there are overlapping fields on the screen.
    I've seen simular errors and usually it was beacuse of some change by SAP that made it so that the defined length of the screen field was suddenly to small.
    I'm not saying that this is the case in your situation, but it never hurts to try and change the length of your screen field and see if that resolves the issue.
    Arthur

  • Format Failed error when trying to format a WD MyBook 1TB external

    I have tried twice to format the drive with the same "Format Failed" error message. I know it was still formatting with 28 minutes remaining (of the 7 hour format job) the first time - the second time it ran over night. Both times, I formatted with Mac OS Extended (journaled), and selected to zero out the data.
    The only difference between the two attempts was a message reporting the Mac lost connection with the drive (after the first attempt) - didn't see any such message this morning after the second attempt.
    I set a couple partitions, and ran "Disk Verify".
    "DIsk Verify" lists the things it has checked, and gives the following messages:
    The volume Startup Backup appears to be OK.
    The volume Time Machine appears to be OK.
    Other than the "Format Failed" error message, the disk appears to be ok. The "Startup Backup" volume is 319.87 GB as I set, and the "Time Machine" volume is 611.64 GB
    I am able to copy a file to both volumes.
    So, is the "Format Failed" error message real, and the "Disk Verify" fails to see a problem because it is checking things like the Catalog file, and not each spot on the drive?
    Are there any disk utilities that can test the whole drive?

    As I can see from the information posted, you are trying to
    use URL-based portlet's SSO feature, though not in a correct
    way.
    The SSO feature of URL-based portlets relie on the usage
    of Cookies as authentication tokens. For example, in the
    present context, http://hostname:port/j2ee/examples/jsp/c.jsp
    will write a cookie to the client upon successfull authentication.
    Subsequent access to the same JSP or some other JSP in the same
    workspace should be checking for the existence of this particular
    cookie at the client side and if found should not prompt for
    user information again.
    If you can fine tune your existing applications as per above
    conditions, then everything should work fine. Else you might
    want to use page parameters to pass user information.
    For more information on page parameters, please visit
    http://portalstudio.oracle.com/servlet/page?_pageid=350&_dad=ops&_schema=OPSTUDIO&12678_PDKHOME902_39847486.p_subid=249821&12678_PDKHOME902_39847486.p_sub_siteid=73&12678_PDKHOME902_39847486.p_edit=0#NEW1

  • Getting "... file has and invalid format. (Error no. 11)" when importing .tdms file into DIAdem 11

    I developed a script for processing .tdms files in DIAdem 11.1, now I'm deploying the script on the very PXI system that created the .tdms files.  This system had DIAdem 11.0, but when I try to open (DataFileLoadSel) the tdms file in my script I get the error message:
    "D:\MyFileName.tdms" has an invalid fiel format.  (Error no. 11)
    The tdms files are created by a LabView application.
    If I delete the correspondin .tdms index file, I get a little further, it loads the first two of four groups, using DataFileLoadSel on the first group, and DataFileLoadRed on the 2nd group, on third group, another DataFileLoadRed, I get the following error:
    Error in <MyScript> (Line: x, Column: y):
    Cannot load the file "D:\MyFileName.tdms" with the loader "TDMS"
    Further information:
    Cannot open the file "D:\MyFileName.tdms".
    Is there a difference between DIAdem 11.0 and 11.1 that affects the import of .tdms files, if so, can I get around it?
    Thanks,
    Eric
    Solved!
    Go to Solution.

    Hello eberg,
    Before we go into more detailed error trapping, could you please try to install the TDMS 2.0 format on the DIAdem 11.0 computer (DIAdem 11.1 and LabVIEW 2009 come with the TDMS 2.0 stuff already installed).
    Please get the download here: http://zone.ni.com/devzone/cda/tut/p/id/9995
    Once installed, please try running the Scripts again (in DIAdem 11.0) and let us know if that fixed the issue. It might not help to install this, but it's a quick thing to try before we dig deeper into the issue.
    Best regards,
          Otmar
    Otmar D. Foehner
    Business Development Manager
    DIAdem and Test Data Management
    National Instruments
    Austin, TX - USA
    "For an optimist the glass is half full, for a pessimist it's half empty, and for an engineer is twice bigger than necessary."

  • Pdf arabic text file unable to convert to word formate text error is coming.

    Dear Sir,
    Pdf arabic text file unable to convert to word formate text error is coming. The arabic text once converted to word  language error is appearing.

    Hi,
    I am moving your posting at PDF Pack(CreatePDF) forum to Acrobat forum.
    Hisami

  • I'm using DVD Studio pro to burn a dvd but it won't let me cause I keep getting a "Formatting Failed" error message.  It says "Formatting was not successful. Layer 0 exceeds max layer size allowed. Choose a suitable marker location." What does this mean?

    I'm using DVD Studio pro to burn a dvd but it won't let me cause I keep getting a "Formatting Failed" error message.  It says "Formatting was not successful. Layer 0 exceeds max layer size allowed. Choose a suitable marker location that will support this condition." What does this mean?
    Kris

    It means your file is too large to fit on a single layer disk.
    Recompress to keep the overall size (audio,video and menus) below 4.5GB
    x

  • Dialog Screen - Invalid field format (screen error)

    Dear all,
      I have developed a modal dialog screen and succesfully invoked it with CALL SCREEN command in the main screen.  Unfortunately, it always returns "Invalid field format (screen error)" when clicking on the dialog's GUI control such as button or radio button.  Anyone encountered this before??
    Regards,
    KK

    Hi KK,
    Just make sure that the fields take on the screen are also declared in the top module of your program.
    And also match their data-types and size i.e., declared in top module and on the screen in their respective attributes.
    Hope this solves your problem.
    Thanks & Regards,
    Tarun Gambhir

  • Search Help error : Invalid field format Screen error

    Hi All,
    I have attached a search help to contract field for contract no and item number. (in my own screen developed in a  report)
    The search help picks up data and assigns it to the fields,
    But after this when I click on any other button, I get error saying :
    <b>Invalid Field Format (Screen Error) !!!</b>
    Any pointers guys !!!
    Warm Regards,
    Girish

    screen checks in abapautomatically checks for format of field when u enter data....i.e date, integer etc...the problem in this case is that when u seelct a value using the help it is filling a value which is not the correct format...so check for the data types and test it again...this is definitely the problem.

Maybe you are looking for

  • TS3824 my macbook pro has crashed only get whie screen

    my macbook pro crashed has been acting funny since I upgraded to mountain lion

  • SQL 2005 mirroring : Abrupt Automatic failover

    hi All,  We have a SQL 2005 SP4 mirroring  setup of 15 DBs with Principal(P), Mirror(M) & Witness (W). We have now seen abrupt DB failovers for some of the databases (yest it was 4 out of 15) from P to M. Errors were seen on Witness server as follows

  • Hide the punch out catalog for some purchasing groups

    Hi , I want to hide one punch out catalog for purchasing groups . How is this possible ? Can we do in PPOMA_BBP , but the excluded tab is in display mode . Please help ... Thanks in advance Neha

  • Making a grid, and click and drop items!!!!

    Hey, I am making a game that allows the user to go into build mode and build a stage. How do i create a build mode that uses a grid on the screen to place items? 2nd question I also need some help on when the user clicks a button and then clicks on t

  • Spring Console extension for weblogic 10.0

    Hi, I am trying to configure spring console extension for weblogic version 10.0 . As mentioned in some documents, I am unable to find the required jars in the server lib folder, and googled to download it, but yet no success. If any one is aware of w