Erreur connection donnée aléatoire à un tableau

Bonjour,
Je débute avec Labview (version 8.5). J'aurai voulu connecter un sous VI type "nombre aléatoire 0-1)" à un graphe déroulant. Malheureusement, il m'est indiqué que la connection est impossible malgré que les données soit de même type:
"Erreur de diagramme:
Vous avez connecté un type scalaire à un tableau de ce type.
Vous avez connecté un type de données scalaire (autre que tableau) à un tableau du même type de données. Ce conflit de type peut être résolu en construisant le type scalaire sous forme de tableau. Vérifiez si l'indexation d'un tunnel d'une boucle est incorrectement désactivée.
La source est de type double précision [réel 64 bits (~15 chiffres significatifs)].
Le récepteur est de type tableau 1D de
double précision [réel 64 bits (~15 chiffres significatifs)]."
Quelqu'un pourrait il m'éclairer à ce sujet?
Je vousremercie

Un graph attend en effet une entrée du type tableau 1D alors que dans chaque itération de la boucle n'est générée qu'une seule valeur. Il faut donc utiliser un chart et non un graph. Veuillez voir le VI annexé ainsi que l'aide LabVIEW pour vous familiariser avec ces notions importantes.
Attachments:
Demo chart vs graph.vi ‏18 KB

