MYSQL data connection

I have PHP working and test, but when I try to setup the
MYSQL connect, I click the the select Database, I get an error " An
unknow error has occured". Help!

Biggest Dave wrote:
> I'm using Dreamwever MX, PHP 5.14, MYSQL 5
Have you enabled MySQLI in PHP? The PHP MySQL extension
doesn't support
the authentication protocol for MySQL 5.
http://dev.mysql.com/doc/refman/5.0/en/php-problems.html
David Powers
Author, "Foundation PHP for Dreamweaver 8" (friends of ED)
Author, "Foundation PHP 5 for Flash" (friends of ED)
http://foundationphp.com/

Similar Messages

  • PHP/mySQL data connection

    Hi,
    I've used DW CS3 to create a database connection to a mySQL
    database that I created in phpMyAdmin. When I do the setup and test
    all the connections, everything works - my table comes up, I'm able
    to select it. I created a recordset to display what's in the
    database. When I test the page, I'm getting this error:
    Warning: mysql_connect() [function.mysql-connect]: Access
    denied for user 'identity_teach'@'localhost' (using password: NO)
    in /home/identity/public_html/Connections/facultyDB.php on line 7
    Cannot connect to the database because: Access denied for
    user 'identity_teach'@'localhost' (using password: NO)
    The password info is in there - and I know it's right,
    because DW tests the connection and gives me a success message. Any
    ideas why I would be getting this error?
    Thanks!
    Carrie

    >in /home/identity/public_html/Connections/facultyDB.php
    on line 7
    Check your path in your code on line 7
    I had this same problem and it showed something like this
    (assuming you are using PHP)
    <?php virtual (/Connections/connbay.php'); ?>
    i changed to
    <?php require_once('../Connections/connbay.php'); ?>
    and it worked fine

  • Looking for a class to connect to MySQL data base

    Hi,
    I'm looking for a class to connect to MySQL data base.
    And i want to know how to access to my data base MySQL under linux ( i've already the driver for mysql-java).
    Can you help me ?
    Thank u.

    I'm looking for a class to connect to MySQL data
    base.Do you mean driver class or ready-made code?
    And i want to know how to access to my data base
    MySQL under linux ( i've already the driver for
    mysql-java).Search for the JDBC tutorial.

  • JPA with MySQL-Data-Source

    Hello Forum,
    I have a question regarding usage of a MySQL-Data-Source in combination with JPA
    on the SAP NetWeaver Application Server, Java ™ EE 5 Edition.
    I have setup a custom datasource like explained in paper:
    "Working with Database Tables, DataSources and JMS Resources"
    - registered the database driver via telnet (Using mysql-connector-java-5.0.3-bin.jar)
    - created the data-sources.xml file underneath the META-INF dir of the EAR project
    [code]
    <?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE data-sources SYSTEM "data-sources.dtd" >
    <data-sources>
      <data-source>
        <data-source-name>titan_cruises_ds</data-source-name>
        <driver-name>mysql-connector-java-5.0.3-bin.jar</driver-name>
         <init-connections>1</init-connections>
         <max-connections>10</max-connections>
         <max-time-to-wait-connection>60</max-time-to-wait-connection>
         <expiration-control>
              <connection-lifetime>600</connection-lifetime>
              <run-cleanup-thread>60</run-cleanup-thread>
         </expiration-control>
         <sql-engine>native_sql</sql-engine>
        <jdbc-1.x>
          <driver-class-name>com.mysql.jdbc.Driver</driver-class-name>
          <url>jdbc:mysql://ourHost.internal.com:3306/practise_titan_cruises</url>
          <user-name>myUser</user-name>
          <password>myPass</password>
        </jdbc-1.x>
      </data-source>
    </data-sources>
    [/code]
    After that I manually created the persistence.xml underneath the META-INF dir of the EJB project.
    [code]
    <persistence xmlns="http://java.sun.com/xml/ns/persistence" version="1.0">
         <persistence-unit name="titan_cruises_pu">
              <jta-data-source>titan_cruises_ds</jta-data-source>
         </persistence-unit>
    </persistence>
    [/code]
    After that I created the Entity named "Cabin" and the corresponding table within the db.
    Entity code:
    [code]
    package de.collogia.beans.pojo.ship;
    import java.io.IOException;
    import java.io.Serializable;
    import javax.persistence.Column;
    import javax.persistence.Entity;
    import javax.persistence.GeneratedValue;
    import javax.persistence.Id;
    import javax.persistence.Table;
    This persisted POJO class models the cabin data.
    <p>
    In this class persistence annotations are placed on the getter methods
    of the attributes. This tells the persistence manager to access them
    via the corresponding get- and set-Methods.</p>
    (Unfortunately this does not work on NetWeaver and I had to place them
    on field level aggain...)
    @author Henning Malzahn ([email protected])
    svn-revision:         $Rev:: 670                                           $:
    svn-lasted-edited-by: $Author:: henning                                    $:
    svn-last-changed:     $Date:: 2007-02-21 21:49:51 +0100 (Wed, 21 Feb 2007) $:
    @Entity
    @Table(name = "cabin")
    public class Cabin implements Serializable {
        /** The generated serial version UID used for serialization. */
        private static final long serialVersionUID = -8522497314498903378L;
        /** The actual version number of this class used for serialization. */
        private static int actualVersion = 1;
        /** The cabin's id. */
        @Id
        @GeneratedValue
        @Column(name = "id")
        private long id;
        /** The cabin's name */
        @Column(name = "name")
        private String name;
        /** The cabin's deck level */
        @Column(name = "deck_level")
        private int deckLevel;
        /** The cabin's ship id */
        @Column(name = "ship_id")
        private int shipId;
        /** The cabin's bed count */
        @Column(name="bed_count")
        private int bedCount;
    /---- Serialization/ Deserialization methods -/
    Method that is responsible for deserialization of the object.
    @param in The <code>ObjectInputStream</code> object to read
              the data from.
    @throws IOException That may occur when reading from the
                        <code>ObjectInputStream</code> object
    @throws ClassNotFoundException That may occur when invoking the default
                                   deserialization mechanism.
        private void readObject(final java.io.ObjectInputStream in)
            throws IOException, ClassNotFoundException {
            /* Invoke default deserialization mechanism. */
            in.defaultReadObject();
            /* Read the actual version number of the class. */
            actualVersion =  in.readInt();
        } // End of readObject()
    Method that is responsible for serialization of the object.
    @param out The <code>ObjectOutputStream</code> object to write
               the data to.
    @throws IOException That may occur when writing to the
                        <code>ObjectOutputStream</code> object.
        private void writeObject(final java.io.ObjectOutputStream out)
            throws IOException {
            /* Invoke default serialization mechanism. */
            out.defaultWriteObject();
            /* Write the actual version number of the class. */
            out.writeInt(actualVersion);
        } // End of writeObject()
    /---- Defining constructors -/
    Private default constructor.
        private Cabin() {
        } // End of default constructor
    Full constructor.
    @param name The cabin's name.
    @param deckLevel The cabin's deck level.
    @param shipId The cabin's ship id.
    @param bedCount The cabin's bed count.
        public Cabin(final String name,
                     final int deckLevel,
                     final int shipId,
                     final int bedCount) {
            this.name = name;
            this.deckLevel = deckLevel;
            this.shipId = shipId;
            this.bedCount = bedCount;
        } // End of full constructor
    /---- Overridden class methods -/
    Returns a string representation of the cabin's data.
    @see java.lang.Object#toString()
        @Override
        public String toString() {
            StringBuffer strBuf = new StringBuffer();
            strBuf.append(this.name);
            strBuf.append("\n");
            strBuf.append(this.deckLevel);
            strBuf.append("\n");
            strBuf.append(this.shipId);
            strBuf.append("\n");
            strBuf.append(this.bedCount);
            return strBuf.toString();
        } // End of toString()
    /---- Defining instance methods -/
    Get method for the member "<code>id</code>".
    @return Returns the id.
        public long getId() {
            return this.id;
    Set method for the member "<code>id</code>".
    HTDODO hm: Check whether it is possible to have setId method
    using private accesss level with NetWeaver JPA-Provider!
    @param id The id to set.
        private void setId(final long id) {
            this.id = id;
    Get method for the member "<code>name</code>".
    @return Returns the name.
        public String getName() {
            return this.name;
    Set method for the member "<code>name</code>".
    @param name The name to set.
        public void setName(final String name) {
            this.name = name;
    Get method for the member "<code>deckLevel</code>".
    @return Returns the deckLevel.
        public int getDeckLevel() {
            return this.deckLevel;
    Set method for the member "<code>deckLevel</code>".
    @param deckLevel The deckLevel to set.
        public void setDeckLevel(final int deckLevel) {
            this.deckLevel = deckLevel;
    Get method for the member "<code>shipId</code>".
    @return Returns the shipId.
        public int getShipId() {
            return this.shipId;
    Set method for the member "<code>shipId</code>".
    @param shipId The shipId to set.
        public void setShipId(final int shipId) {
            this.shipId = shipId;
    Get method for the member "<code>bedCount</code>".
    @return Returns the bedCount.
        public int getBedCount() {
            return this.bedCount;
    Set method for the member "<code>bedCount</code>".
    @param bedCount The bedCount to set.
        public void setBedCount(final int bedCount) {
            this.bedCount = bedCount;
    } // End of class Cabin
    [/code]
    After that I created the TravelAgentBean, a Stateless Session Bean, implementing
    a remote interface that allows construction and persisting of new Cabin objects:
    [code]
    package de.collogia.beans.session.stateless;
    import javax.ejb.Stateless;
    import javax.persistence.EntityManager;
    import javax.persistence.PersistenceContext;
    import de.collogia.beans.pojo.ship.Cabin;
    Class that implements the <code>TravelAgentRemote</code> interface
    and defines the business methods of the TravelAgent service.
    @author Henning Malzahn ([email protected])
    svn-revision:         $Rev:: 670                                           $:
    svn-lasted-edited-by: $Author:: henning                                    $:
    svn-last-changed:     $Date:: 2007-02-21 21:49:51 +0100 (Wed, 21 Feb 2007) $:
    @Stateless
    public class TravelAgentBean implements TravelAgentRemote {
        /** The <code>Log</code> object for this class. */
    //    private static final Log LOGGER;
        /** The <code>PersistenceManager</code> object. */
        @PersistenceContext(unitName = "titan_cruises_pu")
        EntityManager em;
    /---- Static initializer -/
    //    static {
    //        LOGGER = LogFactory.getLog(TravelAgentBean.class);
    //    } // End of static initializer block
    /---- Implementing remote interface methods -/
    {@inheritDoc}
        public void createCabin(final Cabin cabin) {
            this.em.persist(cabin);
        } // End of createCabin()
    } // End of class TravelAgentBean
    [/code]
    After that I created a Controller class containing a main method that looks up the remote
    interface of the TravelAgentBena like explained in document "Accessing Enterprise JavaBeans Using JNDI
    in SAP NetWeaver Application Server, Java ™ EE 5 Edition" written by Validimir Pavlov of SAP NetWeaver
    development team.
    Unfortunately I receive an Exception after invoking the createCabin(...) method.
    On the console of the NWDS I receive:
    [code]
    javax.ejb.EJBException: Exception in getMethodReady() for stateless bean sap.com/test2Earannotation|test2Ejb.jarannotation|TravelAgentBean;
    nested exception is: com.sap.engine.services.ejb3.util.pool.PoolException: javax.ejb.EJBException: Cannot perform injection over bean instance
    Caused by: java.lang.RuntimeException: The persistence unit is inconsistent:
    The entity >>de.collogia.beans.pojo.ship.Cabin<< is mapped to the table >>cabin<<, which does not exist.
    [/code]
    But if I look at the log file located in "C:\NWAS_JAVAEE5\JP1\JC00\j2ee\cluster\server0\log\defaultTrace.0.trc"
    I see the real reason is:
    [code]
    [EXCEPTION]
    #6#1064#42000#You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax
    to use near '"cabin"' at line 1#collnx02.collogia.de:3306:null:practise_titan_cruises#select * from "cabin"#com.mysql.jdbc.exceptions.MySQLSyntaxErrorException:
    You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '"cabin"' at line 1
         at com.mysql.jdbc.SQLError.createSQLException(SQLError.java:936)
         at com.mysql.jdbc.MysqlIO.checkErrorPacket(MysqlIO.java:2870)
         at com.mysql.jdbc.MysqlIO.sendCommand(MysqlIO.java:1573)
         at com.mysql.jdbc.MysqlIO.sqlQueryDirect(MysqlIO.java:1665)
         at com.mysql.jdbc.Connection.execSQL(Connection.java:3124)
         at com.mysql.jdbc.PreparedStatement.executeInternal(PreparedStatement.java:1149)
         at com.mysql.jdbc.PreparedStatement.executeQuery(PreparedStatement.java:1262)
         at com.sap.sql.jdbc.basic.BasicPreparedStatement.executeQuery(BasicPreparedStatement.java:99)
         at com.sap.sql.jdbc.direct.DirectPreparedStatement.executeQuery(DirectPreparedStatement.java:307)
         at com.sap.sql.jdbc.direct.DirectPreparedStatement.executeQuery(DirectPreparedStatement.java:264)
         at com.sap.engine.services.dbpool.wrappers.PreparedStatementWrapper.executeQuery(PreparedStatementWrapper.java:274)
    [/code]
    My goodness - what a long post - sorry for this - I hope I provided all information
    necessary to deal with the issue.
    Am I thinking in the right direction to blame attribute [code]<sql-engine>native_sql</sql-engine>[/code]
    of file data-sources.xml for the beaviour? Are there any other argument options than native_sql?
    Thanks in Advance!
    Henning Malzahn

    Hi Henning,
    > Despite the fact it's working now I have to do some
    > changes to my code currently
    > developed using JBoss/ Hibernate combination.
    > Hibernate allows you to have the
    > default no-arg constructor with private visibility -
    > any special reason for the fact that
    > only protected is allowed on NetWeaver?
    Here we strictly implemented the checks according to the requirements of the JPA specification. Technically, we could do with private constructors as well. But the JPA specifications requires the constructor to be protected to allow a JPA implementation to subclass entities if needed.
    > The entities in the project are final classes
    > so declaring a ctor protected doesn't really make
    > sense...
    For the same reason, your entities should not be final. Are we missing a check here ?
    > Also the persistence.xml parameter
    >
    hibernate.hbm2ddl.auto
    with the value of
    > create-drop is very useful while
    > developing the app - everytime you deploy the project
    > you get a fresh database.
    > Is there a comparable option for NetWeaver?
    No, unfortunately, there is no comparable option in SAP JPA (yet). We understand that there is a need for forward mapping. We would have liked to delegate this task to the JPA design time (i.e. Dali). However, we had to discover that Dali does not perform this task properly and we can't recommend using it any more.
    Consequently, there is no automatic schema generation in SAP JPA 1.0.
    >
    > Another thing is the extra TMP_SEQUENCE table which
    > isn't necessary using JBoss and
    > Hibernate - what's the reason for that?
    With Hibernate Entity Manager, the id generation strategy in use with GenerationType.AUTO depends on the database dialect. This means that depending on the database dialect, IDENTITY columns, SEQUENCES or generator tables (TableHiLo) are required. As Hibernate has the before mentioned schema generation property this fact can be hidden to the user.
    In SAP JPA, we are always using a table generator if GenerationType.AUTO is used. This allows for better portability across databases. It requires the table TMP_SEQUENCE. As we unfortunately do not have a schema generation capability, the user must create this table.
    Best regards,
    Adrian

  • How to develop using remote MySQL data?

    I need to develop an application with Flash Builder 4, but I need to develop using live data from the server?
    Can this not be done with Flash Builder 4?
    Brad Lawryk
    Adobe Community Professional: Dreamweaver
    Northern British Columbia Adobe Usergroup: Manager
    My Adobe Blog: http://blog.lawryk.com

    Okay.  Same answer really.  Most hosting providers will provide MySQL database connectivity as a default option (e.g a2 hosting).  Then when you deploy your app you are still talking to a database on the localhost (the web server) since your code is there too.  You can also write an AIR app that runs on your desktop and talks to the database on the web server using the same PHP stuff but just pointing to the remote I.P address. 
    For testing I use MAMP (mac) which gives me MySQL, Apache and PHP in one install.
    Regards
    Des.

  • MySQL gateway connection

    Looks like plenty of folks here have similar problems getting the dg4odbc gateway working for MySQL. Hope someone that's tackled this can help me out.
    Our configuration is such that we have our gateway machine separate from our Oracle database, and the MySQL machine is yet another server. We have installed and configured the gateway along with the unixODBC gateway and the MySQL connector. Running ./isql from the gateway successfully connects to the MySQL database and returns rows from specified tables.
    Our difficulty is with setting up the listener.ora (on the gateway) and tnsnames.ora (on the Oracle host). Here are the contents of those files:
    listenter.ora:
    SID_LIST_LISTENER =
        (SID_DESC =
          (PROGRAM = dg4odbc)
          (ORACLE_HOME=/db01/app/oracle/product/gateways)
          (SID_NAME = myodbc3)
          (ENVS=LD_LIBRARY_PATH=/opt/unixODBC/lib:/opt/mysql/myodbc5/lib:/usr/local/lib:/db01/app/oracle/product/gateways/lib)
    LISTENER =
      (DESCRIPTION_LIST =
        (DESCRIPTION =
          (ADDRESS = (PROTOCOL = IPC)(KEY = EXTPROC1))
          (ADDRESS = (PROTOCOL = TCP)(HOST = gw_host)(PORT = 1521))
      )tnsnames.ora:
    dg4odbc =
      (DESCRIPTION =
        (ADDRESS_LIST =
          (ADDRESS = (PROTOCOL = TCP)(HOST = gw_host)(PORT = 1521))
        (CONNECT_DATA = (SID= myodbc3))
        (HS=OK)
      )Listener status on the gateway is:
    -bash-3.00$ lsnrctl status
    LSNRCTL for Solaris: Version 11.1.0.6.0 - Production on 26-APR-2010 15:07:08
    Copyright (c) 1991, 2007, Oracle.  All rights reserved.
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=IPC)(KEY=EXTPROC1)))
    STATUS of the LISTENER
    Alias                     LISTENER
    Version                   TNSLSNR for Solaris: Version 11.1.0.6.0 - Production
    Start Date                26-APR-2010 14:41:51
    Uptime                    0 days 0 hr. 25 min. 17 sec
    Trace Level               off
    Security                  ON: Local OS Authentication
    SNMP                      OFF
    Listener Parameter File   /db01/app/oracle/product/gateways/network/admin/listener.ora
    Listener Log File         /db01/app/oracle/diag/tnslsnr/ozone4/listener/alert/log.xml
    Listening Endpoints Summary...
      (DESCRIPTION=(ADDRESS=(PROTOCOL=ipc)(KEY=EXTPROC1)))
      (DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=gw_host)(PORT=1521)))
    Services Summary...
    Service "myodbc3" has 1 instance(s).
      Instance "myodbc3", status UNKNOWN, has 1 handler(s) for this service...
    The command completed successfullyCan anyone see anything obvious in this configuration that's out of whack?
    I logged into sqlplus and create a public database link:
    SQL> create public database link mysql
      2   connect to user_name identified by password
      3  using 'dg4odbc';Executing a query via the link gives the following:
    SQL> select * from block@mysql;
    select * from block@mysql
    ERROR at line 1:
    ORA-28500: connection from ORACLE to a non-Oracle system returned this message:
    ORA-02063: preceding line from MYSQLAnyone seen this before or have any ideas for me? I've read through the docs and this forum and just cannot see where the problem lies.
    Earl
    P.S. tnsping from the Oracle database to the gateway gives this:
    merc@: tnsping dg4odbc
    TNS Ping Utility for Linux: Version 10.2.0.4.0 - Production on 26-APR-2010 15:15:07
    Copyright (c) 1997,  2007, Oracle.  All rights reserved.
    Used parameter files:
    /opt/oracle/product/10.2.0/db_1/network/admin/sqlnet.ora
    Used TNSNAMES adapter to resolve the alias
    Attempting to contact (DESCRIPTION = (ADDRESS_LIST = (ADDRESS = (PROTOCOL = TCP)(HOST = gw_host)(PORT = 1521))) (CONNECT_DATA = (SID= myodbc3)) (HS=OK))
    OK (0 msec)

    >
    Maybe it is sufficient to get the part where the libodbc.so library is loaded, so check where you'll find it in the strace file and provide this info until the error is visible in the traceHopefully this is what you wanted from truss.
    23074/1:     stat("/opt/unixODBC/lib/libodbc.so", 0xFFFFFFFF7FFFD4A0) = 0
    23074/1:     resolvepath("/opt/unixODBC/lib/libodbc.so", "/opt/unixODBC/lib/libodbc.so.1.0.0", 1023) = 34
    23074/1:     open("/opt/unixODBC/lib/libodbc.so", O_RDONLY)     = 9
    23074/1:     mmap(0x00100000, 32768, PROT_READ|PROT_EXEC, MAP_PRIVATE|MAP_ALIGN, 9, 0) = 0xFFFFFFFF7A400000
    23074/1:     mmap(0x00100000, 1826816, PROT_NONE, MAP_PRIVATE|MAP_NORESERVE|MAP_ANON|MAP_ALIGN, -1, 0) = 0xFFFFFFFF7A200000
    23074/1:     mmap(0xFFFFFFFF7A200000, 719355, PROT_READ|PROT_EXEC, MAP_PRIVATE|MAP_FIXED|MAP_TEXT, 9, 0) = 0xFFFFFFFF7A200000
    23074/1:     mmap(0xFFFFFFFF7A3AE000, 55864, PROT_READ|PROT_WRITE|PROT_EXEC, MAP_PRIVATE|MAP_FIXED|MAP_INITDATA, 9, 712704) = 0xFFFFFFFF7A3AE000
    23074/1:     mmap(0xFFFFFFFF7A3BC000, 1552, PROT_READ|PROT_WRITE|PROT_EXEC, MAP_PRIVATE|MAP_FIXED|MAP_ANON, -1, 0) = 0xFFFFFFFF7A3BC000
    23074/1:     munmap(0xFFFFFFFF7A2B0000, 1040384)          = 0
    23074/1:     memcntl(0xFFFFFFFF7A200000, 75448, MC_ADVISE, MADV_WILLNEED, 0, 0) = 0
    23074/1:     close(9)                         = 0
    23074/1:     stat("/opt/unixODBC/lib/libdl.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/mysql/myodbc5/lib/libdl.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/usr/local/lib/libdl.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/db01/app/oracle/product/gateways/lib/libdl.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/unixODBC/lib/libthread.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/mysql/myodbc5/lib/libthread.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/usr/local/lib/libthread.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/db01/app/oracle/product/gateways/lib/libthread.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/unixODBC/lib/libc.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/mysql/myodbc5/lib/libc.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/usr/local/lib/libc.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/db01/app/oracle/product/gateways/lib/libc.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/unixODBC/lib/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/opt/mysql/myodbc5/lib/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/usr/local/lib/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) = 0
    23074/1:     resolvepath("/usr/local/lib/libgcc_s.so.1", "/usr/local/lib/libgcc_s.so.1", 1023) = 28
    23074/1:     open("/usr/local/lib/libgcc_s.so.1", O_RDONLY)     = 9
    23074/1:     mmap(0xFFFFFFFF7A400000, 32768, PROT_READ|PROT_EXEC, MAP_PRIVATE|MAP_FIXED, 9, 0) = 0xFFFFFFFF7A400000
    23074/1:     close(9)                         = 0
    23074/1:     stat("/db01/app/oracle/product/gateways/lib/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/lib/64/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     stat("/usr/lib/64/libgcc_s.so.1", 0xFFFFFFFF7FFFD230) Err#2 ENOENT
    23074/1:     munmap(0xFFFFFFFF7A200000, 719355)          = 0
    23074/1:     munmap(0xFFFFFFFF7A3AE000, 58892)          = 0
    23074/1:     munmap(0xFFFFFFFF7A400000, 32768)          = 0
    23074/1:     write(7, "   h o a e r r : 2 8 5 0".., 14)     = 14
    23074/1:     time()                              = 1273255397
    23074/1:     write(7, " E x i t i n g   h g o l".., 40)     = 40
    23074/1:     write(7, " F a i l e d   t o   l o".., 81)     = 81
    23074/1:     time()                              = 1273255397
    23074/1:     write(7, " E x i t i n g   h g o l".., 49)     = 49
    23074/1:     time()                              = 1273255397
    23074/1:     write(7, " E x i t i n g   h g o i".., 126)     = 126
    23074/1:     getpid()                         = 23074 [5550]
    23074/1:     open("/proc/23074/map", O_RDONLY)          = 9
    23074/1:     fstat(9, 0xFFFFFFFF7FFFD1F8)               = 0
    23074/1:     open("/dev/zero", O_RDWR)               = 12
    23074/1:     mmap(0x00000000, 14872, PROT_READ|PROT_WRITE, MAP_PRIVATE, 12, 0) = 0xFFFFFFFF7AC00000
    23074/1:     pread(9, "\0\0\001\0\0\0\0\0\0\0\0".., 14872, 0) = 7488
    23074/1:     close(9)                         = 0
    23074/1:     munmap(0xFFFFFFFF7AC00000, 7592)          = 0
    23074/1:     write(7, " h o s t m s t r :      ".., 41)     = 41
    23074/1:     write(14, "\0 *\0\006\0\0\0\0\080\0".., 42)     = 42
    23074/1:     read(14, "\0 n\0\006\0\0\0\0\0 H\0".., 8208)     = 110
    23074/1:     getpid()                         = 23074 [5550]
    23074/1:     open("/proc/23074/map", O_RDONLY)          = 9
    23074/1:     fstat(9, 0xFFFFFFFF7FFFD4D8)               = 0
    23074/1:     open("/dev/zero", O_RDWR)               = 13
    23074/1:     mmap(0x00000000, 15080, PROT_READ|PROT_WRITE, MAP_PRIVATE, 13, 0) = 0xFFFFFFFF7A400000
    23074/1:     pread(9, "\0\0\001\0\0\0\0\0\0\0\0".., 15080, 0) = 7592
    23074/1:     close(9)                         = 0
    23074/1:     munmap(0xFFFFFFFF7A400000, 7696)          = 0
    23074/1:     write(7, " h o s t m s t r :      ".., 44)     = 44
    23074/1:     getpid()                         = 23074 [5550]
    23074/1:     open("/proc/23074/map", O_RDONLY)          = 9
    23074/1:     fstat(9, 0xFFFFFFFF7FFFD358)               = 0
    23074/1:     open("/dev/zero", O_RDWR)               = 15
    23074/1:     mmap(0x00000000, 15288, PROT_READ|PROT_WRITE, MAP_PRIVATE, 15, 0) = 0xFFFFFFFF7A300000
    23074/1:     pread(9, "\0\0\001\0\0\0\0\0\0\0\0".., 15288, 0) = 7696
    23074/1:     close(9)                         = 0There appear to be errors there but I have no idea how to read this output. Thanks again for your help.
    Earl

  • PHP MySQL data display problem

    I am having trouble getting data to display on my web page.In Dreamweaver CS3, I created a new page.
    Selected PHP as the type.
    Saved it.
    Connected a database and created a recordset (all using Dreamweavers menus. I did not write any code).
    NOTE: The database is on a remote server.
    The TEST button displayed the records from the recordset with no problem.
    On the new page, I then typed some text.
    Then dragged some fields from the Bindings tab to the page.
    I saved it and then went to preview it in my browser.
    The page comes up completely blank. Not even the text shows.
    I then saved the page as an HTML page.
    When I preview this in my browser, the text shows, but the fields and data do not.
    I then tried creating a dynamic table (again, using the Dreamweaver menus.).
    A similar thing happens, ie. If I save it as an HTML, the text shows and the column labels and border shows, but no data.
    Nothing shows if I save it as a PHP file.
    I can view the data online using files created by PHPMagic, so I know the data is there and retrievable.
    It is just in pages created in Dreamweaver that don’t work.
    What am I doing wrong?

    My web server supports PHP. I can disply PHP pages created by other software packages, just not the Dreamweaver ones.
    Frank
    Date: Thu, 4 Jun 2009 19:04:03 -0600
    From: [email protected]
    To: [email protected]
    Subject: PHP MySQL data display problem
    To view php pages - or pages with PHP code in them - in a browser, the page must be served up by a Web server that supports PHP. You can set up a testing server on your local machine for this purpose. Look for WAMP (Windows), MAMP (Mac), or XXAMP for some easily installed packages.
    Mark A. Boyd
    Keep-On-Learnin'
    This message was processed and edited by Jive.
    It shall not be considered an accurate representation of my words.
    It might not even have been intended as a reply to your message.
    >

  • Error in Mysql database connectivity

    hello,
    there is problem in Mysql database connectivity.
    when i connect JSP program to Mysql database it gives error :
    Server configuration denied access to data source
    please help me asap
    kuldip jain
    [email protected]

    i m also working on Mysql Java but on Window 2000 platform
    here is the Java code which successfully runing on my machine
    import java.sql.*;
    public class TestMySql
         public static void main(String[] Args)
              try
    Class.forName("org.gjt.mm.mysql.Driver").newInstance();
    Connection C = DriverManager.getConnection(
    "jdbc:mysql://server2:3306/Db?user=root");
    Statement Stmt = C.createStatement();
    ResultSet RS = Stmt.executeQuery("SELECT * from T1");
    while (RS.next()) {
                             System.out.println(RS.getString(1));
    catch (Exception E)
    System.out.println("SQLException: " + E.getMessage());

  • Plotting graph in LabVIEW from MySQL data table

    Is there any possibility to plot the data from MySQL data table in LabVIEW graph/chart??
    can somebody help me??
    thanks...

    I am new with LabVIEW and I am also with the same problem.
    No problems to write data into MySQL, but when trying to read data neither "fetch element data" or "get properties" answer !
    It is not possible to get a simple recordcount using the "get properties".  The same script give the right answers with MS Access, only changing the DB reference from "connection string" to a "UDL".  Does somebody can post an example retriving data (that runs ok even with a WHERE clause in the recordset) using MySQL ?
    The connection string I am using is:
    Driver={MySQL ODBC 5.1 Driver};Server=127.0.0.1;Database=DBname;User=root​;Password=xxx;Option=785;
    Attachments:
    MySQL_Access_diff.JPG ‏88 KB

  • Error MySQL #2002 connection could not be made etc from phpMyAdmin

    Error MySQL #2002 connection could not be made etc from phpMyAdmin
    I am just seting up Adobe Flash Builder 4.5 for PHP, Zend Server, MySQL and phpMyAdmin.
    On attempting The Tutorial Build your first Mobile PHP project I am getting this error.
    Can anybody help please ?

    Just thought I would add that I did every test the help files suggest, no firewall etc.
    Strange thing is that after the majority downloaded I had about 55 apps left that could not be updated because of the network connection that could not be made, I downloaded them manually instead of clicking 'yes please do download them all'.
    I still came across a few that gave me the msg that an connection could not be made but when I skipped them and came back later to try again it did download. Took some time but I now have them all up to date.
    Now see if I can sync the iPhone and iPad.
    I run the latest iTunes 10.4.1 (10) and 10.6.8, have not updated to Lion yet.
    cheers,
    Christine

  • OWB 11gr2 - MYSQL data issue

    Hi,
    We are using MYSQL 5.1.28 and OWB 11gr2.
    JDBC Driver - mysql-connector-java-5.1.12-bin.jar
    We created the platform and were able to successfully import all the objects. But when we try to view the data in owb ( right clicking on object and then selecting data) we get the following error -
    You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near "table_name") S' at line 1
    com.mysql.jdbc.exceptions.MySQLSyntaxErrorException: You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '"disk_drive") S' at line 1
         at com.mysql.jdbc.SQLError.createSQLException(SQLError.java:936)
         at com.mysql.jdbc.MysqlIO.checkErrorPacket(MysqlIO.java:2985)
         at com.mysql.jdbc.MysqlIO.sendCommand(MysqlIO.java:1631)
         at com.mysql.jdbc.MysqlIO.sqlQueryDirect(MysqlIO.java:1723)
         at com.mysql.jdbc.Connection.execSQL(Connection.java:3277)
         at com.mysql.jdbc.Connection.execSQL(Connection.java:3206)
         at com.mysql.jdbc.Statement.executeQuery(Statement.java:1232)
         at oracle.wh.ui.owbcommon.QueryResult.<init>(QueryResult.java:23)
         at oracle.wh.ui.owbcommon.dataviewer.relational.GenericQueryResult.<init>(GenericDVTableModel.java:44)
         at oracle.wh.ui.owbcommon.dataviewer.relational.GenericDVTableModel.doFetch(GenericDVTableModel.java:20)
         at oracle.wh.ui.owbcommon.dataviewer.RDVTableModel.fetch(RDVTableModel.java:53)
         at oracle.wh.ui.owbcommon.dataviewer.BaseDataViewerPanel$1.actionPerformed(BaseDataViewerPanel.java:221)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1849)
         at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2169)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:420)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:258)
         at javax.swing.AbstractButton.doClick(AbstractButton.java:302)
         at javax.swing.AbstractButton.doClick(AbstractButton.java:282)
         at oracle.wh.ui.owbcommon.dataviewer.BaseDataViewerPanel.executeQuery(BaseDataViewerPanel.java:536)
         at oracle.wh.ui.owbcommon.dataviewer.BaseDataViewerEditor.init(BaseDataViewerEditor.java:113)
         at oracle.wh.ui.owbcommon.dataviewer.BaseDataViewerEditor.<init>(BaseDataViewerEditor.java:55)
         at oracle.wh.ui.owbcommon.dataviewer.relational.DataViewerEditor.<init>(DataViewerEditor.java:17)
         at oracle.owbimpl.console.dataviewer.DataViewerIdeEditor.openImpl(DataViewerIdeEditor.java:154)
         at oracle.owbimpl.ide.editor.BaseFCOEditor.openImpl(BaseFCOEditor.java:151)
         at oracle.owbimpl.ide.editor.BaseEditor.open(BaseEditor.java:39)
         at oracle.ideimpl.editor.EditorState.openEditor(EditorState.java:276)
         at oracle.ideimpl.editor.EditorState.createEditor(EditorState.java:181)
         at oracle.ideimpl.editor.EditorState.getOrCreateEditor(EditorState.java:94)
         at oracle.ideimpl.editor.SplitPaneState.canSetEditorStatePos(SplitPaneState.java:231)
         at oracle.ideimpl.editor.SplitPaneState.setCurrentEditorStatePos(SplitPaneState.java:194)
         at oracle.ideimpl.editor.TabGroupState.createSplitPaneState(TabGroupState.java:103)
         at oracle.ideimpl.editor.TabGroup.addTabGroupState(TabGroup.java:375)
         at oracle.ideimpl.editor.EditorManagerImpl.createEditor(EditorManagerImpl.java:1400)
         at oracle.ideimpl.editor.EditorManagerImpl.createEditor(EditorManagerImpl.java:1334)
         at oracle.ideimpl.editor.EditorManagerImpl.openEditor(EditorManagerImpl.java:1260)
         at oracle.owbimpl.console.commands.DataViewerFCPCmd.performAction(DataViewerFCPCmd.java:61)
         at oracle.owbimpl.ide.menu.TreeMenuHandlerAdapter.handleEvent(TreeMenuHandlerAdapter.java:46)
         at oracle.owbimpl.ide.menu.OWBEditorActionController.handleEvent(OWBEditorActionController.java:214)
         at oracle.ide.controller.IdeAction.performAction(IdeAction.java:524)
         at oracle.ide.controller.IdeAction.actionPerformedImpl(IdeAction.java:866)
         at oracle.ide.controller.IdeAction.actionPerformed(IdeAction.java:496)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1849)
         at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2169)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:420)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:258)
         at javax.swing.AbstractButton.doClick(AbstractButton.java:302)
         at javax.swing.plaf.basic.BasicMenuItemUI.doClick(BasicMenuItemUI.java:1000)
         at javax.swing.plaf.basic.BasicMenuItemUI$Handler.mouseReleased(BasicMenuItemUI.java:1041)
         at java.awt.Component.processMouseEvent(Component.java:5501)
         at javax.swing.JComponent.processMouseEvent(JComponent.java:3135)
         at java.awt.Component.processEvent(Component.java:5266)
         at java.awt.Container.processEvent(Container.java:1966)
         at java.awt.Component.dispatchEventImpl(Component.java:3968)
         at java.awt.Container.dispatchEventImpl(Container.java:2024)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4212)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3892)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3822)
         at java.awt.Container.dispatchEventImpl(Container.java:2010)
         at java.awt.Window.dispatchEventImpl(Window.java:1778)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:157)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:149)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:110)
    Even tried running a CT's with MYSQL objects. CT throws invalid identifier on column name.
    How can i find what syntax owb is generating to pull data from MYSQL ? Is there any log ?
    Platform script is --
    OMBCREATE PLATFORM 'MYSQL_TEST' SET PROPERTIES (BUSINESS_NAME) VALUES ('MYSQL_TEST')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (DRIVER_CLASS,URI_TEMPLATE) VALUES ('com.mysql.jdbc.Driver','jdbc:mysql://<host>\[:<port>\]/\[<database>\]\[?<property>=<value>\[&<property>=<value>...\]\]')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (COL_ALIAS_WORD,TAB_ALIAS_WORD) VALUES ('AS', 'AS')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (DATE_MASK) VALUES ('DATETIME')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (DATE_FCT) VALUES ('CURRENT_DATE()')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (DDLNULL) VALUES ('')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (NUMERIC_MASK) VALUES ('DECIMAL(%L,%P)')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (VARCHAR_MASK) VALUES ('VARCHAR(%L)')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (LOCAL_OBJECT_MASK) VALUES ('%CATALOG.%OBJECT')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (DEFAULT_MAX_NAME_LEN) VALUES ('128')
    OMBALTER PLATFORM 'MYSQL_TEST' SET PROPERTIES (REMOTE_OBJECT_MASK) VALUES ('')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'TINYINT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'TINYINT' SET PROPERTIES(SYNTAX) VALUES ('TINYINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'TINYINT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TINYINT', 'TINYINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'TINYINT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TINYINT', 'TINYINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'BIGINT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'BIGINT' SET PROPERTIES(SYNTAX) VALUES ('BIGINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'BIGINT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BIGINT', 'BIGINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'BIGINT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BIGINT', 'BIGINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'MEDIUMBLOB'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'MEDIUMBLOB' SET PROPERTIES(SYNTAX) VALUES ('MEDIUMBLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'MEDIUMBLOB_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('MEDIUMBLOB', 'VARCHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'LONGBLOB'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'LONGBLOB' SET PROPERTIES(SYNTAX) VALUES ('LONGBLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'LONGBLOB_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('LONGBLOB', 'VARCHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'BLOB'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'BLOB' SET PROPERTIES(SYNTAX) VALUES ('BLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'BLOB_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BLOB', 'BLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'BLOB_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BLOB', 'BLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'TINYBLOB'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'TINYBLOB' SET PROPERTIES(SYNTAX) VALUES ('TINYBLOB')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'TINYBLOB_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TINYBLOB', 'VARCHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'CHAR'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'CHAR' SET PROPERTIES(P1,P1MAX,P1DEFAULT,P1TYPE) VALUES ('SIZE','255', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'CHAR' SET PROPERTIES(SYNTAX) VALUES ('CHAR(%SIZE)')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'CHAR_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('CHAR', 'CHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'CHAR_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('CHAR', 'CHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'ENUM'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'ENUM' SET PROPERTIES(P1,P1MAX,P1DEFAULT,P1TYPE) VALUES ('SIZE','255', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'ENUM' SET PROPERTIES(SYNTAX) VALUES ('ENUM')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'ENUM_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('ENUM', 'CHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'NUMERIC'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'NUMERIC' SET PROPERTIES(P1,P1MIN, P1MAX,P1DEFAULT,P1TYPE) VALUES ('PRECISION','1', '1000', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'NUMERIC' SET PROPERTIES(P2,P2MIN, P2MAX,P2DEFAULT,P2TYPE) VALUES ('SCALE','0', '18', '0','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'NUMERIC' SET PROPERTIES(SYNTAX) VALUES ('NUMERIC(%PRECISION,%SCALE)')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'NUMERIC_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('NUMERIC', 'NUMERIC')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'NUMERIC_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('NUMERIC', 'NUMERIC')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'DECIMAL'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DECIMAL' SET PROPERTIES(P1,P1MIN, P1MAX,P1DEFAULT,P1TYPE) VALUES ('PRECISION','1', '1000', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DECIMAL' SET PROPERTIES(P2,P2MIN, P2MAX,P2DEFAULT,P2TYPE) VALUES ('SCALE','0', '18', '0','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DECIMAL' SET PROPERTIES(SYNTAX) VALUES ('DECIMAL(%PRECISION,%SCALE)')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'DECIMAL_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DECIMAL', 'DECIMAL')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'DECIMAL_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DECIMAL', 'DECIMAL')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'INT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'INT' SET PROPERTIES(SYNTAX) VALUES ('INT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'INT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('INT', 'INTEGER')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'INT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('INTEGER', 'INT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'INT UNSIGNED'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'INT UNSIGNED' SET PROPERTIES(SYNTAX) VALUES ('INT UNSIGNED')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'INTU_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('INT UNSIGNED', 'INTEGER')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'MEDIUMINT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'MEDIUMINT' SET PROPERTIES(SYNTAX) VALUES ('MEDIUMINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'MEDIUMINT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('MEDIUMINT', 'NUMERIC')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'SMALLINT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'SMALLINT' SET PROPERTIES(SYNTAX) VALUES ('SMALLINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'SMALLINT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('SMALLINT', 'SMALLINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'SMALLINT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('SMALLINT', 'SMALLINT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'FLOAT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'FLOAT' SET PROPERTIES(P1,P1MAX,P1DEFAULT,P1TYPE) VALUES ('PRECISION','53', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'FLOAT' SET PROPERTIES(SYNTAX) VALUES ('FLOAT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'FLOAT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('FLOAT', 'FLOAT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'FLOAT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('FLOAT', 'FLOAT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'DOUBLE'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DOUBLE' SET PROPERTIES(SYNTAX) VALUES ('DOUBLE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'DOUBLE_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DOUBLE', 'DOUBLE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'DOUBLE_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DOUBLE', 'DOUBLE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'DOUBLE PRECISION'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DOUBLE PRECISION' SET PROPERTIES(SYNTAX) VALUES ('DOUBLE PRECISION')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'DOUBLE PRECISION_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DOUBLE PRECISION', 'NUMERIC')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'REAL'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'REAL' SET PROPERTIES(SYNTAX) VALUES ('REAL')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'REAL_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('REAL', 'REAL')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'REAL_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('REAL', 'REAL')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'VARCHAR'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'VARCHAR' SET PROPERTIES(P1,P1MAX,P1DEFAULT,P1TYPE) VALUES ('SIZE','65536', '1','RANGE')
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'VARCHAR' SET PROPERTIES(SYNTAX) VALUES ('VARCHAR(%SIZE)')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'VARCHAR_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('VARCHAR', 'VARCHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'VARCHAR_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('VARCHAR', 'VARCHAR')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'DATE'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DATE' SET PROPERTIES(SYNTAX) VALUES ('DATE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'DATE_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DATE', 'DATE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'DATE_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DATE', 'DATE')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'TIME'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'TIME' SET PROPERTIES(SYNTAX) VALUES ('TIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'TIME_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TIME', 'TIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'TIME_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TIME', 'TIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'DATETIME'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'DATETIME' SET PROPERTIES(SYNTAX) VALUES ('DATETIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'DATETIME_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DATETIME', 'DATETIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'DATETIME_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('DATETIME', 'DATETIME')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'TIMESTAMP'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'TIMESTAMP' SET PROPERTIES(SYNTAX) VALUES ('TIMESTAMP')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'TIMESTAMP_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TIMESTAMP', 'TIMESTAMP')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'TIMESTAMP_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TIMESTAMP', 'TIMESTAMP')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'TEXT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'TEXT' SET PROPERTIES(SYNTAX) VALUES ('TEXT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'TEXT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('TEXT', 'VARCHAR(MAX)')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'TEXT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('VARCHAR(MAX)', 'TEXT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD PLATFORM_TYPE 'BIT'
    OMBALTER PLATFORM 'MYSQL_TEST' MODIFY PLATFORM_TYPE 'BIT' SET PROPERTIES(SYNTAX) VALUES ('BIT')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD FROM_PLATFORM_TYPEMAP 'BIT_TOG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BIT', 'BOOLEAN')
    OMBALTER PLATFORM 'MYSQL_TEST' ADD TO_PLATFORM_TYPEMAP 'BIT_FROMG' SET PROPERTIES (FROM_DATATYPE, TO_DATATYPE) VALUES ('BOOLEAN', 'BIT')
    Regards,
    Samurai.
    Edited by: Samurai on Mar 8, 2010 7:34 AM
    Edited by: Samurai on Mar 8, 2010 7:55 AM

    Hi David,
    Is there any patch for it ? I checked on metalink but did not found anything related to bug.
    We have one more issue with importing objects in MYSQL. Most of the tables have primary constraints with name PRIMARY in MYSQL.
    When we select multiple tables for import, only the first table gets imported succesfully and on the other tables the constrainsts section blow up with error -
    creation failed (name already exists)
    On pressing ok, OWB throws an error - API2216: Cannot drop database link. Please contact oracle support with the stack trace and the details on how to reproduce it.
    This is corrupting the flatform. We get this error everytime we import an object. But the object gets imported.
    On the table which gets imported successfully , when i look at keys (constraints) there i dont see any columns under the constraint PRIMARY.
    Error Details -
    API2216: Cannot drop database link. Please contact Oracle Support with the stack trace and the details on how to reproduce it.
    API2216: Cannot drop database link. Please contact Oracle Support with the stack trace and the details on how to reproduce it.
    Persistent Layer Error:SQL Exception..
    Class Name: oracle.wh.service.sdk.integrator.RepositoryUtils.
    Method Name: dropDBLink(String).
    Method Name: -1.
    Persistent Layer Error Message: java.sql.SQLException: ORA-01729: database link name expected
    .     at oracle.wh.service.sdk.integrator.RepositoryUtils.dropDBLink(RepositoryUtils.java:331)
         at oracle.wh.service.sdk.integrator.RepositoryUtils.dropDBLink(RepositoryUtils.java:304)
         at oracle.wh.ui.integrator.common.wizards.ImportWizardDefinition.onFinish(ImportWizardDefinition.java:361)
         at oracle.wh.ui.owbcommon.OWBWizard.wizardFinished(OWBWizard.java:975)
         at oracle.bali.ewt.wizard.BaseWizard.processWizardEvent(Unknown Source)
         at oracle.bali.ewt.wizard.BaseWizard.processEventImpl(Unknown Source)
         at oracle.bali.ewt.LWComponent.processEvent(Unknown Source)
         at oracle.bali.ewt.wizard.BaseWizard.doFinish(Unknown Source)
         at oracle.bali.ewt.wizard.BaseWizard$Action.actionPerformed(Unknown Source)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1849)
         at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2169)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:420)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:258)
         at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(BasicButtonListener.java:236)
         at java.awt.Component.processMouseEvent(Component.java:5501)
         at javax.swing.JComponent.processMouseEvent(JComponent.java:3135)
         at java.awt.Component.processEvent(Component.java:5266)
         at java.awt.Container.processEvent(Container.java:1966)
         at java.awt.Component.dispatchEventImpl(Component.java:3968)
         at java.awt.Container.dispatchEventImpl(Container.java:2024)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4212)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3892)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3822)
         at java.awt.Container.dispatchEventImpl(Container.java:2010)
         at java.awt.Window.dispatchEventImpl(Window.java:1778)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:153)
         at java.awt.Dialog$1.run(Dialog.java:525)
         at java.awt.Dialog$2.run(Dialog.java:553)
         at java.security.AccessController.doPrivileged(Native Method)
         at java.awt.Dialog.show(Dialog.java:551)
         at java.awt.Component.show(Component.java:1300)
         at java.awt.Component.setVisible(Component.java:1253)
         at oracle.bali.ewt.wizard.WizardDialog.runDialog(Unknown Source)
         at oracle.bali.ewt.wizard.WizardDialog.runDialog(Unknown Source)
         at oracle.wh.ui.owbcommon.OWBWizard.initialize(OWBWizard.java:834)
         at oracle.wh.ui.owbcommon.OWBWizard.<init>(OWBWizard.java:202)
         at oracle.wh.ui.owbcommon.OWBWizard.<init>(OWBWizard.java:184)
         at oracle.wh.ui.owbcommon.IdeUtils._doShowWizardDefinition(IdeUtils.java:1247)
         at oracle.wh.ui.owbcommon.IdeUtils.showWizard(IdeUtils.java:487)
         at oracle.wh.ui.integrator.common.CommonController$1ImportDialogListener.actionPerformed(CommonController.java:127)
         at oracle.wh.service.sdk.OWBConsumer.dataItemAvailable(OWBInfoBus.java:381)
         at javax.infobus.DefaultController.fireItemAvailable(DefaultController.java:90)
         at javax.infobus.InfoBus.fireItemAvailable(InfoBus.java:989)
         at oracle.wh.service.sdk.OWBInfoBus.produce(OWBInfoBus.java:160)
         at oracle.wh.service.sdk.OWBInfoBus.produce(OWBInfoBus.java:76)
         at oracle.wh.ui.console.commands.TreeMenuHandler.notify(TreeMenuHandler.java:104)
         at oracle.wh.ui.console.commands.ModuleImportCmd.performAction(ModuleImportCmd.java:189)
         at oracle.owbimpl.ide.menu.TreeMenuHandlerAdapter.handleEvent(TreeMenuHandlerAdapter.java:46)
         at oracle.ide.controller.IdeAction.performAction(IdeAction.java:524)
         at oracle.ide.controller.IdeAction.actionPerformedImpl(IdeAction.java:866)
         at oracle.ide.controller.IdeAction.actionPerformed(IdeAction.java:496)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1849)
         at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2169)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:420)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:258)
         at javax.swing.AbstractButton.doClick(AbstractButton.java:302)
         at javax.swing.plaf.basic.BasicMenuItemUI.doClick(BasicMenuItemUI.java:1000)
         at javax.swing.plaf.basic.BasicMenuItemUI$Handler.mouseReleased(BasicMenuItemUI.java:1041)
         at java.awt.Component.processMouseEvent(Component.java:5501)
         at javax.swing.JComponent.processMouseEvent(JComponent.java:3135)
         at java.awt.Component.processEvent(Component.java:5266)
         at java.awt.Container.processEvent(Container.java:1966)
         at java.awt.Component.dispatchEventImpl(Component.java:3968)
         at java.awt.Container.dispatchEventImpl(Container.java:2024)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4212)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3892)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3822)
         at java.awt.Container.dispatchEventImpl(Container.java:2010)
         at java.awt.Window.dispatchEventImpl(Window.java:1778)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:157)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:149)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:110)
    Thanks,
    Samurai.

  • Getting MySQL Data into a Power BI Workbook Automatically -- Recommendations or Successes?

    Looking to retrieve MYSQL on premise data automatically and scheduled. Straight forward enough manually using Power Query, the MYSQL connector, and loading to a data model. But it would be nice getting it done at night.
    Is it best to get the data sent to SQL Azure first? Been reading conflicting success stories with scheduled refresh, Power query, and SQL Azure. Can create a DMG to MYSQL server but can not eliminate or migrate the MYSQL database.
    Any suggestions on architecting a solution? 

    Hi Galroy,
    Thanks for your quick reply. I have seen that link. What I'm not clear on is the best approach to setup a refresh to SQL Azure since that seems the supported data source. It appears that a data managed gateway is not needed if scheduling a refresh of
    a data connection in the Data model that points to SQL Azure db. But does this mean the userid and password has to be included in the workbook. If so, if someone copies the workbook to another location (another company) will the update still work?

  • MySQL Data Server Wont's start

    I had all my local setup running and my databases backups and local connections working fine, since i did the last security update my MySQL server wont Start and so all my Localhost or 127.0.0.1. host, on my sites and CocoaMySql, "Reason: internal Error". when starting it from my System preferences.
    Any recomendations?
    thanks indeed!

    Mar 21 12:39:43 Anibal authexec: executing /Users/anibal/Library/PreferencePanes/MySQL.prefPane/Contents/Resources/mahelpe r
    Mar 21 13:01:08 Anibal sudo: anibal : TTY=ttyp1 ; PWD=/Users/anibal ; USER=root ; COMMAND=/usr/bin/find /usr/local/mysql/data -type f -exec rm {} ;
    Mar 21 13:02:31 Anibal sudo: anibal : TTY=ttyp1 ; PWD=/usr/local/mysql-standard-4.0.26-apple-darwin7.9.0-powerpc ; USER=root ; COMMAND=./scripts/mysqlinstalldb
    Mar 21 13:02:43 Anibal sudo: anibal : TTY=ttyp1 ; PWD=/usr/local/mysql-standard-4.0.26-apple-darwin7.9.0-powerpc ; USER=root ; COMMAND=/usr/sbin/chown -R mysql data/
    Mar 21 13:05:34 Anibal sudo: anibal : TTY=ttyp1 ; PWD=/usr/local/mysql-standard-4.0.26-apple-darwin7.9.0-powerpc ; USER=root ; COMMAND=scripts/mysqlinstalldb --user=mysql
    Mar 21 14:21:25 Anibal sudo: anibal : TTY=ttyp1 ; PWD=/usr/local/mysql-standard-4.0.26-apple-darwin7.9.0-powerpc ; USER=root ; COMMAND=./bin/mysqld_safe

  • Excel Table with SharePoint Data Connection - Manual Text Entry Misaligned After Refresh

    Greetings!
    I have an Excel 2010 workbook that includes a table linked to my SharePoint 2013 site by a data connection. The SharePoint list feeds the table standard information that's managed on the SharePoint site, but I need the user of the Excel workbook to be able
    to enter text manually in the workbook to associate local information with the line-items coming from the SharePoint list. To do this, I've added extra columns to the end of the table.
    The user can enter information in the appropriate cells in the "extra" columns at the end of the table, but when I refresh the data connection, the addition of a new list item on the SharePoint side results in the user's manually entered text getting
    out of alignment with the row it's supposed to be associated with.
    Example
    Column 1(SP)
    Column 2(Extra)
    Row 1
    Item 1
    Row 2
    Item 2
    Text entered for Item 2
    Row 3
    Item 3
    Then, if I add a new item to the list in SharePoint, for example, something that would appear between the original items 1 & 2, after refreshing the table, I get the following:
    Column 1(SP)
    Column 2(Extra)
    Row 1
    Item 1
    Row 2
    New Item 1.5
    Text entered for Item 2
    Row 3
    Item 2
    Row 4
    Item 3
    The table's data connection is set to insert rows for new items, and I could swear I had this working properly once upon a time...but I can't seem to make it work now.
    Any thoughts on what would cause this?
    Thanks in advance!

    Hi Eric,
    >>but it seems that by extending the table itself to encompass both the SharePoint-sourced columns and the additional columns, that an association would be created between all columns for a given row in the table, no?<<
    From my understanding, the answer is no.
    Another example:
    I have an additional column named "Column2" and an external column named "ID" (see "before").
    After I add a new record and refresh this table, Excel will keep the last row in "column2" and add an empty cell in the second last row. (See "After")
    If I delete the eighth data and refresh this table, Excel will still keep the last row and remove the last second cell.
    In your case, if you insert a new record in the middle of the data and refresh this table, Excel will synchronized the external data and add a new cell in the additional column in the second last row.
    From my understanding, Excel will always change the second last row to suit for deleting or adding record.
    Hope this helps.
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Error while uploading WSDL file in Interactive Form Data Connection!

    I have created we service to return some data based on user input.
    I am trying to link this webservice to Interactive adobe form! and While creating new data connection->uploading WSDL file--> I am receiving error i.e. Invalid File.
    Please help me in resolving this issue.
    I have created this WSDL file copy/pasting XML code generates from "Open WSDL document for selected binding" link in SOAMANAGER.
    Regards,
    Naveen.I

    Hello,
    This is a Webservice created for the FM : HRXSS_PER_READ_EMERGENCY_AR
    Here is the sample of the WSDL file generated, as asked by you.
    <?xml version="1.0" encoding="utf-8" ?>
    - <wsdl:definitions targetNamespace="urn:sap-com:document:sap:soap:functions:mc-style" xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/" xmlns:http="http://schemas.xmlsoap.org/wsdl/http/" xmlns:mime="http://schemas.xmlsoap.org/wsdl/mime/" xmlns:tns="urn:sap-com:document:sap:soap:functions:mc-style" xmlns:wsp="http://schemas.xmlsoap.org/ws/2004/09/policy" xmlns:wsu="http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd" xmlns:n1="urn:sap-com:document:sap:rfc:functions">
    - <wsdl:documentation>
      <sidl:sidl xmlns:sidl="http://www.sap.com/2007/03/sidl" />
      </wsdl:documentation>
      <wsp:UsingPolicy wsdl:required="true" />
    - <wsp:Policy wsu:Id="BN_BN_ZHR_READ_EMERGENCY">
      <saptrnbnd:OptimizedXMLTransfer uri="http://xml.sap.com/2006/11/esi/esp/binxml" xmlns:saptrnbnd="http://www.sap.com/webas/710/soap/features/transportbinding/" wsp:Optional="true" />
      <saptrnbnd:OptimizedXMLTransfer uri="http://www.w3.org/2004/08/soap/features/http-optimization" xmlns:saptrnbnd="http://www.sap.com/webas/710/soap/features/transportbinding/" wsp:Optional="true" />
    - <wsp:ExactlyOne xmlns:wsp="http://schemas.xmlsoap.org/ws/2004/09/policy" xmlns:sapsp="http://www.sap.com/webas/630/soap/features/security/policy" xmlns:sp="http://docs.oasis-open.org/ws-sx/ws-securitypolicy/200702" xmlns:wsa="http://www.w3.org/2005/08/addressing" xmlns:wsu="http://schemas.xmlsoap.org/ws/2002/07/utility">
    - <wsp:All>
    - <sp:TransportBinding>
    - <wsp:Policy>
    - <sp:TransportToken>
    - <wsp:Policy>
      <sp:HttpsToken />
      </wsp:Policy>
      </sp:TransportToken>
    - <sp:AlgorithmSuite>
    - <wsp:Policy>
      <sp:TripleDesRsa15 />
      </wsp:Policy>
      </sp:AlgorithmSuite>
    - <sp:Layout>
    - <wsp:Policy>
      <sp:Strict />
      </wsp:Policy>
      </sp:Layout>
      </wsp:Policy>
      </sp:TransportBinding>
      </wsp:All>
      </wsp:ExactlyOne>
      </wsp:Policy>
    - <wsp:Policy wsu:Id="IF_IF_ZHR_READ_EMERGENCY">
    - <sapsession:Session xmlns:sapsession="http://www.sap.com/webas/630/soap/features/session/">
      <sapsession:enableSession>false</sapsession:enableSession>
      </sapsession:Session>
      <sapcentraladmin:CentralAdministration xmlns:sapcentraladmin="http://www.sap.com/webas/700/soap/features/CentralAdministration/" wsp:Optional="true" />
      </wsp:Policy>
    - <wsp:Policy wsu:Id="OP_IF_OP_HrxssPerReadEmergencyAr">
      <sapcomhnd:enableCommit xmlns:sapcomhnd="http://www.sap.com/NW05/soap/features/commit/">false</sapcomhnd:enableCommit>
      <sapblock:enableBlocking xmlns:sapblock="http://www.sap.com/NW05/soap/features/blocking/">true</sapblock:enableBlocking>
      <saptrhnw05:required xmlns:saptrhnw05="http://www.sap.com/NW05/soap/features/transaction/">no</saptrhnw05:required>
      <saprmnw05:enableWSRM xmlns:saprmnw05="http://www.sap.com/NW05/soap/features/wsrm/">false</saprmnw05:enableWSRM>
      </wsp:Policy>
    - <wsdl:types>
    - <xsd:schema attributeFormDefault="qualified" targetNamespace="urn:sap-com:document:sap:rfc:functions">
    - <xsd:simpleType name="char1">
    - <xsd:restriction base="xsd:string">
      <xsd:maxLength value="1" />
      </xsd:restriction>
      </xsd:simpleType>
    "More simple types
      <xsd:pattern value="\d*" />
      </xsd:restriction>
      </xsd:simpleType>
      </xsd:schema>
    - <xsd:schema attributeFormDefault="qualified" targetNamespace="urn:sap-com:document:sap:soap:functions:mc-style" xmlns:n0="urn:sap-com:document:sap:rfc:functions">
      <xsd:import namespace="urn:sap-com:document:sap:rfc:functions" />
    - <xsd:complexType name="Bapiret2">
    - <xsd:sequence>
    "More element names
    - <xsd:complexType>
    - <xsd:sequence>
      <xsd:element name="Messages" type="tns:Bapirettab" />
      <xsd:element name="Records" type="tns:HcmtBspPaArR0006Tab" />
      <xsd:element name="Records2" type="tns:HcmtBspPaArR0021Tab" />
      </xsd:sequence>
      </xsd:complexType>
      </xsd:element>
      </xsd:schema>
      </wsdl:types>
    - <wsdl:message name="HrxssPerReadEmergencyAr">
      <wsdl:part name="parameters" element="tns:HrxssPerReadEmergencyAr" />
      </wsdl:message>
    - <wsdl:message name="HrxssPerReadEmergencyArResponse">
      <wsdl:part name="parameter" element="tns:HrxssPerReadEmergencyArResponse" />
      </wsdl:message>
    - <wsdl:portType name="ZHR_READ_EMERGENCY">
    - <wsp:Policy>
      <wsp:PolicyReference URI="#IF_IF_ZHR_READ_EMERGENCY" />
      </wsp:Policy>
    - <wsdl:operation name="HrxssPerReadEmergencyAr">
    - <wsp:Policy>
      <wsp:PolicyReference URI="#OP_IF_OP_HrxssPerReadEmergencyAr" />
      </wsp:Policy>
      <wsdl:input message="tns:HrxssPerReadEmergencyAr" />
      <wsdl:output message="tns:HrxssPerReadEmergencyArResponse" />
      </wsdl:operation>
      </wsdl:portType>
    - <wsdl:binding name="ZHR_READ_EMERGENCY" type="tns:ZHR_READ_EMERGENCY">
    - <wsp:Policy>
      <wsp:PolicyReference URI="#BN_BN_ZHR_READ_EMERGENCY" />
      </wsp:Policy>
      <soap:binding transport="http://schemas.xmlsoap.org/soap/http" style="document" />
    - <wsdl:operation name="HrxssPerReadEmergencyAr">
      <soap:operation soapAction="" style="document" />
    - <wsdl:input>
      <soap:body use="literal" />
      </wsdl:input>
    - <wsdl:output>
      <soap:body use="literal" />
      </wsdl:output>
      </wsdl:operation>
      </wsdl:binding>
    - <wsdl:service name="service">
    - <wsdl:port name="ZHR_READ_EMERGENCY" binding="tns:ZHR_READ_EMERGENCY">
      <soap:address location="http://cieh4-srvr.collabera.com:8000/sap/bc/srt/rfc/sap/zhr_read_emergency/900/zhr_read_emergency/zhr_read_emergency" />
      </wsdl:port>
      </wsdl:service>
      </wsdl:definitions>
    Cheers,
    Remi

