NI-FGEN Arb Express Responsiveness

Hi,
I am trying to play around with the NI-FGEN Arb Express VI (with NI PXI-5421) in order to learn how to create my own VI to generate arbitrary pulses.  However, I am finding that when I click "Run" in the express window, my o-scope never seems to receive the waveform properly.  I am using the sample sine wave, and when I click "Run" with it set to "Start Continuous" the o-scope screen will update several seconds later with a fragment of a sine wave, and it does not continuously update.  The Test Panels for the 5421 work fine with the o-scope, so I am not sure what is going wrong.
Any help is appreciated.
Thanks,
Billy Maier
EDIT:  Never mind, the problem resolved itself.  I'm not sure how to delete threads.
Solved!
Go to Solution.

Glad to hear that you found an answer to your probem, one additional piece of advice is to move beyond the express VIs as quickly as you can. The simplified interface they provide comes at a price. Banely, these VIs will nake assumptions that don`t always work in your favor.
Mike...
Certified Professional Instructor
Certified LabVIEW Architect
LabVIEW Champion
"... after all, He's not a tame lion..."
Be thinking ahead and mark your dance card for NI Week 2015 now: TS 6139 - Object Oriented First Steps

Similar Messages

  • Urgent Application Express response

    Hi all:
    I am developing an application using APEX, this application will be requested from an external web application.
    The http request of the external web application will add some variables which will include users information that I will need to to use in my APEX to determine the what to display on the the page.
    My problem is how do I do this, it appears that the REQUEST variable of APEX only works when APEX is already running for the user and will not display a thing upon the first request of the external application.
    Please help me

    Hello,
    >> The http request of the external web application will add some variables which will include users information that I will need to to use in my APEX
    The f?p syntax - http://download.oracle.com/docs/cd/E14373_01/appdev.32/e11838/concept.htm#BEIJCIAG – allows you to set the APEX items you need. Bear in mind that this URL is in clear text, and public. You shouldn’t use it for sensitive data.
    Regards,
    Arie.
    ♦ Please remember to mark appropriate posts as correct/helpful. For the long run, it will benefit us all.
    ♦ Forthcoming book about APEX: Oracle Application Express 3.2 – The Essentials and More

  • FGEN Arbitrary Waveform Normalization

    I have been using the "Open Front Panel" option of the FGEN Arb Express VI to help me construct my own Arbritrary Waveform VI.  I noticed in the Express VI, there is a piece of code that appears to normalize the waveform.  I think this is affecting my output in undesirable ways.  Is this code necessary?  I am using the 5421 which has a 12V limit, so I don't think I need to normalize to 1 volt.
    Thanks in advance for any advice.
    -Billy Maier

    Forgot to include the image and I couldn't see the edit option for some reason on the opening post.
    Sorry for the bump.
    Attachments:
    normalize.gif ‏43 KB

  • Using a Switch statement for Infix to Prefix Expressions

    I am stuck on the numeric and operator portion of the switch statement...I have the problem also figured out in an if/else if statement and it works fine, but the requirements were for the following algorithm:
    while not end of expression
    switch next token of expression
    case space:
    case left parenthesis:
    skip it
    case numeric:
    push the string onto the stack of operands
    case operator:
    push the operator onto the stack of operators
    case right parenthesis:
    pop two operands from operand stack
    pop one operator from operator stack
    form a string onto operand stack
    push the string onto operand stack
    pop the final result off the operand stack
    I know that typically case/switch statement's can only be done via char and int's. As I said I am stuck and hoping to get some pointers. This is for a homework assignment but I am really hoping for a few pointers. I am using a linked stack class as that was also the requirements. Here is the code that I have:
       import java.io.*;
       import java.util.*;
       import java.lang.*;
    /*--------------------------- PUBLIC CLASS INFIXTOPREFIX --------------------------------------*/
    /*-------------------------- INFIX TO PREFIX EXPRESSIONS --------------------------------------*/
        public class infixToPrefix {
          private static LinkedStack operators = new LinkedStack();
          private static LinkedStack operands = new LinkedStack();
            // Class variable for keyboard input
          private static BufferedReader stdin = new BufferedReader(new InputStreamReader(System.in));
             // Repeatedly reads in infix expressions and evaluates them
           public static void main(String[] args) throws IOException {
          // variables
             String expression, response = "y";
          // obtain input of infix expression from user
             while (response.charAt(0) == 'y') {
                System.out.println("Enter a parenthesized infix expression.");          // prompt the user
                System.out.println("Example: ( ( 13 + 2 ) * ( 10 + ( 8 / 3 ) ) )");
                System.out.print("Or as: ((13+2)*(10+(8/3))):  ");
                expression = stdin.readLine();     // read input from the user
             // output prefix expression and ask user if they would like to continue          
                System.out.println("The Prefix expression is: " + prefix(expression));     // output expression
                System.out.println("Evaluate another? y or n: ");          // check with user for anymore expressions
                response = stdin.readLine();     // read input from user
                if (response.charAt(0) == 'n') {          // is user chooses n, output the statement
                   System.out.println("Thank you and have a great day!");
                }     // end if statement
             }     // end while statement
          }     // end method main
       /*------------- CONVERSION OF AN INFIX EXPRESSION TO A PREFIX EXPRESSION ------------*/ 
       /*--------------------------- USING A SWITCH STATEMENT ------------------------------*/
           private static String prefix(String expression) {
                // variables
             String symbol, operandA, operandB, operator, stringA, outcome;
               // initialize tokenizer
             StringTokenizer tokenizer = new StringTokenizer(expression, " +-*/() ", true);     
             while (tokenizer.hasMoreTokens()) {
                symbol = tokenizer.nextToken();     // initialize symbol     
                switch (expression) {
                   case ' ':
                      break;     // accounting for spaces
                   case '(':
                      break;     // skipping the left parenthesis
                   case (Character.isDigit(symbol.charAt(0))):      // case numeric
                      operands.push(symbol);                                   // push the string onto the stack of operands
                      break;
                   case (!symbol.equals(" ") && !symbol.equals("(")):     // case operator
                      operators.push(symbol);                                             // push the operator onto the stack of operators
                      break;
                   case ')':
                      operandA = (String)operands.pop();     // pop off first operand
                      operandB = (String)operands.pop();     // pop off second operand
                      operator = (String)operators.pop();     // pop off operator
                      stringA = operator + " " + operandB + " " + operandA;          // form the new string
                      operands.push(stringA);
                      break;
                }     // end switch statement
             }     // end while statement
             outcome = (String)operands.pop();     // pop off the outcome
             return outcome;     // return outcome
          }     // end method prefix
       }     // end class infixToPrefixAny help would be greatly appreciated!

    so, i did what flounder suggested:
             char e = expression.charAt(0);
             while (tokenizer.hasMoreTokens()) {
                symbol = tokenizer.nextToken();     // initialize symbol     
                switch (e) {
                   case ' ':
                      break;     // accounting for spaces
                   case '(':
                      break;     // skipping the left parenthesis
                   case '0':
                   case '1':
                   case '2':
                   case '3':
                   case '4':
                   case '5':
                   case '6':
                   case '7':
                   case '8':
                   case '9':
                      operands.push(symbol);     // push the string onto the stack of operands
                      break;                               // case numeric
                   case '+':
                   case '-':
                   case '*':
                   case '/':
                      operators.push(symbol);     // push the operator onto the stack of operators
                      break;                               // case operator
                   case ')':
                      operandA = (String)operands.pop();     // pop off first operand
                      operandB = (String)operands.pop();     // pop off second operand
                      operator = (String)operators.pop();     // pop off operator
                      stringA = operator + " " + operandB + " " + operandA;          // form the new string
                      operands.push(stringA);
                      break;
                   default:
                }     // end switch statement
             }     // end while statement
             outcome = (String)operands.pop();     // pop off the outcome
             return outcome;     // return outcomeafter this, I am able to compile the code free of errors and I am able to enter the infix expression, however, the moment enter is hit it provides the following errors:
    Exception in thread "main" java.lang.NullPointerException
         at LinkedStack$Node.access$100(LinkedStack.java:11)
         at LinkedStack.pop(LinkedStack.java:44)
         at infixToPrefix.prefix(infixToPrefix.java:119)
         at infixToPrefix.main(infixToPrefix.java:59)
    Any ideas as to why? I am still looking through seeing if I can't figure it out, but any suggestions? Here is the linked stack code:
        public class LinkedStack {
       /*--------------- LINKED LIST NODE ---------------*/
           private class Node {
             private Object data;
             private Node previous;
          }     // end class node
       /*--------------  VARIABLES --------------*/
          private Node top;
      /*-- Push Method: pushes object onto LinkedStack --*/     
           public void push(Object data) {
             Node newTop = new Node();
             newTop.data = data;
             newTop.previous = top;
             top = newTop;
          }     // end function push
       /*--- Pop Method: pop obejct off of LinkedStack ---*/
           public Object pop()      {
             Object data = top.data;
             top = top.previous;
             return data;
          }     // end function pop
       } // end class linked stackEdited by: drmsndrgns on Mar 12, 2008 8:10 AM
    Edited by: drmsndrgns on Mar 12, 2008 8:14 AM
    Edited by: drmsndrgns on Mar 12, 2008 8:26 AM

  • Need help: Silent install of oracle 11g express edition does not install services.  As a result, i'm unable to start\launch database

    Installing using the GUI works fine.  I'm using the following code to perform the silent installation of the oracle client: C:\temp_pyx\Oracle source\3-Oracle 11G Express\setup.exe /S /f1"C:\temp_pyx\Oracle source\3-Oracle 11G Express\response\OracleXe-install.iss" /f2 "c:\windows\logs\paychex\oracle11ginstall.log"
    Result code in "oracle11gisntall.log" shows "result = 3"
    response file is configured as follows:
    **  Response file to perform silent install of Oracle Database 11g Express Edition    **
    **  Values for the following variables are configurable:                              **
    **  szDir - Provide a valid path                                                      **
    **  TNSPort - Provide any valid available port number                                 **
    **  MTSPort - Provide any valid available port number                                 **
    **  HTTPPort - Provide any valid available port number                                **
    **  SYSPassword - Provide a valid password string                                     **
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-DlgOrder]
    Dlg0={05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdWelcome-0
    Count=7
    Dlg1={05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdLicense2Rtf-0
    Dlg2={05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdComponentDialog-0
    Dlg3={05A7B662-80A3-4EB9-AE1D-89A62449431C}-AskPort-13013
    Dlg4={05A7B662-80A3-4EB9-AE1D-89A62449431C}-AskSYSPassword-13011
    Dlg5={05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdStartCopy-0
    Dlg6={05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdFinish-0
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdWelcome-0]
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdLicense2Rtf-0]
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdComponentDialog-0]
    szDir=C:\programdata\oraclexe
    Component-type=string
    Component-count=1
    Component-0=DefaultFeature
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-AskPort-13013]
    TNSPort=1521
    MTSPort=2031
    HTTPPort=8080
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-AskSYSPassword-13011]
    SYSPassword="Intentionally left blank"
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdStartCopy-0]
    Result=1
    [{05A7B662-80A3-4EB9-AE1D-89A62449431C}-SdFinish-0]
    Result=1
    bOpt1=0
    bOpt2=0

    I only see the following folders after install, which tells me that although the program shows up in program and features, it is still not successfully installed?

  • How can I make the marker event pulse width longer in NI-FGEN?

    I want to generate a marker event on PF0 line using NI-FGEN.I can set the marker event pulse width but when I was trying to make the pulse width units as 65 I was getting an  error-1074115931. 
    How can I make the marker event pulse width longer without using script as I am using PXI-5412 which is not supporting Script.
    Can anyone help me out in doing the same?

    Unforunately, as you mentioned, the PXI-5412 does not support scripting mode. This will limit you to 1 marker using sequence mode. However, the PXI-5421 and PXI-5422 would allow the functionality. 
    As far as making the pulse width longer, and as the KnowledgeBase Article that you linked to discusses, I don't think it will be possible to create a marker as long as 1us - 10ms using just the Marker properties and without using scripting. You can still try to do this with property nodes and see if you can get a usable result. Start with an example such as "Fgen Arb Waveform Marker" and use the "Marker Position" value to set the start time (you would want 0 here it looks like), and then "Marker Event Pulse Width Value" to change the pulse length, but again I am afraid you will probably reach the maximum of 640 ns here. If you're not able to get this going with the property node, you will need either a FGEN card that supports scripting or another card that does Digital I/O to accomplish this. 
    Thanks!
    Stephanie S.
    Application Engineer
    National Instruments

  • Dreamweaver CS3 reforderss ColdFusion templates

    Dreamweaver CS3 reorders ColdFusion template code without
    being asked
    When opening a Dreamweaver 8 ColdFusion page, Dreamweaver CS3
    will reorder some ColdFusion tags.
    For example:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "..Some Code..."
    4. </cfcase>
    5. <cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfdefaultcase>
    8. </cfswitch>
    9. <CFQUERY username="#request.dbuser#"
    password="#request.dbpass#" DATASOURCE="#attributes.DSN#">
    10. Blah blah
    11 .</cfquery>
    Saved as a Dreamweaver 8 page and then subsequently opened in
    Dreamweaver CS3, the code becomes jumbled as:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "...Some_Code.."
    4.
    5. </cfcase><cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfswitch>
    8. </cfdefaultcase><CFQUERY
    username="#request.dbuser#" password="#request.dbpass#"
    DATASOURCE="#attributes.DSN#">
    9. ..blah..blah..
    10. </CFQUERY>
    (Note the juxtaposition of the </cfdefaultcase> and
    </cfswitch> tags on lines 7 & 8)
    The Command "Clean up XHTML" has no effect.
    This behavior occurs on every Mac running DWCS3 in our
    office, but doesn't occur on Macs running DW8.
    If the CF page is opened in a Text Editor and saved as a Text
    doc and then opened in DWCS3 as a Text doc, the code stays intact
    and is not scrambled.
    However, as soon as the page is saved with the ".cfm"
    extension, DWCS3 scrambles the </cfdefaultcase> and
    </cfswitch> tags.
    Adobe Dreamweaver Support has duplicated the error but has no
    fix as of yet, so Dreamweaver CS3 is completely useless to me as a
    CF editor.
    Does anyone have any ideas?

    Dreamweaver CS3 reorders ColdFusion template code without
    being asked
    When opening a Dreamweaver 8 ColdFusion page, Dreamweaver CS3
    will reorder some ColdFusion tags.
    For example:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "..Some Code..."
    4. </cfcase>
    5. <cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfdefaultcase>
    8. </cfswitch>
    9. <CFQUERY username="#request.dbuser#"
    password="#request.dbpass#" DATASOURCE="#attributes.DSN#">
    10. Blah blah
    11 .</cfquery>
    Saved as a Dreamweaver 8 page and then subsequently opened in
    Dreamweaver CS3, the code becomes jumbled as:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "...Some_Code.."
    4.
    5. </cfcase><cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfswitch>
    8. </cfdefaultcase><CFQUERY
    username="#request.dbuser#" password="#request.dbpass#"
    DATASOURCE="#attributes.DSN#">
    9. ..blah..blah..
    10. </CFQUERY>
    (Note the juxtaposition of the </cfdefaultcase> and
    </cfswitch> tags on lines 7 & 8)
    The Command "Clean up XHTML" has no effect.
    This behavior occurs on every Mac running DWCS3 in our
    office, but doesn't occur on Macs running DW8.
    If the CF page is opened in a Text Editor and saved as a Text
    doc and then opened in DWCS3 as a Text doc, the code stays intact
    and is not scrambled.
    However, as soon as the page is saved with the ".cfm"
    extension, DWCS3 scrambles the </cfdefaultcase> and
    </cfswitch> tags.
    Adobe Dreamweaver Support has duplicated the error but has no
    fix as of yet, so Dreamweaver CS3 is completely useless to me as a
    CF editor.
    Does anyone have any ideas?

  • Dreamweaver CS3 reformats ColdFusion templates

    Dreamweaver CS3 reorders ColdFusion template code without
    being asked
    When opening a Dreamweaver 8 ColdFusion page, Dreamweaver CS3
    will reorder some ColdFusion tags.
    For example:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "..Some Code..."
    4. </cfcase>
    5. <cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfdefaultcase>
    8. </cfswitch>
    9. <CFQUERY username="#request.dbuser#"
    password="#request.dbpass#" DATASOURCE="#attributes.DSN#">
    10. Blah blah
    11 .</cfquery>
    Saved as a Dreamweaver 8 page and then subsequently opened in
    Dreamweaver CS3 becomes jumbled as:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "...Some_Code.."
    4.
    5. </cfcase><cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfswitch>
    8. </cfdefaultcase><CFQUERY
    username="#request.dbuser#" password="#request.dbpass#"
    DATASOURCE="#attributes.DSN#">
    9. ..blah..blah..
    10. </CFQUERY>
    (Note the juxtaposition of the </cfdefaultcase> and
    </cfswitch> tags on lines 7 & 8)
    The Command "Clean up XHTML" has no effect.
    This behavior occurs on every Mac running DWCS3 in our
    office, but doesn't occur on Macs running DW8.
    If the CF page is opened in a Text Editor and saved as a Text
    doc and then opened in DWCS3 as a Text doc, the code stays intact
    and is not scrambled.
    However, as soon as the page is saved with the ".cfm"
    extension, DWCS3 scrambles the </cfdefaultcase> and
    </cfswitch> tags.
    Adobe Dreamweaver Support has duplicated the error but has no
    fix as of yet, so Dreamweaver CS3 is completely useless to me as a
    CF editor.
    Does anyone have any ideas?

    Dreamweaver CS3 reorders ColdFusion template code without
    being asked
    When opening a Dreamweaver 8 ColdFusion page, Dreamweaver CS3
    will reorder some ColdFusion tags.
    For example:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "..Some Code..."
    4. </cfcase>
    5. <cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfdefaultcase>
    8. </cfswitch>
    9. <CFQUERY username="#request.dbuser#"
    password="#request.dbpass#" DATASOURCE="#attributes.DSN#">
    10. Blah blah
    11 .</cfquery>
    Saved as a Dreamweaver 8 page and then subsequently opened in
    Dreamweaver CS3 becomes jumbled as:
    1. <cfswitch expression="#response.errorcode#">
    2. <cfcase value = "10602">
    3. "...Some_Code.."
    4.
    5. </cfcase><cfdefaultcase>
    6. "...Some_Other_Code.."
    7. </cfswitch>
    8. </cfdefaultcase><CFQUERY
    username="#request.dbuser#" password="#request.dbpass#"
    DATASOURCE="#attributes.DSN#">
    9. ..blah..blah..
    10. </CFQUERY>
    (Note the juxtaposition of the </cfdefaultcase> and
    </cfswitch> tags on lines 7 & 8)
    The Command "Clean up XHTML" has no effect.
    This behavior occurs on every Mac running DWCS3 in our
    office, but doesn't occur on Macs running DW8.
    If the CF page is opened in a Text Editor and saved as a Text
    doc and then opened in DWCS3 as a Text doc, the code stays intact
    and is not scrambled.
    However, as soon as the page is saved with the ".cfm"
    extension, DWCS3 scrambles the </cfdefaultcase> and
    </cfswitch> tags.
    Adobe Dreamweaver Support has duplicated the error but has no
    fix as of yet, so Dreamweaver CS3 is completely useless to me as a
    CF editor.
    Does anyone have any ideas?

  • SQLLDR: I need a Guru in this domain. complex datafile....

    Hello,
    We are in 10g, I get a strange error "sometimes" ...
    The cause is on a multiple line field.
    I added ' CONTINUEIF LAST != ";" ' and most of the records are successfully loaded.
    But, still, sometimes an error occurs ...
    If you want to reproduce it:
    Here is the table definition:
    create table IMPORT_TEST
    PROJET_CODE VARCHAR2(50),
    TRACKER_ID VARCHAR2(50),
    TRACKER_TYPE VARCHAR2(50),
    ARTIFACT_ID VARCHAR2(50),
    TITRE VARCHAR2(200),
    DESCRIPTION CLOB,
    SUBMITTED_BY VARCHAR2(100)
    Here is the CTL:
    LOAD DATA
    CHARACTERSET WE8ISO8859P1
    TRUNCATE
    CONTINUEIF LAST != ";"
    INTO TABLE IMPORT_TEST
    WHEN TRACKER_ID != 'tracker id'
    FIELDS TERMINATED BY ';' OPTIONALLY ENCLOSED BY '"'
    TRAILING NULLCOLS
    ( PROJET_CODE CONSTANT '!PROJET_CODE!'
    , TRACKER_ID CHAR
    , TRACKER_TYPE CHAR
    , ARTIFACT_ID CHAR
    , TITRE CHAR
    , DESCRIPTION CHAR(49000)
    , SUBMITTED_BY CHAR
    Here is a simplified datafile: (record 2 "artf402772" fails, the 4 other records succeed) (up to "End of datafile"):
    tracker id;tracker type;artifact id;title;description;submitted by;
    proj2411;tracker7756;artf402149;demande d'anaOLse plantage ABC24711;"De : BOUCAUD KelOL Ext sss DDDD SISE
    Envoyé : vendredi 22 août 2008 07:22
    À : ZZZ sss SI Tx SAV
    Cc : HD EXPLOITATION ABC/DSI
    Objet : RE: Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Bonjour,
    Le traitement s'est incidenté hier à 23H55 (id oracle 4402376),
    Utilisateur : INTERFACE
    Responsabilité : AZ / ABC_TRT_CLIENT_FINAL
    PARAMETRE(S) :
    Code interface : 247
    Code SI émetteur : FRONTAL
    Nom du fichier : save_18094130_21082008155854.txt
    SITUATION INITIALE :
    - Phase de validation
    En-têtes rejetés : 219
    Lignes rejetés : 219
    ULs rejetés : 200
    - Phase de traitement API
    En-têtes rejetés : 9
    Lignes rejetés : 9
    ULs rejetés : 5
    - Phase de workflow
    Lignes en attente : 2827
    CHARGEMENT :
    -> Traitement : 4402377 [ABC84424721]
    ABC844 - 24721 - Interface Avis de retour SAV - Programme maître
    Nom du fichier : save_18094130_21082008155854.txt
    Nombre d'enregistrements : 33
    En-têtes chargées : 11
    Lignes chargées : 11
    Lignes ULs chargées : 11
    VALIDATION :
    En-têtes validées : 11
    dont Avertissements : 0
    Lignes validées : 11
    dont Avertissements : 0
    Lignes uls validées : 11
    En-têtes rejetées : 0
    dont En-têtes orphelines : 0
    Lignes rejetés : 0
    dont Lignes orphelines : 0
    Lignes uls rejetés : 0
    dont Lignes uls orphelines: 0
    TRANSFERT :
    Nombre d'enregistrements : 33
    En-têtes : 11
    En-têtes retour réexpédition : 0
    Lignes : 11
    Lignes uls : 11
    Mouvements supprimés : 33
    SOUMISSION API :
    -> Traitement : 4402378 [ABC24740]
    ABC24740 - 247 - Interface entrante Avis de Retour et d¿expédition - Soumission API
    Erreur applicative sur le composant : ABC001_itf_pkg.check_in_file_name
    Au cours de : CHECK FILE_NAME
    A retourné : Il existe déjà un fichier save_18094130_21082008155854.txt enregistré pour l'interface 247 et le système partenaire FRONTAL.
    Le nom du fichier doit être unique pour une interface et un système partenaire donnés.
    Fichier présent sous ABC-oa-db, rep /site/ABCchicane/ENTREE/247/ARCH
    -rw-rw-r-- 1 ABCsg appli 44 Aug 21 16:19 save_18094130_21082008155854.txt
    Cordialement,
    KelOL BOUCAUD
    01.49.12.64.44 (Choix 3)
    /FF/TTT/GGG/SCC/sss/DDDD/SISE
    [email protected]
    De : HD EXPLOITATION ABC/DSI
    Envoyé : vendredi 22 août 2008 00:18
    À : NNN Julien Ext sss DDDD SISE; BOUCAUD KelOL Ext sss DDDD SISE; NNN Herve Ext sss DDDD SISE; ROBERT Frederic Ext sss DDDD SISE; AISSAOUI Soria Ext sss DDDD SISE; COHEN David Ext sss DDDD SISE; MBODJ Bocar Ext sss DDDD SIOP; KERNINON Jean Marc Ext sss DDDD SISE; DAOUIBY H Ext ROSI/DOSI; TABOUNA-BANZOUZI Fortune Ext sss DDDD SISE; RUDEK Marcin Ext sss DDDD SISE; OGONOWSKI Bogdan Ext sss DDDD SISE; TACZEWSKI Nikolaj Ext sss DDDD SISE; KOFFI Anny Ext sss DDDD SISE
    Objet : TR : Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    De : Surveillance.de.VTO@ABC-vsp[SMTP:SURVEILLANCE.DE.VTO@ABC-VSP]
    Date d'envoi : vendredi 22 août 2008 00:18:01
    À : HD EXPLOITATION ABC/DSI
    Objet : Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Transféré automatiquement par une règle
    Bonjour,
    Merci de bien vouloir verifier sous VTO le job ci dessous
    Environnements : SAV
    Applications : 370_SAV_AL
    Traitements : ABC24711
    Dates de debut : 21-08-2008 23:55:00
    Dates de fin : 22-08-2008 00:08:58
    Durees : 0:13:58
    Machines : ABC-oa-db
    Comptes : ABCsg
    Cordialement,
    Equipe Incident
    ";Babacar Sene;
    proj2411;tracker7756;artf402772;Fichier message 10 non reçu par zzzzz LRSA;"- Message d'origine -
    De : Bernard VVV [mailto:[email protected]] Envoyé : lundi 25 août 2008 16:14 À : ZZZ sss SI Tx SAV Cc : Loic DDDD; Joel FFFF; Benoit GGGG; Laetitia FFFFF Objet : Flux non reçu pour maboite refurbish
    Bonjour,
    Nous avons reçu un camion de maboite à refurbisher ce matin et nous n'avons pas actuellement les flux 10. Merci de nous les envoyer rapidement afin que nous puissions encoder les produits.
    Deux dossiers en exemple : 8323225POR et 8323280POR;
    Cordialement.
    Bernard BBBBB
    Tél : 02 96 85 67 55
    GSM : 06 89 42 62 79
    FAX : 02 96 85 51 32
    E-mail : [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402812;Demande d'anaOLse ABC880 ;"- Message d'origine -
    De : BBB Audrey OF/DF
    Envoyé : lundi 25 août 2008 11:35
    À : RRR Serge sss DDDD SISE; SSSS Olivier sss DDDD SIOP Objet : Alerte sur envoi des stats à apple Importance : Haute
    Bonjour,
    Comme vu avec vous par téléphone, Alexis Suard nous remontait le fichier ci-joint que nous devons communiquer à apple tous les lundi avant 12H. Cet envoi n'a pas été fait ce matin, je ne sais pas qui a repris ses dossiers suite à son départ.
    Merci d'avance
    Cdt
    Audrey Bostoen
    xxxxx France / DF / Contrôle de Gestion Coûts commerciaux
    Politique commerciale/Fidélisation
    tél. 01 55 22 11 41
    mob. 06 30 83 00 36
    [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402818;Demande de modif statut dossiers;"De : ZZZ sss SI Tx SAV
    Envoyé : jeudi 24 juillet 2008 12:08
    À : VVV Oumar sss DAV; VVV David sss DAV
    Cc : VVV Serge sss DDDD SIOP; VVV-COUCOU OLane sss DAV; BBB Philippe sss DAV; BBB Thierry sss DAV
    Objet : RE: Retour F.E..xls
    Bonjour,
    Les 46 dossiers sont passé en statut EXPEDIE, l'annulation de livraison est donc possible.
    Concernant l'explication sur les deux dossiers, c'est Nadine qui a lancé des ABC37510 (réception diverses) avec respectivement les N° de CRO 26981 et 26982.
    Cdt
    Babacar SENE
    /FF/TTT/AAP/SC/sss/DDDD/Projets et Maintenance du SI SuppOL Management Terminaux
    tél. +33149126274
    [email protected]
    De : BBB Philippe sss DAV
    Envoyé : jeudi 10 juillet 2008 11:28
    À : ZZZ sss SI Tx SAV; VVVV Oumar sss DAV
    Cc : RRR Serge sss DDDD SIOP; BBBB-COUCOU OLane sss DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    J’ai mis l’ensemble des statuts pour chaque dossier.
    Il faut mettre le statut « EXPEDIE » pour tous les dossiers ayant le statut « LIVRE ». Le transporteur a bien livré le produit mais il ne l’a pas remis. Par conséquent nous n’avons pas le statut « REMIS » ce qui me parait normal et nous n’avons plus le statut « EXPEDIE ».
    Il faudrait peut-être revoir le contrôle dans l’annulation de livraison sur le statut ou alors ajouter un statut en plus envoyé par le transporteur après le statut « LIVRE » qui pourrait être « NON REMIS ».
    J’aimerai aussi avoir une explication sur deux dossiers qui ont le statut « RECU » mis par un opérateur POR (exemple FX05944316, FX05988983), comment cela est-il possible ?
    Bien cordialement
    Philippe
    Philippe LLLL
    FF/TTT/GGG/SCC/sss/DAV/DP2E
    Responsable Qualité Soutien Métier
    tél. +33 (0) 1 41 80 69 21
    mob. +33 (0) 6 85 27 24 78
    philippe.LLLL@xxxxx-FFgroupcom
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : DDDD Oumar sss DAV
    Envoyé : mardi 8 juillet 2008 17:20
    À : ZZZ sss SI Tx SAV
    Cc : RRR Serge sss DDDD SIOP; SENE Babacar Ext sss DDDD SISE; LLLL Philippe sss DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    Pouvez vous nous modifier le statut ""NON EXPEDIE"" de ces dossiers et les mettre en ""EXPEDIE"" afin que nous puissions les traiter.
    Ce sont des annulations de livraisons.
    Cordialement.
    Oumar DDDD
    FF/TTT/AAP/SC/sss/DAV/DP2E
    Département Echange Express
    Responsable de la réception
    01 41 80 48 37
    06 70 02 22 14
    [email protected]
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : MMMM Nadine sss DAV
    Envoyé : mardi 8 juillet 2008 17:04
    À : DDDD Oumar sss DAV
    Cc : KKKKK Cindy sss DAV
    Objet : Retour F.E..xls
    Importance : Haute
    Bonjour,
    ci-joint le tableau des retours F.E concernant les colis sécurisés et les colis non sécurisés.
    Cordialement.
    Nadine MMMM
    FF/TTT/aap/sc/sss/dav/dp2e
    tél. 01 41 80 48 68
    [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402986;Dde d'anaOLse sur des statut LIVRE qui remontent sur SAVI sur des dossiers de 2007 déjà fermés;"
    De : OL Jean sss DDDD SIOP
    Envoyé : lundi 11 août 2008 11:55
    À : ZZZ sss SI Tx SAV; ZZZ sss SI Tx Aval
    Objet : TR: SAVI - Anomalie BAL Logistique
    Pouvez-vous jeter un oeil,
    Cordialement,
    Jean OL
    FF/TTT/GGG/SCC/sss/DDDD/SIOP
    Coordination développement DDDD
    tél. 01 49 12 61 58
    mob. 06 26 81 80 18
    [email protected]
    De : GGG Christop ROSI/SI CLIENT [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 11:14
    À : RRR Serge sss DDDD SIOP; SUARD Alexis Ext sss DDDD SIOP; OL Jean sss DDDD SIOP
    Cc : PPPPP Danielle ROSI/DDSI; jjjjjj Pascal OPF/DPF
    Objet : TR: SAVI - Anomalie BAL Logistique
    Bonjour,
    Pouvez vous nous dire pourquoi nous recevons des tracking transport en juillet de commandes datant de novembre 2007 ?
    Exemple de commandes ci -dessous.
    4980643 200 27/11/2007 09:31:49 AAAA5615 Eligibilité en saisie
    4980643 200 27/11/2007 09:33:15 AAAA5615 Eligibilité en saisie
    4980643 202 27/11/2007 09:36:36 AAAA5615 Commande en saisie
    4980643 204 27/11/2007 09:37:05 AAAA5615 Commande validée
    4980643 101 28/11/2007 02:18:44 BATCH Commande transmise
    4980643 110 28/11/2007 02:28:30 Dossier bien traité ABC Commande intégrée chez sss
    4980643 130 28/11/2007 05:08:26 16904453 ABC En-cours de livraison
    4980643 120 28/11/2007 10:35:52 353566014496932 ABC Commande en-cours de préparation
    4980643 170 10/12/2007 Code Symptôme : AM6 - Mécanique Combiné : Access. manquant ou abîmé (s ABC Retour panne réparateur
    4980643 170 10/12/2007 N ABC Retour panne réparateur
    4980643 146 21/07/2008 15:08:00 Prés.imp./client absent avisé BATCH Client absent avisé
    4980643 161 08/08/2008 Ret.piloté ABC/command.annulée BATCH (KO) Non échangé
    Merci.
    Cordialement,
    Christophe GGG
    MOTE SAVI
    Tel : 01 55 88 60 65
    De : jjjjjj Pascal OPF/DPF [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 09:50
    À : GGG Christop ROSI/SI CLIENT
    Cc : PPPPP Danielle ROSI/DDSI
    Objet : TR: SAVI - Anomalie BAL Logistique
    Bonjour Christophe,
    Ce pb est génant pour le BO de Tours car ils doivent pister ces 15 commandes et les supprimer à la mano tous les jours.
    Peux-tu me donner la raison de leur réapparition stp ?
    As-tu une piste pour améliorer cette situation (quitte à ce qu'ensuite je demande à la DS de la réaliser si nécessaire). On en reparle.
    cdt
    Pascal jjjjjj
    OPF/DPF/DCRM GP/DMOAC Distribution/DMOA FO D/
    MOTA SAVI
    tél. 05 56 16 92 74
    mob. 06 84 25 38 29
    [email protected]
    De : EEEE Jacques CCOR NORM
    Envoyé : lundi 11 août 2008 08:07
    À : jjjjjj Pascal OPF/DPF
    Objet : SAVI - Anomalie BAL Logistique
    Bonjour Pascal,
    Ces commandes (du 29/11/2007 au 18/12/2007) bien qu'annulées reviennent chaque jour
    Cdt
    Jacques EEEE
    ";Babacar Sene;
    <EOF>
    *PLEASE TRY TO REPRODUCE THE CASE BEFORE ANSWERING... I MADE MANY TRIES.. I'M STUCK !!!*
    Copy and paste should easy the reproducing..
    Why record2 "artf402772" fails ...
    Comparing with the 4 other records.. I don't see anything bad ..
    The size looks ok, I think...
    So probably the error is in the CTL ... ?
    I hope that I forgot nothing, and that my explanation is clear.
    Thanks in advance for your help.
    Olivier

    Here is the datafile (with CODE tags):
    tracker id;tracker type;artifact id;title;description;submitted by;
    proj2411;tracker7756;artf402149;demande d'anaOLse plantage ABC24711;"De : BOUCAUD KelOL Ext sss DDDD SISE
    Envoyé : vendredi 22 août 2008 07:22
    À : ZZZ sss SI Tx SAV
    Cc : HD EXPLOITATION ABC/DSI
    Objet : RE: Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Bonjour,
    Le traitement s'est incidenté hier à 23H55 (id oracle 4402376),
    Utilisateur    : INTERFACE
    Responsabilité : AZ / ABC_TRT_CLIENT_FINAL
    PARAMETRE(S) :
    Code interface             : 247
    Code SI émetteur           : FRONTAL
    Nom du fichier             : save_18094130_21082008155854.txt
    SITUATION INITIALE :
         - Phase de validation
    En-têtes rejetés             : 219
    Lignes rejetés               : 219
    ULs rejetés                  : 200
         - Phase de traitement API
    En-têtes rejetés             : 9
    Lignes rejetés               : 9
    ULs rejetés                  : 5
         - Phase de workflow
    Lignes en attente            : 2827
    CHARGEMENT :
    -> Traitement : 4402377 [ABC84424721]
                    ABC844 - 24721 - Interface Avis de retour SAV - Programme maître
    Nom du fichier               : save_18094130_21082008155854.txt
    Nombre d'enregistrements     : 33
    En-têtes chargées            : 11
    Lignes chargées              : 11
    Lignes ULs chargées          : 11
    VALIDATION :
    En-têtes validées            : 11
       dont Avertissements       : 0
    Lignes validées              : 11
       dont Avertissements       : 0
    Lignes uls validées          : 11
    En-têtes rejetées            : 0
       dont En-têtes orphelines  : 0
    Lignes rejetés               : 0
       dont Lignes orphelines    : 0
    Lignes uls rejetés           : 0
       dont Lignes uls orphelines: 0
    TRANSFERT :
    Nombre d'enregistrements     : 33
    En-têtes                     : 11
    En-têtes retour réexpédition : 0
    Lignes                       : 11
    Lignes uls                   : 11
    Mouvements supprimés         : 33
    SOUMISSION API :
    -> Traitement : 4402378 [ABC24740]
                    ABC24740 - 247 - Interface entrante Avis de Retour et d¿expédition - Soumission API
    Erreur applicative sur le composant   : ABC001_itf_pkg.check_in_file_name
    Au cours de    : CHECK FILE_NAME
    A retourné     : Il existe déjà un fichier save_18094130_21082008155854.txt enregistré pour l'interface 247 et le système partenaire FRONTAL.
    Le nom du fichier doit être unique pour une interface et un système partenaire donnés.
    Fichier présent sous ABC-oa-db, rep /site/ABCchicane/ENTREE/247/ARCH
    -rw-rw-r--   1 ABCsg    appli         44 Aug 21 16:19 save_18094130_21082008155854.txt
    Cordialement,
    KelOL BOUCAUD
    01.49.12.64.44 (Choix 3)
    /FF/TTT/GGG/SCC/sss/DDDD/SISE
    [email protected]
    De : HD EXPLOITATION ABC/DSI
    Envoyé : vendredi 22 août 2008 00:18
    À : NNN Julien Ext sss DDDD SISE; BOUCAUD KelOL Ext sss DDDD SISE; NNN Herve Ext sss DDDD SISE; ROBERT Frederic Ext sss DDDD SISE; AISSAOUI Soria Ext sss DDDD SISE; COHEN David Ext sss DDDD SISE; MBODJ Bocar Ext sss DDDD SIOP; KERNINON Jean Marc Ext sss DDDD SISE; DAOUIBY H Ext ROSTI/DOSI; TABOUNA-BANZOUZI Fortune Ext sss DDDD SISE; RUDEK Marcin Ext sss DDDD SISE; OGONOWSKI Bogdan Ext sss DDDD SISE; TACZEWSKI Nikolaj Ext sss DDDD SISE; KOFFI Anny Ext sss DDDD SISE
    Objet : TR : Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    De : Surveillance.de.VTO@ABC-vsp[SMTP:SURVEILLANCE.DE.VTO@ABC-VSP]
    Date d'envoi : vendredi 22 août 2008 00:18:01
    À : HD EXPLOITATION ABC/DSI
    Objet : Le traitement ABC24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Transféré automatiquement par une règle
    Bonjour,
    Merci de bien vouloir verifier sous VTO le job ci dessous
    Environnements : SAV
    Applications : 370_SAV_AL
    Traitements : ABC24711
    Dates de debut : 21-08-2008 23:55:00
    Dates de fin : 22-08-2008 00:08:58
    Durees : 0:13:58
    Machines : ABC-oa-db
    Comptes : ABCsg
    Cordialement,
    Equipe Incident
    ";Babacar Sene;
    proj2411;tracker7756;artf402772;Fichier message 10 non reçu par zzzzz LRSA;"- Message d'origine -
    De : Bernard VVV [mailto:[email protected]] Envoyé : lundi 25 août 2008 16:14 À : ZZZ sss SI Tx SAV Cc : Loic DDDD; Joel FFFF; Benoit GGGG; Laetitia FFFFF Objet : Flux non reçu pour maboite refurbish
    Bonjour,
          Nous avons reçu un camion de maboite à refurbisher ce matin et nous n'avons pas actuellement les flux 10. Merci de nous les envoyer rapidement afin que nous puissions encoder les produits.
          Deux dossiers en exemple :    8323225POR  et 8323280POR;
                      Cordialement.
    Bernard BBBBB
    Tél :    02 96 85 67 55
    GSM : 06 89 42 62 79
    FAX :   02 96 85 51 32
    E-mail : [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402812;Demande d'anaOLse ABC880 ;"- Message d'origine -
    De : BBB Audrey OF/DF
    Envoyé : lundi 25 août 2008 11:35
    À : RRR Serge sss DDDD SISE; SSSS Olivier sss DDDD SIOP Objet : Alerte sur envoi des stats à apple Importance : Haute
    Bonjour,
    Comme vu avec vous par téléphone, Alexis Suard nous remontait le fichier ci-joint que nous devons communiquer à apple tous les lundi avant 12H. Cet envoi n'a pas été fait ce matin, je ne sais pas qui a repris ses dossiers suite à son départ.
    Merci d'avance
    Cdt
    Audrey Bostoen
    xxxxx France / DF / Contrôle de Gestion Coûts commerciaux
    Politique commerciale/Fidélisation
    tél. 01 55 22 11 41
    mob. 06 30 83 00 36
    [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402818;Demande de modif statut dossiers;"De : ZZZ sss SI Tx SAV
    Envoyé : jeudi 24 juillet 2008 12:08
    À : VVV Oumar sss DAV; VVV David sss DAV
    Cc : VVV Serge sss DDDD SIOP; VVV-COUCOU OLane sss DAV; BBB Philippe sss DAV; BBB Thierry sss DAV
    Objet : RE: Retour F.E..xls
    Bonjour,
    Les 46 dossiers sont passé en statut EXPEDIE, l'annulation de livraison est donc possible.
    Concernant l'explication sur les deux  dossiers, c'est Nadine qui a lancé des  ABC37510 (réception diverses) avec respectivement les N° de CRO 26981 et 26982.
    Cdt
    Babacar SENE
    /FF/TTT/AAP/SC/sss/DDDD/Projets et Maintenance du SI SuppOL Management Terminaux
    tél. +33149126274
    [email protected]
    De : BBB Philippe sss DAV
    Envoyé : jeudi 10 juillet 2008 11:28
    À : ZZZ sss SI Tx SAV; VVVV Oumar sss DAV
    Cc : RRR Serge sss DDDD SIOP; BBBB-COUCOU OLane sss DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    J’ai mis l’ensemble des statuts pour chaque dossier.
    Il faut mettre le statut « EXPEDIE » pour tous les dossiers ayant le statut « LIVRE ». Le transporteur a bien livré le produit mais il ne l’a pas remis. Par conséquent nous n’avons pas le statut « REMIS » ce qui me parait normal et nous n’avons plus le statut « EXPEDIE ».
    Il faudrait peut-être revoir le contrôle dans l’annulation de livraison sur le statut ou alors ajouter un statut en plus envoyé par le transporteur après le statut « LIVRE » qui pourrait être « NON REMIS ».
    J’aimerai aussi avoir une explication sur deux dossiers qui ont le statut « RECU » mis par un opérateur POR  (exemple FX05944316, FX05988983), comment cela est-il possible ?
    Bien cordialement
    Philippe
    Philippe LLLL
    FF/TTT/GGG/SCC/sss/DAV/DP2E
    Responsable Qualité Soutien Métier
    tél. +33 (0) 1 41 80 69 21
    mob. +33 (0) 6 85 27 24 78
    philippe.LLLL@xxxxx-FFgroupcom
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : DDDD Oumar sss DAV
    Envoyé : mardi 8 juillet 2008 17:20
    À : ZZZ sss SI Tx SAV
    Cc : RRR Serge sss DDDD SIOP; SENE Babacar Ext sss DDDD SISE; LLLL Philippe sss DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    Pouvez vous nous modifier le statut ""NON EXPEDIE"" de ces dossiers et les mettre en ""EXPEDIE"" afin que nous puissions les traiter.
    Ce sont des annulations de livraisons.
    Cordialement.
    Oumar DDDD
    FF/TTT/AAP/SC/sss/DAV/DP2E
    Département Echange Express
    Responsable de la réception
      01 41 80 48 37
      06 70 02 22 14
    [email protected]
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : MMMM Nadine sss DAV
    Envoyé : mardi 8 juillet 2008 17:04
    À : DDDD Oumar sss DAV
    Cc : KKKKK Cindy sss DAV
    Objet : Retour F.E..xls
    Importance : Haute
    Bonjour,
    ci-joint le tableau des retours  F.E concernant les colis sécurisés et les colis  non sécurisés.
    Cordialement.
    Nadine MMMM
    FF/TTT/aap/sc/sss/dav/dp2e
    tél. 01 41 80 48 68
    [email protected]
    ";Babacar Sene;
    proj2411;tracker7756;artf402986;Dde d'anaOLse sur des statut LIVRE qui remontent sur SAVTI sur des dossiers de 2007 déjà fermés;"
    De : OL Jean sss DDDD SIOP
    Envoyé : lundi 11 août 2008 11:55
    À : ZZZ sss SI Tx SAV; ZZZ sss SI Tx Aval
    Objet : TR: SAVTI - Anomalie BAL Logistique
    Pouvez-vous jeter un oeil,
    Cordialement,
    Jean OL
    FF/TTT/GGG/SCC/sss/DDDD/SIOP
    Coordination développement DDDD
    tél. 01 49 12 61 58
    mob. 06 26 81 80 18
    [email protected]
    De : GGG Christop ROSTI/SI CLIENT [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 11:14
    À : RRR Serge sss DDDD SIOP; SUARD Alexis Ext sss DDDD SIOP; OL Jean sss DDDD SIOP
    Cc : PPPPP Danielle ROSTI/DDSI; jjjjjj Pascal OPF/DPF
    Objet : TR: SAVTI - Anomalie BAL Logistique
    Bonjour,
    Pouvez vous nous dire pourquoi nous recevons des tracking transport en juillet de commandes datant de novembre 2007 ?
    Exemple de commandes ci -dessous.
    4980643 200 27/11/2007 09:31:49   AAAA5615 Eligibilité en saisie
    4980643 200 27/11/2007 09:33:15   AAAA5615 Eligibilité en saisie
    4980643 202 27/11/2007 09:36:36   AAAA5615 Commande en saisie
    4980643 204 27/11/2007 09:37:05   AAAA5615 Commande validée
    4980643 101 28/11/2007 02:18:44   BATCH Commande transmise
    4980643 110 28/11/2007 02:28:30 Dossier bien traité ABC Commande intégrée chez sss
    4980643 130 28/11/2007 05:08:26 16904453 ABC En-cours de livraison
    4980643 120 28/11/2007 10:35:52 353566014496932 ABC Commande en-cours de préparation
    4980643 170 10/12/2007 Code Symptôme : AM6 - Mécanique Combiné : Access. manquant ou abîmé (s ABC Retour panne réparateur
    4980643 170 10/12/2007 N ABC Retour panne réparateur
    4980643 146 21/07/2008 15:08:00 Prés.imp./client absent avisé BATCH Client absent avisé
    4980643 161 08/08/2008 Ret.piloté ABC/command.annulée BATCH (KO) Non échangé
    Merci.
    Cordialement,
    Christophe GGG
    MOTE SAVTI
    Tel : 01 55 88 60 65
    De : jjjjjj Pascal OPF/DPF [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 09:50
    À : GGG Christop ROSTI/SI CLIENT
    Cc : PPPPP Danielle ROSTI/DDSI
    Objet : TR: SAVTI - Anomalie BAL Logistique
    Bonjour Christophe,
    Ce pb est génant pour le BO de Tours car ils doivent pister ces 15 commandes et les supprimer à la mano tous les jours.
    Peux-tu me donner la raison de leur réapparition stp ?
    As-tu une piste pour améliorer cette situation (quitte à ce qu'ensuite je demande à la DS de la réaliser si nécessaire). On en reparle.
    cdt
    Pascal jjjjjj
    OPF/DPF/DCRM GP/DMOTAC Distribution/DMOTA FO D/
    MOTA SAVTI
    tél. 05 56 16 92 74
    mob. 06 84 25 38 29
    [email protected]
    De : EEEE Jacques CCOR NORM
    Envoyé : lundi 11 août 2008 08:07
    À : jjjjjj Pascal OPF/DPF
    Objet : SAVTI - Anomalie BAL Logistique
    Bonjour Pascal,
    Ces commandes (du 29/11/2007 au 18/12/2007) bien qu'annulées reviennent chaque jour
    Cdt
    Jacques EEEE
    ";Babacar Sene;
    I Hope you'll be able to reproduce the situation, and provide me guidance and advices
    Thanks,
    Olivier

  • SQLLDR: "second enclosure string not present" error in a complex datafile

    Hello,
    We are in 11g.
    I have a strange issue when I load data. I cannot figure out why sqlldr reacts in this way :
    Here is the table definition:
    create table IMPORT_SFEE_TRACKER_GENERIC
    PROJET_CODE VARCHAR2(50),
    TRACKER_ID VARCHAR2(50),
    TRACKER_TYPE VARCHAR2(50),
    ARTIFACT_ID VARCHAR2(50),
    TITRE VARCHAR2(200),
    DESCRIPTION CLOB,
    SUBMITTED_BY VARCHAR2(100),
    SUBMISSION_DATE DATE,
    LAST_MODIFIED_DATE DATE,
    CLOSED_DATE DATE,
    TYPE_DEMANDE VARCHAR2(200),
    STATUS VARCHAR2(50),
    CATEGORY VARCHAR2(100),
    PRIORITY VARCHAR2(100),
    ASSIGNED_TO VARCHAR2(200),
    TEXT_01 VARCHAR2(2000),
    TEXT_02 VARCHAR2(2000),
    TEXT_03 VARCHAR2(2000),
    TEXT_04 VARCHAR2(2000),
    TEXT_05 VARCHAR2(2000),
    TEXT_06 VARCHAR2(2000),
    TEXT_07 VARCHAR2(2000),
    TEXT_08 VARCHAR2(2000),
    TEXT_09 VARCHAR2(2000),
    TEXT_10 VARCHAR2(2000),
    TEXT_11 VARCHAR2(2000),
    TEXT_12 VARCHAR2(2000),
    TEXT_13 VARCHAR2(2000),
    TEXT_14 VARCHAR2(2000),
    TEXT_15 VARCHAR2(2000),
    TEXT_16 VARCHAR2(2000),
    TEXT_17 VARCHAR2(2000)
    Here is the CTL:
    LOAD DATA
    CHARACTERSET WE8ISO8859P1
    TRUNCATE
    CONTINUEIF LAST != ";"
    INTO TABLE IMPORT_SFEE_TRACKER_GENERIC
    -- Pour eliminer la ligne d'en-tete
    WHEN TRACKER_ID != 'tracker id'
    FIELDS TERMINATED BY ';' OPTIONALLY ENCLOSED BY '"'
    TRAILING NULLCOLS
    ( PROJET_CODE CONSTANT '!PROJET_CODE!'
    , TRACKER_ID CHAR
    , TRACKER_TYPE CHAR
    , ARTIFACT_ID CHAR
    , TITRE CHAR
    , DESCRIPTION CHAR(49000)
    , SUBMITTED_BY CHAR
    , SUBMISSION_DATE DATE "DD/MM/YYYY HH24:MI"
    , LAST_MODIFIED_DATE DATE "DD/MM/YYYY HH24:MI"
    , CLOSED_DATE DATE "DD/MM/YYYY HH24:MI"
    , TYPE_DEMANDE CHAR
    , STATUS CHAR
    , CATEGORY CHAR
    , PRIORITY CHAR
    , ASSIGNED_TO CHAR
    , TEXT_01 CHAR(2000)
    , TEXT_02 CHAR(2000)
    , TEXT_03 CHAR(2000)
    , TEXT_04 CHAR(2000)
    , TEXT_05 CHAR(2000)
    , TEXT_06 CHAR(2000)
    , TEXT_07 CHAR(2000)
    , TEXT_08 CHAR(2000)
    , TEXT_09 CHAR(2000)
    , TEXT_10 CHAR(2000)
    , TEXT_11 CHAR(2000)
    , TEXT_12 CHAR(2000)
    , TEXT_13 CHAR(2000)
    , TEXT_14 CHAR(2000)
    , TEXT_15 CHAR(2000)
    , TEXT_16 CHAR(2000)
    _Here is a simplified datafile_: (record 2 "artf402772" fails, the 4 other records succeed) (up to "End of datafile"):
    tracker id;tracker type;artifact id;title;description;submitted by;submission date;last modified date;closed date;request type;status;category;priority;assigned to;Date demande (si saisie différée);Demandeur;Domaine fonctionnel;Gravité;Heure demande (HH:MM) si saisie différée;Nature;Plate-forme;Réf. Dem. Travaux;Réf. FT dossier;Régression;Réponse;Reproductibilité;Responsable FT du dossier;Type demande;Version cible (palier);Version origine;Monitoring Status;
    proj2411;tracker7756;artf402149;demande d'analyse plantage FTT24711;"De : xxx xxx Ext fff ggg SISE
    Envoyé : vendredi 22 août 2008 07:22
    À : ZZZ S
    Cc : HD EXPLOITATION
    Objet : RE: Le traitement FTT24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Bonjour,
    Le traitement s'est incidenté hier à 23H55 (id oracle 4402376),
    Utilisateur : INTERFACE
    Responsabilité : AZ / TT_TR_CLIENT_FINAL
    PARAMETRE(S) :
    Code interface : 247
    Code SI émetteur : FRONTAL
    Nom du fichier : SAVE_18094130_21082008155854.txt
    SITUATION INITIALE :
    - Phase de validation
    En-têtes rejetés : 219
    Lignes rejetés : 219
    ULs rejetés : 200
    - Phase de traitement API
    En-têtes rejetés : 9
    Lignes rejetés : 9
    ULs rejetés : 5
    - Phase de workflow
    Lignes en attente : 2827
    CHARGEMENT :
    -> Traitement : 4402377 [FTT84424721]
    FTT844 - 24721 - Interface Avis de retour SAV - Programme maître
    Nom du fichier : SAVE_18094130_21082008155854.txt
    Nombre d'enregistrements : 33
    En-têtes chargées : 11
    Lignes chargées : 11
    Lignes ULs chargées : 11
    VALIDATION :
    En-têtes validées : 11
    dont Avertissements : 0
    Lignes validées : 11
    dont Avertissements : 0
    Lignes uls validées : 11
    En-têtes rejetées : 0
    dont En-têtes orphelines : 0
    Lignes rejetés : 0
    dont Lignes orphelines : 0
    Lignes uls rejetés : 0
    dont Lignes uls orphelines: 0
    TRANSFERT :
    Nombre d'enregistrements : 33
    En-têtes : 11
    En-têtes retour réexpédition : 0
    Lignes : 11
    Lignes uls : 11
    Mouvements supprimés : 33
    SOUMISSION API :
    -> Traitement : 4402378 [FTT24740]
    FTT24740 - 247 - Interface entrante Avis de Retour et d¿expédition - Soumission API
    Erreur applicative sur le composant : xxx.check_in_file_name
    Au cours de : CHECK FILE_NAME
    A retourné : Il existe déjà un fichier SAVE_18094130_21082008155854.txt enregistré pour l'interface 247 et le système partenaire FRONTAL.
    Le nom du fichier doit être unique pour une interface et un système partenaire donnés.
    Fichier présent sous tt-oa-db, rep /site/fttcigale/ENTREE/247/ARCH
    -rw-rw-r-- 1 xxx appli 44 Aug 21 16:19 SAVE_18094130_21082008155854.txt
    Cordialement,
    xxx xxx
    03.59.12.64.44 (Choix 3)
    /xx/xx/xx/xx/xx/xx/xx
    [email protected]
    De : HD EXPLOITATION FTT/DSI
    Envoyé : vendredi 22 août 2008 00:18
    À : xxx SISE
    Objet : TR : Le traitement FTT24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    De : Surveillance.de.xxx@xxx-xxx[SMTP:SURVEILLANCE.DE.xxx@xxx-xxx]
    Date d'envoi : vendredi 22 août 2008 00:18:01
    À : HD EXPLOITATION xxx/xxx
    Objet : Le traitement FTT24711 du job 370_SAV_AL VTO en erreur sous l'environnement SAV
    Transféré automatiquement par une règle
    Bonjour,
    Merci de bien vouloir verifier sous vto le job ci dessous
    Environnements : SAV
    Applications : 370_SAV_AL
    Traitements : FTT24711
    Dates de debut : 21-08-2008 23:55:00
    Dates de fin : 22-08-2008 00:08:58
    Durees : 0:13:58
    Machines : ftt-oa-db
    Comptes : fttsg
    Cordialement,
    Equipe Incident
    ";Babacar Sene;22/08/2008 19:23;16/10/2008 18:38;;Exploitant;16-TMA - Clos;SAV;1;Axxx Maes;22/08/2008 00:00;Babacar Sene;1-CIGALE - OM;40-Bloquant;19:21;;Production;;;;;;Babacar Sene;20-Soutien niveau 3;;;
    proj2411;tracker7756;artf402772;Fichier message 10 non reçu par ddd LSA;"-----Message d'origine-----
    De : xxx xxx [mailto:[email protected]] Envoyé : lundi 25 août 2008 16:14 À : ZZZ DDD SI Tx SAV Cc : xx xxx; yyy yyy; zz zzz; uuu bbb Objet : Flux non reçu pour xxx refurbish
    Bonjour,
    Nous avons reçu un camion de xxx à refurbisher ce matin et nous n'avons pas actuellement les flux 10. Merci de nous les envoyer rapidement afin que nous puissions encoder les produits.
    Deux dossiers en exemple : 8323225PqR et 8323280PqR;
    Cordialement.
    Bernard BRIENS
    Tél : 03 56 85 67 55
    GSM : 03 69 42 62 79
    FAX : 03 66 85 51 32
    E-mail : [email protected]
    ";Babacar Sene;25/08/2008 17:47;01/09/2008 14:06;01/09/2008 14:06;;06-SUBU - Clos;SAV;2;Babacar Sene;25/08/2008 00:00;xxxx xxx xxx;1-CIGALE - SAV;40-Bloquant;;;Production;;;;"-----Message d'origine-----
    De : ZZZ xxx SI Tx SAV
    Envoyé : lundi 25 août 2008 17:42
    À : 'xxx xxx'; ZZZ xxx SI Tx SAV
    Cc : xxx xxx; yyy yyy; ccc ccc; lll lll; rrr rrr ccc bbb SIOP; jjj jjj ccc bbb ggg
    Objet : RE: Flux non reçu pour xxx refurbish
    Bonjour,
    Les deux dossiers sont envoyés dans le fichier LRS_4408336.TXT (voir pièce jointe) qui comporte 3010 lignes. Il est parti le 22.08.2008 21:04 Cdt
    Babacar SENE
    /xx/xxx/xxx/xxx/xx/xxx/Projets et Maintenance du SI Supply Management Terminaux tél. +33359126274 [email protected]
    ";;Babacar Sene;10-Soutien niveau 1 ou 2;;;
    proj2411;tracker7756;artf402812;Demande d'analyse FTT880 ;"-----Message d'origine-----
    De : BOSTOEN Audrey OF/DF
    Envoyé : lundi 25 août 2008 11:35
    À : rrr rrr xxx xxx CISE; ccc cccc sss ddd ffff Objet : Alerte sur envoi des stats à vvvv Importance : Haute
    Bonjour,
    Comme vu avec vous par téléphone, Alexis Suard nous remontait le fichier ci-joint que nous devons communiquer à xxxxx tous les lundi avant 12H. Cet envoi n'a pas été fait ce matin, je ne sais pas qui a repris ses dossiers suite à son départ.
    Merci d'avance
    Cdt
    xx xxx
    Orange France / DF / Contrôle de Gestion Coûts commerciaux
    Politique commerciale/Fidélisation
    tél. 03 56 22 11 41
    mob. 03 40 83 00 36
    [email protected]
    ";Babacar Sene;25/08/2008 18:30;15/09/2008 15:18;15/09/2008 15:18;DO ou prestataires externes;06-SUBU - Clos;AMONT;3;Babacar Sene;25/08/2008 00:00;ddd ddd OF/DF;1-CIGALE - OM;20-Mineur;11:35;;Production;;;Oui;"L'automatisation de l'envoi a été mise en prod dans le palier de d'août. le premier traitement devait avoir lieu aujourd'hui, ssauf qu'il n' aas tourné pour cause de mise à stop dans VTO. Activation du traitement effectué par HD, lancement puis soirtie en erreur pour cause de champ date non renseignée dans les paramètres de lancement
    Lancement manuel du traitement puis par SBU, demande au HD de continuer la chaîne. JC ccc s'occupe de la partie VTO";;Babacar Sene;10-Soutien niveau 1 ou 2;;;
    proj2411;tracker7756;artf402818;Demande de modif statut dossiers;"De : fff ggg ggg Tx SAV
    Envoyé : jeudi 24 juillet 2008 12:08
    À : dddd ddd fff DAV; ffff David SCF DAV
    Cc : fffff Serge ddd DPSI SIOP; ssss-COUCOU Lyane ddd DAV; sss Philippe ddd DAV; ffff Thierry ddd DAV
    Objet : RE: Retour F.E..xls
    Bonjour,
    Les 46 dossiers sont passé en statut EXPEDIE, l'annulation de livraison est donc possible.
    Concernant l'explication sur les deux dossiers, c'est Nadine qui a lancé des FTT37510 (réception diverses) avec respectivement les N° de CR 26981 et 26982.
    Cdt
    Babacar SENE
    /ddd/dd/dd/dd/dd/ddd/Projets et Maintenance du SI Supply Management Terminaux
    tél. +33345126274
    [email protected]
    De : DDDD Philippe ccc DAV
    Envoyé : jeudi 10 juillet 2008 11:28
    À : cccc ccc SI Tx SAV; DIALLO Oumar SCF DAV
    Cc : ffff fff SCF DPSI SIOP; hhhhh-hhhh Lyane fff DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    J’ai mis l’ensemble des statuts pour chaque dossier.
    Il faut mettre le statut « EXPEDIE » pour tous les dossiers ayant le statut « LIVRE ». Le transporteur a bien livré le produit mais il ne l’a pas remis. Par conséquent nous n’avons pas le statut « REMIS » ce qui me parait normal et nous n’avons plus le statut « EXPEDIE ».
    Il faudrait peut-être revoir le contrôle dans l’annulation de livraison sur le statut ou alors ajouter un statut en plus envoyé par le transporteur après le statut « LIVRE » qui pourrait être « NON REMIS ».
    J’aimerai aussi avoir une explication sur deux dossiers qui ont le statut « RECU » mis par un opérateur PO (exemple F05944316, F05988983), comment cela est-il possible ?
    Bien cordialement
    Philippe
    hhh hhh
    hhh/hhh/hh/hh/hh/DAV/hh
    Responsable Qualité Soutien Métier
    tél. +33 (0) 3 51 80 69 21
    mob. +33 (0) 4 95 27 24 78
    ffff.fff@fff-fgggg
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : gggg Oumar hhh DAV
    Envoyé : mardi 8 juillet 2008 17:20
    À : ggg fddd SI Tx SAV
    Cc : ddd ggf SCF DPSI SIOP; SENE Babacar Ext fff fff SISE; gg ggg SCF DAV
    Objet : TR: Retour F.E..xls
    Importance : Haute
    Bonjour,
    Pouvez vous nous modifier le statut ""NON EXPEDIE"" de ces dossiers et les mettre en ""EXPEDIE"" afin que nous puissions les traiter.
    Ce sont des annulations de livraisons.
    Cordialement.
    ggg ffff
    fff/fff/ggg/gg/ggg/DAV/DP2E
    Département Echange Express
    Responsable de la réception
    03 44 80 48 37
    04 78 02 22 14
    [email protected]
    P Pensez ENVIRONNEMENT : n'imprimer que si nécessaire
    De : ddd ddd dd DAV
    Envoyé : mardi 8 juillet 2008 17:04
    À : ddd fff dd DAV
    Cc : fff Cindy fff DAV
    Objet : Retour F.E..xls
    Importance : Haute
    Bonjour,
    ci-joint le tableau des retours F.E concernant les colis sécurisés et les colis non sécurisés.
    Cordialement.
    ddd ffff
    ff/ff/gg/sc/ggg/dav/dp2e
    tél. 03 45 80 48 68
    [email protected]
    ";Babacar Sene;25/08/2008 18:52;01/09/2008 14:13;01/09/2008 14:13;FT;06-SUBU - Clos;SAV;4;Babacar Sene;22/08/2008 00:00;fff gg;1-CIGALE - SAV;20-Mineur;;;Production;;;;Update des tables 027_dossiers et 027_suivis pour enlever le statut LIVRE, puis et mettre le statut EXPEDIE de façon à permettre l'annulation de livraison;;Babacar Sene;10-Soutien niveau 1 ou 2;;;
    proj2411;tracker7756;artf402986;Dde d'analyse sur des statut LIVRE qui remontent sur SAVI sur des dossiers de 2007 déjà fermés;"
    De : fgg Jean ddd ggg SIOP
    Envoyé : lundi 11 août 2008 11:55
    À : dd fff SI Tx SAV; sss ddd SI Tx Aval
    Objet : TR: SAVI - Anomalie BAL Logistique
    Pouvez-vous jeter un oeil,
    Cordialement,
    Jean Lyggg
    ggg/gg/gg/ggg/ggg/DPSI/SIOP
    Coordination développement DPSI
    tél. 03 40 12 61 58
    mob. 04 56 81 80 18
    [email protected]
    De : GGG Christop FFF/SI FFF [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 11:14
    À : fff Serge ff gg hh; sss aaa Ext ddd hhh jjj; hhh Jean fff fff jjj
    Cc : ddd Danielle ddd/ddd; ddd Pascal ddd/DPF
    Objet : TR: dd - Anomalie BAL Logistique
    Bonjour,
    Pouvez vous nous dire pourquoi nous recevons des tracking transport en juillet de commandes datant de novembre 2007 ?
    Exemple de commandes ci -dessous.
    4980643 200 27/11/2007 09:31:49 AMY5615 Eligibilité en saisie
    4980643 200 27/11/2007 09:33:15 AMY5615 Eligibilité en saisie
    4980643 202 27/11/2007 09:36:36 AMY5615 Commande en saisie
    4980643 204 27/11/2007 09:37:05 AMY5615 Commande validée
    4980643 101 28/11/2007 02:18:44 BATCH Commande transmise
    4980643 110 28/11/2007 02:28:30 Dossier bien traité FTT Commande intégrée chez SCF
    4980643 130 28/11/2007 05:08:26 1694453 FTT En-cours de livraison
    4980643 120 28/11/2007 10:35:52 353514496932 FTT Commande en-cours de préparation
    4980643 170 10/12/2007 Code Symptôme : AM6 - Mécanique Combiné : Access. manquant ou abîmé (s FTT Retour panne réparateur
    4980643 170 10/12/2007 N FTT Retour panne réparateur
    4980643 146 21/07/2008 15:08:00 Prés.imp./client absent avisé BATCH Client absent avisé
    4980643 161 08/08/2008 Ret.piloté FTT/command.annulée BATCH (KO) Non échangé
    Merci.
    Cordialement,
    Christophe ffff
    MOE SAVI
    Tel : 03 85 68 60 65
    De : HHHH Pascal FFF/fff [mailto:[email protected]]
    Envoyé : lundi 11 août 2008 09:50
    À : ddd Christop fff/SI CLIENT
    Cc : dddd Danielle ffff/DDSI
    Objet : TR: GGGG - Anomalie BAL Logistique
    Bonjour Christophe,
    Ce pb est génant pour le BO de Tours car ils doivent pister ces 15 commandes et les supprimer à la mano tous les jours.
    Peux-tu me donner la raison de leur réapparition stp ?
    As-tu une piste pour améliorer cette situation (quitte à ce qu'ensuite je demande à la DS de la réaliser si nécessaire). On en reparle.
    cdt
    Pascal gggg
    fff/gggg/hhhh GP/ffff Distribution/ffff FO D/
    MOA fff
    tél. 03 86 16 92 74
    mob. 04 44 25 39 29
    [email protected]
    De : DDD Jacques ddd NORM
    Envoyé : lundi 11 août 2008 08:07
    À : DDD Pascal ddd
    Objet : FFF - Anomalie BAL Logistique
    Bonjour Pascal,
    Ces commandes (du 29/11/2007 au 18/12/2007) bien qu'annulées reviennent chaque jour
    Cdt
    Jacques DDDD
    ";Babacar Sene;26/08/2008 10:00;07/10/2008 18:10;;DO ou prestataires externes;04-SUB - Résolu;SAV;2;Babacar Sene;11/08/2008 00:00;Christophe FFF -DO;1-CIGALE - SAV;40-Bloquant;;;Production;;;;"Problème du à au N) de sequence des bon_transport qui a fait un cycle complet 999999 et a recommencé avec les même N° de sequences, ce qui fait que deux dossiers se retrouvent avec le même N° de bon_transport.
    Solution :
    1/ Renommer tous les bon_transports qui sont antérieurs au 13/05/2008 de F0XXX.. en FEXXX.. pour eviter de nouveau cas dans les tables SAV et OM
    2/ Remonter les bons statut LIVRE des dossiers modifés chez FFF";;Babacar Sene;10-Soutien niveau 1 ou 2;;;
    End of datafile
    Why record2 "artf402772" fails ...
    Comparing with the 4 other records.. I don't see anything bad ..
    The size looks ok, I think...
    So probably the error is in the CTL ... ?
    I hope that I forgot nothing, and that my explanation is clear.
    Thanks in advance for your help.
    Olivier

    Well, by default SQL*Loader new line as end of record. Since your logical record in question consists of multiple lines each line is treated as a seaparate record. As a result, SQL*Loader finds a record with starting double quote without matching ending double quote. You must to use stream record format option in SQL*Loader by using
    INFILE whatever-your-infile-is "str X'xxxx'"where xxxx are charactercombination SQL*Loader should use as record separator in hexidecimal format.
    SY.

  • Strange HTTP probe with .cfm files.

    Hey All,
    I setup an http probe that checks a .cfm page for a keyword. according to the documentation there needs to be a content-length in the header for this to be parsed correctly. For some reason this .cfm page does not send the content-length. The developer manually told coldfusion to put the content-length in the header and I can see that the header now has the content-length. The probe is still failing with "Unrecognized or invalid response" If i put a test html page with a keyword, it parses it correctly and passes. If i change the keyword it fails as expected. Has anyone had any issues with the headers of coldfusion? There is no compression on the server side. Below is the probe.
    probe http KEYWORD
      interval 15
      passdetect interval 30
      request method get url /index.cfm
      open 2
      expect regex "go"
    Any help or suggestion would be much appreciated.
    Regards,
    Christian

    Hey Christian and Paul,
    Actually, when using expect regex, you don't need the expect status.  I alerted the documentation team about this and they have updated the documents with the following note:
    Note If you do not configure an expected status code, any response from the server is marked as failed. However, if you configure the expect regex command without configuring a status code, the probe will pass if the regular expression response string is present.
    Christian,
    You mention that you see the error message Unrecognized or invalid response, even with the content-length header added.  Is this the same error message you got before your app team added the header?  If so, then I might suspect that the ACE doesn't like the format they used.  The header should look like this:
    Content-Length:
    This is per RFC2616 and can be found at section 14.13 here.  Note that the C and the L are uppercase, the header name is immediately followed by a colon, and there is a spece between the colon and the value.
    I would recommend confirming that the header matches this description in a network capture.  If it does match, then I would like to see the capture, if possible.
    Thanks and I hope this helps,
    Sean

  • Generar onda cuadrada asimetrica NI PXI-5412

    Hola,
    Estoy empezando a manejar el AWG PXI-5412.
    Me esta resultando dificil entender como generar una forma de onda (o secuencia) totalmente personalizada para mis necesidades.
    La verdad es que los ejemplos de NI, en mi opinion, son bastante complicados, y poco aclaratorios.
    La cuestion es que, lo que busco es una forma de onda tonta como esta:
    No tiene por que ser cuadrada, y no tiene por que ser exactamente asi, pero, creo que con este ejemplo se me entiende perfectamente.
    Estoy mirando y tratando de enterder el ejemplo que ellos llaman "Fgen Arb Sequence.vi", pero no se si voy por buen camino.
    Cualquier comentario se agradece.
    Saludos.

  • Synchronize 2 function generators

    I have created a VI that outputs a sine wave on 2  5421 function generators. The amplitudes can be adjusted on the fly. The problem I am having is trying to keep the 2 signals in phase. I have tried all different combinations of triggering but it always seems to bring up errors/ doesn't work.
    I have attached my code with out any triggering.
    Any advice would be great on how to align the phases or any better ways to create the sine wave. Eventually what i want to do is to create 2 sine waves one at 0.1V then the second sine wave is at 1 V then a second later the first sine waves amplitude increases to 0.2V and the second decreases to 0.8V and so on untill they have both switched amplitudes.
    Attachments:
    Sinewave generator.vi ‏30 KB

    Hi there, 
    It may be useful for you to look at some examples from the labview example finder. If you search for "NI-Fgen synchronize" there are examples of a few different methods of synchronising signals between modules using TClk
    A good place to start would be:
    Fgen Arb Synchronize (TClk).vi (also found here: https://decibel.ni.com/content/docs/DOC-8227#comment-15098 )
    Fgen Arb Synchronize Master Trigger (TClk).vi
    Fgen Arb Synchronize Multiple Rates (TClk).vi
    These can be found by clicking Help in the LabVIEW toolbar then Find Examples... then in the Search tab type in "NI-Fgen Synchronize" and scroll through to the above named examples. 
    I believe the functions listed in the Triggering and Synchronisation section of this manual will be of use:
    http://digital.ni.com/manuals.nsf/websearch/38233C10B9BCA40286256ED2007EA1DD
    You can also refer to 
    Programming»NI-TClk Synchronization Help in the NI Signal Generators Help http://digital.ni.com/manuals.nsf/websearch/4FD742EBC070AFEF862578F400734EE5
    Here is some further information on NI-TClk
    http://www.ni.com/white-paper/3675/en/
    I believe if you are using PCI modules (not PXI) then to use NI-TClk to synchronise between two modules you will need an RTSI cable to link them. If yuo are usign PXI 5421 modules then you should not need that cable. 
    I hope this helps
    Tim, CLD, CTD
    National Instruments (UK & Ireland)
    "No problem is insoluble in all conceivable circumstances"

  • Authentication on local SQL Server 2008 R2 Express server fails after Lan Manager authentication level changed to "Send NTLMv2 response only\refuse LM & NTLM"

    I'm upgrading my organisation's Active Directory environment and I've created a replica of our environment in a test lab.
    One medium-priority application uses a SQL server express installation on the same server that the application itself sits on.
    The application itself recently broke after I changed the following setting in group policy:
    "Send LM & NTLM - use NTLMv2 session security if negotiated"
    to
    "Send NTLMv2 response only\refuse LM & NTLM"
    The main intent was to determine which applications will break if any - I was very surprised when troubleshooting this particular application to find that the issue was actually with SQL Server express itself.
    The errors I get are as follows (note that there are hundreds of them, all the same two):
    Log Name:      Application
     Source:        MSSQL$SQLEXPRESS
     Date:          1/19/2015 2:53:28 PM
     Event ID:      18452
     Task Category: Logon
     Level:         Information
     Keywords:      Classic,Audit Failure
     User:          N/A
     Computer:      APP1.test.dev
     Description:
     Login failed. The login is from an untrusted domain and cannot be used with Windows authentication. [CLIENT: 127.0.0.1]
     Event Xml:
     <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
       <System>
         <Provider Name="MSSQL$SQLEXPRESS" />
         <EventID Qualifiers="49152">18452</EventID>
         <Level>0</Level>
         <Task>4</Task>
         <Keywords>0x90000000000000</Keywords>
         <TimeCreated SystemTime="2015-01-19T22:53:28.000000000Z" />
         <EventRecordID>37088</EventRecordID>
         <Channel>Application</Channel>
         <Computer>APP1.test.dev</Computer>
         <Security />
       </System>
       <EventData>
         <Data> [CLIENT: 127.0.0.1]</Data>
         <Binary>144800000E00000017000000570053004C004400430054004D00540052004D0053005C00530051004C0045005800500052004500530053000000070000006D00610073007400650072000000</Binary>
       </EventData>
     </Event>
    Log Name:      Application
     Source:        MSSQL$SQLEXPRESS
     Date:          1/19/2015 2:53:29 PM
     Event ID:      17806
     Task Category: Logon
     Level:         Error
     Keywords:      Classic
     User:          N/A
     Computer:      APP1.test.dev
     Description:
     SSPI handshake failed with error code 0x8009030c, state 14 while establishing a connection with integrated security; the connection has been closed. Reason: AcceptSecurityContext failed. The Windows error code indicates the cause of failure.  [CLIENT:
    127.0.0.1].
    Event Xml:
     <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
       <System>
         <Provider Name="MSSQL$SQLEXPRESS" />
         <EventID Qualifiers="49152">17806</EventID>
         <Level>2</Level>
         <Task>4</Task>
         <Keywords>0x80000000000000</Keywords>
         <TimeCreated SystemTime="2015-01-19T22:53:29.000000000Z" />
         <EventRecordID>37089</EventRecordID>
         <Channel>Application</Channel>
         <Computer>APP1.test.dev</Computer>
         <Security />
       </System>
       <EventData>
         <Data>8009030c</Data>
         <Data>14</Data>
         <Data>AcceptSecurityContext failed. The Windows error code indicates the cause of failure.</Data>
         <Data> [CLIENT: 127.0.0.1]</Data>
         <Binary>8E4500001400000017000000570053004C004400430054004D00540052004D0053005C00530051004C004500580050005200450053005300000000000000</Binary>
       </EventData>
     </Event>
    All of the documentation that I have followed suggests that the errors are caused by incorrect SPN configuration- I figured that they were never correct and it has always failed over to NTLM in the test environment (I can't look at production - we couldn't
    replicate the setup due to special hardware and also RAM considerations), but only NTLMv2 has issues.
    So I spent some time troubleshooting this.  We have a 2003 forest/domain functional level, so our service accounts can't automatically register the SPN.  I delegated the write/read service principle name ACEs in Active Directory.  SQL Server
    confirms that it is able to register the SPN.
    So next I researched more into what is needed for Kerberos to work, and it seems that Kerberos is not used when authenticating with a resource on the same computer:
    http://msdn.microsoft.com/en-us/library/ms191153.aspx
    In any scenario that the correct username is supplied, "Local connections use NTLM, remote connections use Kerberos".  So the above errors are not Kerberos (since it is a local connection it will use NTLM).  It makes sense I guess - since
    it worked in the past when LM/NTLM were allowed, I don't see how changing the Lan Manager settings would affect Kerberos.
    So I guess my question is:
    What can I do to fix this? It looks like the SQL server is misconfigured for NTLMv2 (I really doubt it's a problem with the protocol itself...).  I have reset the SQL service or the server a number of times.  Also - all of my other SQL applications
    in the environment work.  This specific case where the application is authenticating to a local SQL installation is where I get the failure - works with LAN Manager authentication set to "Send LM & NTLM - use NTLMv2 session security if negotiated",
    but not "Send NTLMv2 response only\refuse LM & NTLM".
    Note also - this behaviour is identical whether I set the Lan Manager authentication level at the domain or domain controller level in Active Directory - I did initially figure I had set up some kind of mismatch where neither would agree on the authentication
    protocol to use but this isn't the case.

    Maybe your application doesn't support "Send NTLMv2 response only. Refuse LM & NTLM".
    https://support.software.dell.com/zh-cn/foglight/kb/133971

  • MacBook core duo Sept. 2006  - the audio is a mystery.  Any analogue out has bass boost with bass distortion.  With digital out, by USB or Airport Express Airtunes, the frequency response is normal.  Somewhere, Apple put in an analogue bass boost.. why?!

    Since new, my Macbook core duo has sent all audio to all analogue outputs with frequency distortion.  Some physical hardware or firmware in the analogue section adds a bass boost to the frequency response of the audio....  And, this boost adds bass frequency distortion to most, if not all, of the audio analogue output.
    This happens for all audio sources, players, iTunes, videos, streaming audio/video, movies...  any sound source available to the Macbook.  No-one with whom I have talked about this problem, has ever heard of it.  Not elegant ideas for reducing it are to use equalisers on players and iTunes.  iTunes even has a preprogrammed "bass reduce" on its equaliser, as if it knows already that this inherent bass boost "feature" has been built into the Macbook, and cannot be defeated by the user.
    The digital audio is of sufficiently high quality to play well on a very good to excellent sound-system;  so, it's a shame someone has mucked around with the frequency response of the analogue conversion, by designing the frequency distortion right into the computer.  This motherboard, (which includes the sound-section), has been replaced, along with the speakers, and everything sounds exactly the same as it was before.
    To receive a flat frequency response and no frequency distortion, I listen on one receiver using Airtunes, (it doesn't matter whether or not the analogue or digital output jack is wired analogue or connected via optical cable....  the freq. response is flat);  and I listen on a high-end stereo system using an USB output port to an A/D converter, passing the analogue result using long patch-cords connected to the "line-in" jacks of the stereo.  The bummer is that most of my audio sources are not derived from iTunes...  hence, I cannot use Airtunes with Airport express for them.  I've tried using "Airfoil" without luck.  The sound becomes distorted with sibilance and other frequency anomalies.
    Question:  has anyone else discovered this sound imperfection in any Mac product?  And, does anyone know if Apple is aware of it?  Finally, has anyone found an Apple fix for the problem;  or, at least, come up with better solutions than I have?
    Thanks heaps for any impute and answers you may supply!!  junadowns

    Army wrote:
    This might not help you a lot, but if you want a stable system, try using packages from the repo wherever possible, look at the news before you update your system and don't mess things up (like bad configuration etc.).
    When it comes to performance, you won't gain much by compiling linux by yourself! Just use the linux package from [core] or if you want a bit more performance, install the ck-kernel from
    [repo-ck]
    Server = http://repo-ck.com/$arch
    (this has to go to the bottom of /etc/pacman.conf)
    (use that one which is best for your cpu (in your case this might be the package linux-ck-corex).
    Hmmm, Linux-ck-corex doesn't even load.. I am now trying to install the generic one. Hope it works.
    Edit: I will first try linux-lqx...
    Last edited by exapplegeek (2012-06-26 18:33:31)

Maybe you are looking for

  • Enlarging Null and Cam

    Hey guys, just experimenting and remembering how to work with nulls to control cams. I noticed when I enlarge the null in one dimension, the camera's view also seems to widen.  What's happening here?  What is that and what am I doing that is causing

  • Upgraded to Snow Leopard and now CS2 wont launch

    I've just installed Mav OS X Snow Leopard on my ancient MacBook and now my very old photoshop CS2 wont launch - it was working fine before I upgraded my operating system. Help!

  • Is it possible to open a pro tools project in logic?

    Or vise versa?, What can or cannot be done to communticate between these two apps? In olden days, Apple bent over backwards to be compatible with windows apps. Have they done this with logic or are we on our own as far as working with the pro tools b

  • Problems with metalink patches

    Hi I´m Havig problems finding the patches for my Oracle DB version(10.2.0.1),OS:Windows 2003 Server, I need to certify these server and migrate from version 10.2.0.1 to the most recent version Iinvestigated that the patchset name is p4547817_10202_WI

  • Deferred Task Scanner Running - but not...

    All - Please advise - have deferred tasks sitting on users in IdM 7.1.1. I can manually "Run" the deferred task scanner, and the tasks are found and then subsequently run. When I schedule this scanner, via Manage Schedule, the scanner runs and increm