Similar Messages

  • Erreur connection base de données

    Bonjour,
    J'ai une erreur numéro 505 lorsque je ferme mon application, Cette erreur apparit lorsque je ferme la connection à la base de données ACCES. A qui correspond cette erreur 505?
    Merci de votre réponse.

    Bonjour,
    Pour commencer avec quoi vous interfacez-vous ?
    Utilisez-vous le toolkit SQL ?
    Et enfin pouvez-vous me communiquer plus de détails sur votre configuration et joindre un exemple simple ?
    Salutations,
    Marc Larue
    NIF

  • JDK 1.4 nio non-blocking connects don't finish

    I am working with the Linux version of JDK1.4, doing some testing of the
    non-blocking capability. The few tests that I have done have shown some
    strange results:
    - When opening a non-blocking connection to a server which has an
    announcement banner, say such as POP which gives something like:
    +OK pop3 server ready
    then connection seems to be OK and proceed through to completion.
    - When opening a non-blocking connection to a server which is silent, and
    expects me to start the conversation, such as contacting an HTTP server,
    then the Selector.select() never returns to allow me to finish the
    connection.
    Below is a test program which illustrates the problem for me.
    It attempts to open a non-blocking connection to www.yahoo.com on port 80.
    It then drops into a Selector.select() where I am waiting for the chance to
    catch the SelectionKey.OP_CONNECT event and finish connecting, and then send
    a simple HTTP GET request down the wire. That OP_CONNECT event
    never seems to arrive though, and I remain stuck in the select().
    'netstat -na' shows that I am in a connection established state.
    Any insight appreciated,
    -Steve M [email protected]
    ------------------>8 cut here 8<-----------------------
    import java.io.*;
    import java.net.*;
    import java.util.*;
    import java.nio.*;
    import java.nio.channels.*;
    public class NoWorkee
    public static String GET_REQUEST = "GET / HTTP/1.0\r\n\r\n";
        static class Context
            String host;
            int    port;
            ByteBuffer request;
            public Context (String h, int p, ByteBuffer r)
            {host=h; port=p; request=r;}
    Selector sel = null;
    boolean keepGoing = true;
    public NoWorkee()
        throws IOException
        sel = Selector.open();
    public void add(String host, int port)
        throws IOException
        int ops = SelectionKey.OP_CONNECT;
        // create non-blocking socket, and initiate connect operation
        SocketChannel sc = SocketChannel.open();
        sc.configureBlocking(false);
        sc.connect(new InetSocketAddress(InetAddress.getByName(host), port));
        SelectionKey sk;
        try
            sk = sc.register(sel, ops);
            System.out.println ( "sc.register looks good connected=" +
                sc.isConnected() + ", isConnectionPending=" +
                sc.isConnectionPending());
            sk.attach(new Context(host, port, ByteBuffer.wrap(GET_REQUEST.getBytes())));
        catch (IOException x)
            x.printStackTrace();
            sc.close();
    public void run()
        throws IOException
        keepGoing = true;
        System.out.println ( "Selecting " + sel.keys().size() + " SelectKeys");
        while (keepGoing)
            final long before = System.currentTimeMillis();
            final int numReady = sel.select();
            //final int numReady = sel.select(1000);
            final long after = System.currentTimeMillis();
            System.out.println ( "Blocked " + (after-before) + " ms, numReady=" + numReady);
            if (numReady > 0)
                Set readyKeys = sel.selectedKeys();
                System.out.println ( "Selected keys size " + readyKeys.size());
                for (Iterator it = readyKeys.iterator(); it.hasNext();)
                    SelectionKey sk = (SelectionKey)it.next();
                    SocketChannel sockChan = (SocketChannel)sk.channel();
                    Context ctx = (Context)sk.attachment();
                    System.out.println ( "Servicing host " + ctx.host + " port "
                                 ctx.port);
    System.out.println ( "1");
                    if (sk.isConnectable())
                        if (sockChan.finishConnect())
                            System.out.println ( "Finished connecting success "
    + sockChan);
                            int ops = SelectionKey.OP_READ | SelectionKey.OP_WRITE;
                            sk.interestOps (ops);
                        else
                            System.out.println ( "Could not finishConnect for "
                                sockChan);
                            sk.cancel();
                            sockChan.close();
    System.out.println ( "2");
                    if (sk.isAcceptable())
                        System.out.println ( "in sk.isAcceptable() block");
    System.out.println ( "3");
                    if (sk.isReadable())
                        System.out.println ( "in sk.isReadable() block");
                        byte rawBuff[] = new byte[32 * 1024];
                        ByteBuffer buff = ByteBuffer.wrap(rawBuff);
                        int numRead = -1;
                        while (0 < (numRead = sockChan.read(buff)))
                            System.out.println ( "numRead = " + numRead);
                            for (int i = 0; i < numRead; i++)
                                System.out.print((char)rawBuff);
    System.out.println ( "numRead = " + numRead);
    System.out.println ( "4");
    if (sk.isWritable())
    System.out.println ( "in sk.isReadable() block");
    int numWritten = -1;
    if (null != ctx.request)
    numWritten = sockChan.write(ctx.request);
    if (!ctx.request.hasRemaining())
    sk.interestOps(sk.interestOps() &
    ~SelectionKey.OP_WRITE);
    System.out.println ( "numWritten = " + numWritten);
    //else
    // service timeouts
    public static void main (String arg[])
    try
    NoWorkee bla = new NoWorkee();
    bla.add ("www.yahoo.com", 80);
    bla.run();
    catch (Exception e)
    e.printStackTrace();
    ------------------>8 cut here 8<-----------------------

    Just for the benefit of anyone who might be seeing the same problem, it looks like bug 4457776 accurately describes the problem that I was having above.
    I am downloading j2sdk-1_4_0-beta2-linux-i386-rpm.bin to see if that fixed it.
    Reference:
    http://developer.java.sun.com/developer/bugParade/bugs/4457776.html

  • Transformer données waveforme 1D en tableau

    Bonjour,
    Je souhaite faire de l'acquisition de deux voies différentes, pour cela j'utilise le DaqmX Lire, mes données en sortie sont sous la forme d'une waveforme analogique 1D.
    J'aurais voulu séparer mes données et les mettre dans un tableau avec par exemple dans la 1ere colonne le temps, la 2ème les données de la voie 1 et dans la 3èmes les données de la voie 2. Comment pourrais je faire pour réaliser un tel tableau ?
    2ème question, je voudrais avoir un affichage sur ma face avant des données de la voie 1 et 2 , issues de la waveforme 1D, comment faire cela ?
    Je vous remercie par avance de votre aide.

    Bonjour,
    Encore merci d’avoir modifié le vi
    J’ai quatre questions sur son utilisation :
    actuellement les données ne sont pas enregistrées à la
    fréquence d’enregistrement que je spécifie dans le Daqmx et sur la face avant
    (par exemple 1s) mais à une fréquence beaucoup plus élevée, par conséquent pour
    un essai de quelques dizaines de secondes je me retrouve avec un nombre de
    points considérables et des fichiers lourds (environ 500ko pour 10s), chose
    assez gênante car je souhaite faire des acquisitions sur des longues durées
    (plusieurs semaines) et pour cela je pense régler la fréquence d’enregistrement
    de manière à obtenir un point toutes les 10 ou 30s.
    au lieu d’enregistrer les données « brutes »,
    n’est-il pas possible de sauvegarder les données en sortie du vi « lissage
    de deux wfm » ?
    je ne vois pas comment modifier le programme de manière
    à ce que lorsqu’on active le bouton « SaveWave0 » (sur la face avant) cela enregistre les
    données de la voie 0 dans un fichier tableur, dont le chemin est spécifié par
    la « boîte de dialogue fichier » située en dehors de la boucle d'enregistrement et
    dont j’ai indiqué le nom de fichier « Voie0 ». L’idée est que les données soient
    sauvegardées au fur et à mesure de l’exécution du programme, de manière à les
    avoir même si le vi plante pendant son exécution.
    je me pose la même question pour la voie 1
    Merci beaucoup pour ton aide.
    Christophe
    Pièces jointes :
    Acqu_Tempv5.vi ‏123 KB

  • Message d'erreur "Connection à expiré"lors de l'installation de ios5 par Itunes

    En connectant l'IPAD 2 sur le PC (XP3), Itunes 10.5 me propose de mettre à jour avec IOS5.
    Le Téléchargement se passe bien et dure environ 20 minutes.
    Lorsque la barre d'état est à 100 % du chargement, la phase "traitement du fichier en cours" apparait.
    Après qq minutes, un message d'erreur "la connection réseau à expiré , assurez vous que les règlages reseau sont corrects et que votre connection réseau est active ou reessayer plus tard "apparait et le programme se termine sans installation de IOS 5. Je fait le test depuis plusieurs jours et sans succès.
    Que dois-je faire ?
    Merci pour vos conseils
    Frédéric

    Essayez de désactiver temporairement votre pare-feu et un antivirusjusqu'à ce que le téléchargement est terminé.
    Try temporarily turning off your firewall and antivirus software until the download has completed.

  • Ethernet connections don't work

    Ever since a big thunderstorm here the ethernet connection on my Mini has not worked.  The wireless works fine.  The Ethernet gives the message "No IP Address" in the Network Preferences sidebar, and "Unknown Sate: The status of your network connection cannot be determined" under Status.  I've done all the usual fixes: deleted the preference files, reset PRAM, even reinstalled the operating system.  I've tried different wires and tried plugging into different ports on the router.  Ethernet connections work just fine with a number of other macs plugged into the same router. I was sure it must have been a hardward problem, so I bought the Kensington mini usb hub with ethernet.  I installed it, and get the same results with that ethernet adapter. 
    Anyone have any ideas?
    I'm on Snow Leopard 10.6.8.
    Thanks!

    Is this a new AC model?
    How old is the Netgear gigabit switch? Unfortunately gigabit has had a bad bunch of capacitors in their switches and after a couple of years they can also play up.
    Sometimes the ports on the TC seem to not negotiate properly.
    if a port is dead.. definitely take it back.
    I would also buy a new gigabit switch.. as your ethernet problems are a little too continuous after 3 different TC.
    I know it might work fine with other devices. But some things just are not compatible.
    I would use a crossover cable with modem to TC.. and TC to switch. Just because the TC has some question mark over how well it is handling port swapping from normal to crossover automatically. It is old fashioned but has helped a number of people to get the TC working ethernet wise.

  • WPA2 Enterprise connections don't work

    Hi everyone,
    Configuration: MacBook Pro 7,1, 2,4GHz, Mac OS X 10.6.5.
    Three user accounts (one for me, two for friend's backup), two of them have admin rights. I'm using one of these accounts.
    I'm having a strange issue with *WPA2 Enterprise*-based access points, namely, the private one on my university's campus, and the eduroam one. Eduroam is, roughly, a SSID that is available in participating institutions worldwide, and allows connection from personnel registered in any of these institutions without having to ask for a guest access.
    On eduroam, one is supposed to select the eduroam SSID in the list of network available, select "Security: WPA2 Enterprise", and type his institutional email address as a username. "Password" should remain blank for now, and in front of the "802.1X", select "Auto". On clicking the "Connect" button for the first time, a "Check certificate" dialog should appear with three buttons, "Display", "Cancel", "Continue", where one would click "Continue". Finally, a "802.1X authentication" dialog would appear, when a user would put his email address as username, and type in his institutional password to log in. Then, the user would be online without further fuss.
    On my university network, it's even simpler. One should select it, type in the IT login, then the corresponding password, before being allowed to be online.
    On my normal user account, I never get the "Check certificate" dialog for eduroam, an on the uni's network, it never seems to connect. Ultimately, I get the exclamation point over the wireless waves, meaning that the card self-assigned an IP. Then it tries to connect again (the icon is waving), then fails again. No other authentication is affected, and a quick look in the logs doesn't show anything salient.
    On the other user account, the connection to either of these SSID works as written, on the first try.
    So it's no hardware issue.
    I first tried to create a new wireless profile, and recreate the connection. It failed, once again, for both networks.
    So to the Genius Bar I went. Since it's a login issue, we deleted the ~/Library/Keychans/login.keychain item, rebooted. Since the issue couldn't be reproduced in store, he advised me to delete the "session" keychain and reboot if the problem persisted. He asked me if the computer crashed while I was logged in anywhere in the past (before 10.6.5), and yes I said, adding that I let AppleJack do the automated repair. He checked with a colleague, on a tech forum, spent 30 min with me, but came back with the dreaded conclusion that, at least in that store, they ended up doing what he named "partial restore" to correct a similar issue, in contrast to "archive and install".
    Off to the uni I went, and recreating the connection failed again. In the Access Keychain, I then removed the session keychain, with both the references and files (default is reference only), since they referred to passwords I already knew, rebooted, logged in, and tried to connect, to no avail. The other user account still works.
    What else should I try? Ironically enough, I reinstalled OS X more times in two years than I did Windows in eight, and want to avoid the time-consuming step of reinstalling applications, and the very tricky part - ownership issues - of manually importing documents and only selected settings.

    I was chasing a similar authentication issue on OS X ≥ 10.5.8 for quite some weeks. My setup does use MS 2008 Server (AD, NPS, Radius) and SonicWall SonicPoint (multi SSID on VLAN).
    When I started evaluating the different options, I didn't realize such issues But when it came to the final usage guidelines I had serious issue connecting with Mac OS X to the WPA2 Enterprise Network (BlackBerry and iOS was never an issue)!
    I finally did work out, that you can only authenticate once successfully if you use the "Ask to join networks" popup - instead I had to select the network manually from the airport, provide my credentials and select "remember this network"to store the network and it's radius profile! I guess this behavior may have something to do with the credentials stored/reused in/from the keychain for the second login.
    Also, I did notice you have to make sure you quit your system preferences each time you expect a change due to newly stored networks or radius profiles!
    Hope this may help other users to troubleshoot similar issues!

  • Parametrized relation connections - don't work when source and target are different

    Hi All,I have next problem:I am using parametrized relation connection firstConnection (user and (encripted)password are taken from parameter file). Here are values from param file: $DBConnection_source=firstConnection$DBConnection_source=firstConnection$ParamUser=svaba$ParamPwd=Dni32iRiH0Yjro1U04+RTC==  This is (source and target are same) working fine for years.
     But now I need two different connection, i.e. source is (existing)   firstConnection and target is secondConnection. On both instances I have  same user 
      (svaba) with same password. I created second parameterized connection with  user = $ParamUser    and password = $ParamPwd     Now, parameters are: $DBConnection_source=firstConnection$DBConnection_source=secondConnection$ParamUser=svaba$ParamPwd=Dni32iRiH0Yjro1U04+RTC== When run workflow, got error: ORA-01005: null password given: logon denied.I triede to change connections by entering values for password (not use parameters for password) got error: ORA-01017:invalid username/password:logon denied.When I am using same (parametrized) connection for source and target (any of these two) everything is fine. That is sign that connections are good. Does someone have any idea about this problem

    Hi All,I have next problem:I am using parametrized relation connection firstConnection (user and (encripted)password are taken from parameter file). Here are values from param file: $DBConnection_source=firstConnection$DBConnection_source=firstConnection$ParamUser=svaba$ParamPwd=Dni32iRiH0Yjro1U04+RTC==  This is (source and target are same) working fine for years.
     But now I need two different connection, i.e. source is (existing)   firstConnection and target is secondConnection. On both instances I have  same user 
      (svaba) with same password. I created second parameterized connection with  user = $ParamUser    and password = $ParamPwd     Now, parameters are: $DBConnection_source=firstConnection$DBConnection_source=secondConnection$ParamUser=svaba$ParamPwd=Dni32iRiH0Yjro1U04+RTC== When run workflow, got error: ORA-01005: null password given: logon denied.I triede to change connections by entering values for password (not use parameters for password) got error: ORA-01017:invalid username/password:logon denied.When I am using same (parametrized) connection for source and target (any of these two) everything is fine. That is sign that connections are good. Does someone have any idea about this problem

  • Compass, Location Services and Some times 3G connectivity don't work

    Hi all,
    Currently I am experiencing problems with the compass and location services.
    The compass does not work at all, it appears to be only ever pointing North at 0 degrees. The location services on the google maps app refuses to locate my position, not matter where I try it (I've tried outside, inside, built up areas, open areas)
    I have tried resetting the compass, but it does nothing, I have tried force quitting, and restarting the iPhone, still nothing, I have also reset all settings, still nothing.
    Has anyone heard of problems like these, or is it probably a faulty unit?
    Cheers.

    What about a full restore using "Set up as new iPhone" has that ben done yet...with the other steps you've already completed this would be the last step to try...also because the Genius Bar will just make you if you haven't yet already before they give a new phone to you...
    resetting network settings may fix the location issue...as well as toggling that setting a few times between on and off...
    the compass is usually only accurate outside for me and I don't use it often due to this fact...

  • Database connection, done by the host?

    I have a database application which I want a provider to host for me. The problem is that in order to get it to run I need to set up an ODBC connection through Windows. So how can I get it to work when a service provider is hosting it? Is it normal to request them to set up the connection, or is there a way of automating this, or some other workaround?

    This depends on your hosting provider.
    I expect most hosting providers do not want to have you using ODBC, and they are right. The best way to build something like this would be using a simple SQL database (MySQL is popular) and use JDBC drivers particular for this database.
    However, always make sure that the use of these tools is permitted by your provider!

  • Gramin connect don't work with Firefox 5. how can i go back to firefox 4?

    Garmin Communicator Plugin
    Garmin Communicator Plugin Communication with your Garmin GPS just got easier thanks to the Garmin Communicator Plugin — the free Internet browser plugin that sends and retrieves data from Garmin GPS devices.
    The Garmin Communicator Plugin lets you connect your Garmin GPS with your favorite website. Once the plugin is installed, just connect your Garmin GPS device to your computer, and you’re on your way. The Garmin Communicator can send and retrieve data from any supported website.
    http://www8.garmin.com/products/communicator/
    I CANNOT DOWNLOAD THE ABOVE

    Extensions for Firefox, such as the Google Toolbar, include a list of compatible Firefox versions. Currently, the Google Toolbar only goes up to Firefox 4. However, people have tested and it actually works on Firefox 5, so there are two workarounds:
    (1) Edit a file to revise the range of compatible versions
    (2) Install an add-on that lets you ignore the range of compatible versions
    This thread has info on both approaches: [https://support.mozilla.com/en-US/questions/837142 google toolbar does not work with firefox 5.0. why not! | Firefox Support Forum | Firefox Help].
    Any luck?
    Oh, and due to security vulnerabilities, rolling back to Firefox 4.0.1 is not recommended.

  • MAC: Uml290 & vzw access manager, IPSec VPN connections don't work

    So, my vpn connections work if I use my UML290 on windows using verizon access manager
    I am now using the new verizon access manager on my mac, and my VPN connections do NOT work. It tries to connect then immediately stops the attempt at connecting and fails (i can access other websites etc OK, I have connectivity!)
    This is a huge problem for me

    Hello,
    I have been having the same problems. When not connected to VPN, things work fine. When VPN connects, all traffic stops passing, even though there is a successful connection. When I disconnect VPN, all traffic resumes.
    I have gone through this with technical support even to the point of doing a trace during the problem and they confirm that the traffic drops, but do not feel it is a network issue. This problem does not happen with any other network adapter I use (Wi-Fi, T-mobile 4G laptop stick).
    I've put together links of articles I have found online describing this problem and probable cause - which I think is an IP address conflict in the 10.x.x.x space. No resolution has been offered to me. I hope these articles help others or if they are having the same experience they might post here.
    http://delicious.com/stacks/view/SL8rGb - "Verizon LTE problems with VPN using Pantech UML 290" - Link Stack
    If anyone comes across a resolution or knows if there will be an update of any kind to fix this, I would appreciate it, thank you.

  • RD Session Host connections don't appear on License Manager

    We have setup a Server 2012 R2 RDS deployment with remote-site RD Host Servers all pulling CALs from a central RD License Server. I am able to RDP five sessions into the first RD Session Host Server OK, and the RD License Diagnoser says all is well with
    the connection to the license server. However I am not seeing any licenses being issued by the central License Server for those five test users, even after a Refresh. The five test users are local to the RD Session Host Server, and not in AD. Do local accounts
    not show up in the License Server's RD Licensing Manager screen?  Do they not require the RD Session Host to 'pull' CALs from the License Server?  I am thinking I should be seeing the licenses being distributed to the five users and am concerned
    that I do not.
    License Server 2012 R2 - Per User CALs - Joined to Active Directory
    RD Host Server #1 with the five RDP sessions is 2012 R2 - Joined to Active Directory
    Thanks in advance for any insights! 

    Hi Jim,
    Thanks for your comment.
    Initially would like to share that “Per User CAL tracking and reporting is not supported in workgroup mode”, in workgroup mode we can only install RDS Device CAL but as you have domain joined with Per User CAL is ok. But RDS per User CAL can’t be used\tracked
    by local user account. 
    http://support.microsoft.com/kb/2473823
    You can use following script to check which user got logged in.
    Get-LoggedOnUser Gathers information of logged on users on remote systems
    https://gallery.technet.microsoft.com/scriptcenter/Get-LoggedOnUser-Gathers-7cbe93ea
    Hope it helps!
    Thanks.
    Dharmesh Solanki
    TechNet Community Support

  • Adobe Connect DON'T work under Debian 6

    I can't watch a recorded presentation through adobe connect.  I can watch it under windows 7, but not through Debian 6.
    How can I solve this?

    What flash version does it report as having according to http://www.adobe.com/software/flash/about/ and what are the symptoms when opening the meeting recording under Debian? Do you get the same problem on other meeting recordings on other servers, if this is possible to test?

  • Copier vers Excel les données d'un tableau utilisant Building Tables.vi

    Comment copier vers Excel les données issues d'un tableau utilisant le modèle Building Tables.vi:la fonction copie données (clic droit dans la face avant de Labview ne me propose qu'une copie de fichier image bitmap (on ne peut rentrer les données dans les cases avec un collage spécial texte)
    Remarques: Optimisation d'un programme vi existant
    créer des fichiers supplémentaires tableurs ou .dat est à éviter puisqu' on fait manuellement + de 100 mesures par jour (mesures avec balayage des capteurs sur 4 pistes d'un aimant)
    Gérer directement les données dans la face avant pour les copier entre chaque mesure est primordial
    Problème de la bibliothèque MCAPI32.DLL (elle n'est pas présente dans le système d'origine) et ne peut être chargée en sous vi pour ouvrir le programme principal
    Attachments:
    BOSCDIIessai2.vi ‏777 KB

    Bonjour Alarmarque,
    Ci-joint le VI Building Tables.vi modifié pour que vous puissiez directement écrire les données de la table dans le fichier Excel.
    Il fallait traiter la table avant de l'écrire dans un fichier.
    Pour tester le VI, exécutez-le, puis choisissez un fichier Excel où écrire.
    J'espère que cela vous aidera à avancer dans votre projet.
    Cordialement,
    Sanaa T
    National Instruments France
    Sanaa T.
    National Instruments France
    #adMrkt{text-align: center;font-size:11px; font-weight: bold;} #adMrkt a {text-decoration: none;} #adMrkt a:hover{font-size: 9px;} #adMrkt a span{display: none;} #adMrkt a:hover span{display: block;}
    >> http://www.nidays.fr/images/081110_ban_nidays09_468X60.gif
    Attachments:
    Building Tables and Write.vi ‏44 KB

Maybe you are looking for

  • Changing the order of fields in an internal table

    Hi all, I'm using field symbol as internal table. this table has got a standard database structure. I want to make the 3rd column of this internal table as 1st colums keeping rest of the columns as it is. Is there any way to do this? Thanks, Anil.

  • Customizing Time Stamp In Receiver File Adapter

    Hi, I am working in a XI to file adapter scenario. The default time stamp in receiver file adapter is yyyyMMdd-HHmmss-SSS. I want to time stamp as "ABC_MM_DD_YYYY_HH_MM_SS". i searched SDN,but not getting an end to end approach. Like...I developed a

  • Ora:processXSLT xpath function and absolute paths

    It looks like ora:processXSLT xpath function does not honor absolute paths when specifying the location of the xslt to use in the first parameter. For example, if I call it like this: <copy> <from expression="ora:processXSLT('/u01/transforms/mytransf

  • Web service client timeout

    Hi, I'm trying to set a timeout on my web service client. But its not working. Your tutorials do not seem to address this. I am using weblogic 10.3.2, with Java 1.6. ============ Properties propSys = System.getProperties(); propSys.put( "weblogic.web

  • External display physical arrangement setting reset each time?

    Hi, When I connect my Dell 2407WFPb 24" LCD display to my 15" MacBook Pro running Vista Business SP2 under Bootcamp using the DVI adapter and I set the physical arrangement of the display using the Windows Display Setting control panel, when I discon