Maybe you are looking for

  • IP address storing as reverse hexa format in dhcp server

    Hi , am looking wired and strange state in my dhcp server(win 2008) Added my esx machine mac address in dhcp(ex: ip address w.x.y.z) server after few days my esx host ip address changed to 0.0.0.0 .and in dhcp server at(w.x.y.z) address leases it rep

  • 30-pin adapter iPhone 4 to 6 Lightning

    I'm looking for a 30-pin adapter iPhone 4 to the new iPhone 6 Lightning . As I have a new iPhone 6 instead of iPhone 4 . Made by Apple . Any advice will be appreciated Thanks

  • Deskjet 9800 prints incorrectly

    Printed 8 1/2 x 11 on 11 x 17 print jobs....printed 8 1/2 x 11 jobs at 90 degrees from desired ( landscape instead of portrait).   Installed driver from another model and it worked OK  Wouldn't print - "out of paper"....not true, black ink had leaked

  • Apps on the ipad

    I was new to the iPad. When I tried to install an application it asked me for a credit card information when I told this to my friend he installed it for me by his account now when I want to do it by myy own account it is his account which is coming

  • Downgraded from Firefox 5.0 to 4.01 and can't find old search terms now

    Because there were so many issues with the compatibility between Firefox 5.0 and Norton and Norton toolbar, I decided to downgrade back to Firefox 4.01. I saved all of my old settings when I did so. However, now when I go to http://www.google.com/fir