NetApp Cloning Plug-in for Oracle Multitenant Database

Hi,I put in the following snapvault command: snapvault start -S 10.100.6.59:/vol/vol_appasure2 /vol/vol35859/appasure2 This is supposed to initialize a snapvault relation ship to my vfiler which is the destiantion. However , it says it is in "pending" status  -- unitialized.   How do I determine why it is in pending status? Thanks, 

Hi Gerald,
I would recommend downloading the Early Adopter release of the Oracle SQL Developer Migration Workbench - http://www.oracle.com/technology/tech/migration/workbench/index_sqldev_omwb.html -, to carry out the database migration of your MS Access database. This is a new, redeveloped tool that extends the functionality and usability offered by the original Oracle Migration Workbench. The early adopter is only available for SQL Developer 1.1 Patch 2. In SQL Developer, ensure that you follow the instructions to "Check for Updates". This will add the Migration Workbench and the MS Access extension, required to migrate your MS Access database.
I hope this helps.
Regards,
Hilary

Similar Messages

  • How we build Java Database Connectivity for Oracle 8i Database

    Can any one send me a sample code for Java Database Connectivity for Oracle 8i Database
    it will be a grat help
    Thanks & Regards
    Rasika

    You don't need a DSN if you use Oracle's JDBC driver.
    You didn't read ANY of the previous replies. What makes you think this one willk help? Or any instruction, for that matter?
    Sounds like you just want someone to give it to you. OK, I'll bite, but you have to figure out the rest:
    import java.sql.*;
    import java.util.*;
    * Command line app that allows a user to connect with a database and
    * execute any valid SQL against it
    public class DataConnection
        public static final String DEFAULT_DRIVER   = "sun.jdbc.odbc.JdbcOdbcDriver";
        public static final String DEFAULT_URL      = "jdbc:odbc:DRIVER={Microsoft Access Driver (*.mdb)};DBQ=c:\\Edu\\Java\\Forum\\DataConnection.mdb";
        public static final String DEFAULT_USERNAME = "admin";
        public static final String DEFAULT_PASSWORD = "";
        public static final String DEFAULT_DRIVER   = "com.mysql.jdbc.Driver";
        public static final String DEFAULT_URL      = "jdbc:mysql://localhost:3306/hibernate";
        public static final String DEFAULT_USERNAME = "admin";
        public static final String DEFAULT_PASSWORD = "";
        /** Database connection */
        private Connection connection;
         * Driver for the DataConnection
         * @param command line arguments
         * <ol start='0'>
         * <li>SQL query string</li>
         * <li>JDBC driver class</li>
         * <li>database URL</li>
         * <li>username</li>
         * <li>password</li>
         * </ol>
        public static void main(String [] args)
            DataConnection db = null;
            try
                if (args.length > 0)
                    String sql      = args[0];
                    String driver   = ((args.length > 1) ? args[1] : DEFAULT_DRIVER);
                    String url      = ((args.length > 2) ? args[2] : DEFAULT_URL);
                    String username = ((args.length > 3) ? args[3] : DEFAULT_USERNAME);
                    String password = ((args.length > 4) ? args[4] : DEFAULT_PASSWORD);
                    System.out.println("sql     : " + sql);
                    System.out.println("driver  : " + driver);
                    System.out.println("url     : " + url);
                    System.out.println("username: " + username);
                    System.out.println("password: " + password);
                    db = new DataConnection(driver, url, username, password);
                    System.out.println("Connection established");
                    Object result = db.executeSQL(sql);
                    System.out.println(result);
                else
                    System.out.println("Usage: db.DataConnection <sql> <driver> <url> <username> <password>");
            catch (SQLException e)
                System.err.println("SQL error: " + e.getErrorCode());
                System.err.println("SQL state: " + e.getSQLState());
                e.printStackTrace(System.err);
            catch (Exception e)
                e.printStackTrace(System.err);
            finally
                if (db != null)
                    db.close();
                db = null;
         * Create a DataConnection
         * @throws SQLException if the database connection fails
         * @throws ClassNotFoundException if the driver class can't be loaded
        public DataConnection() throws SQLException,ClassNotFoundException
            this(DEFAULT_DRIVER, DEFAULT_URL, DEFAULT_USERNAME, DEFAULT_PASSWORD);
         * Create a DataConnection
         * @throws SQLException if the database connection fails
         * @throws ClassNotFoundException if the driver class can't be loaded
        public DataConnection(final String driver,
                              final String url,
                              final String username,
                              final String password)
            throws SQLException,ClassNotFoundException
            Class.forName(driver);
            this.connection = DriverManager.getConnection(url, username, password);
         * Get Driver properties
         * @param database URL
         * @return list of driver properties
         * @throws SQLException if the query fails
        public List getDriverProperties(final String url)
            throws SQLException
            List driverProperties   = new ArrayList();
            Driver driver           = DriverManager.getDriver(url);
            if (driver != null)
                DriverPropertyInfo[] info = driver.getPropertyInfo(url, null);
                if (info != null)
                    driverProperties    = Arrays.asList(info);
            return driverProperties;
         * Clean up the connection
        public void close()
            close(this.connection);
         * Execute ANY SQL statement
         * @param SQL statement to execute
         * @returns list of row values if a ResultSet is returned,
         * OR an altered row count object if not
         * @throws SQLException if the query fails
        public Object executeSQL(final String sql) throws SQLException
            Object returnValue;
            Statement statement = null;
            ResultSet rs = null;
            try
                statement = this.connection.createStatement();
                boolean hasResultSet    = statement.execute(sql);
                if (hasResultSet)
                    rs                      = statement.getResultSet();
                    ResultSetMetaData meta  = rs.getMetaData();
                    int numColumns          = meta.getColumnCount();
                    List rows               = new ArrayList();
                    while (rs.next())
                        Map thisRow = new LinkedHashMap();
                        for (int i = 1; i <= numColumns; ++i)
                            String columnName   = meta.getColumnName(i);
                            Object value        = rs.getObject(columnName);
                            thisRow.put(columnName, value);
                        rows.add(thisRow);
                    returnValue = rows;
            else
                int updateCount = statement.getUpdateCount();
                returnValue     = new Integer(updateCount);
            finally
                close(rs);
                close(statement);
            return returnValue;
         * Close a database connection
         * @param connection to close
        public static final void close(Connection connection)
            try
                if (connection != null)
                    connection.close();
                    connection = null;
            catch (SQLException e)
                e.printStackTrace();
         * Close a statement
         * @param statement to close
        public static final void close(Statement statement)
            try
                if (statement != null)
                    statement.close();
                    statement = null;
            catch (SQLException e)
                e.printStackTrace();
         * Close a result set
         * @param rs to close
        public static final void close(ResultSet rs)
            try
                if (rs != null)
                    rs.close();
                    rs = null;
            catch (SQLException e)
                e.printStackTrace();
         * Close a database connection and statement
         * @param connection to close
         * @param statement to close
        public static final void close(Connection connection, Statement statement)
            close(statement);
            close(connection);
         * Close a database connection, statement, and result set
         * @param connection to close
         * @param statement to close
         * @param rs to close
        public static final void close(Connection connection,
                                       Statement statement,
                                       ResultSet rs)
            close(rs);
            close(statement);
            close(connection);
    }%

  • How to configure Oracle Dataguard for Oracle 10g database

    Hi Friends,
    I would like to configuer Oracle Dataguard for my Oracle 10g Database.
    Please provide me the configuration document.(step by step guide)
    Regards,
    DB

    Hi
    Go throw below link. This would be help to configure ODG..,
    http://blogs.oracle.com/AlejandroVargas/2007/09/data_guard_physical_standby_im.html
    http://blogs.oracle.com/AlejandroVargas/2007/10/data_guard_broker_observer_and.html
    Thanks,
    Mayilselvan.S

  • Cannot connect HTTP Server for oracle 9i database

    I tried starting the HTTP Sever for oracle 9i, but i keep getting this error:
    Could not start the OracleOraHome92HTTPServer service on Local Computer.
    The service did not return an error. This could be an internal Windows error or an intrenal service error.
    If the problem persists, contact your system administrator.
    Any thoughts??
    Also I get an ORA- 12535 TNS:timed- out error when I try accessing oracle 9i to create a new database...
    Help....
    Thanks in advance

    Hi Jim,
    the command is 'apachectl start'. You find the executable apachectl under $ORACLE_HOME/Apache/Apache/bin .
    Best regards
    Werner

  • Oracle interMedia RealServer plug-in for Oracle 9i DB

    Hi,
    I've installed the plugin from http://otn.oracle.com/software/products/intermedia/htdocs/descriptions/real.html, however the page shown for solaris version just up to 8i, Can I use the plugins for 9i?
    thanks,
    khchan

    See:
    Plug-ins for RealServer 8 and Oracle 9i

  • Which processor is best for Oracle 10G database : Intel or AMD

    Hi,
    I am buying a new laptop for 34000 rs (700$) . I am configuring it for my office use. i am oracle apps developer.
    Can anyone suggest shud i go for Caompaq or Acer?
    Which processor will best handle Oracle 10G database? Inter Core Duo  or   AMD Turion?
    Thanks,

    gayatri chodankar wrote:
    Hi,
    I am not sure about "hosting a serveice means". i will be installing Oracle discoverer administrator and optionally pl/sql developer.
    I remember that we had installed oracle10g on my friends AMD desktop....and that had killed the performance like crazy.It must have something to do with the configuration of instance. I have at least two desktops running AMD and it works perfectly fine.
    >
    The laptop i m buying is *250 GB HDD, 2 GB RAM and windows vista*.As Nicolas has rightly pointed out in his post, which version of Vista is this? Remember that Vista Home edition is not supported by Oracle. You might get the things to run but you cannot guarantee the stability.
    The only thing i m confused bout is whther i shud go for AMD or Inter core processor.
    In this case, this would be a matter of personal choice. Both processors are at par with each other (now I am not going into the details of architecture and other things).

  • Literature for Oracle Mobile Database needed

    I am just looking at the performance of the synchronization of "Oracle Database Mobile Server" for my bachelor's thesis.
    But now I need a little more general literature on the "Oracle Database Mobile Server." Has anyone possibly an advice for me? I can not find anything reliable besides the official Oracle documentation.
    Any reference is welcome.
    Philipp

    My blog has some topics about performance, not sure if it specific to your thesis though as the performance topics are very specific. In general, two factors go into the performance of the mobile server... factor 1, the hardware, both database and application server. More on the database side than any thing else. 2nd factor, SQL and Database design. So, for performance tuning, I usually recommend reading or oracle SQL database tuning as it usually resolves most issues. But there isn't a paper or topic on mobile server tuning that would be enough to cover an entire thesis. I could be wrong though.

  • Minimum System Requirement for Oracle 12c Database Installation

    Hi,
           Can Anybody please tell me the minimum requirement ti install Oracle 12c Database On Virtual Box.
    Regards...
    Asit

    Enterprise Edition        6.4 GB
    Standard Edition          6.1 GB
    Standard Edition One   6.1 GB
    This are the pure hdd requirements.
    Then it's 1 GB of space in the /tmp directory.
    Minimum: 1 GB of RAM
    Recommended: 2 GB of RAM or more.
    Swap Space Requirement for Linux:
    Between 1 GB and 2 GB.
    1.5 times the size of the RAM
    Between 2 GB and 16 GB
    Equal to the size of the RAM
    More than 16 GB
    16 GB

  • Want to know about certification path for Oracle 11g database OCP.

    Is it OK to give the exams first and then submit the course studied for OCP ?
    I have studied three modules required for OCP ; SQL Fundamentals, Admin I and Admin II, and now I am planning to give all 3 exams in January 2015. But I don't have Enrollment ID for course submission. The institute where I learned is trying for Oracle Workforce Development program for 11g, and it will take sometime. So presently I don't have Enrollment ID.

    SudeepShakya wrote:
    Thank You Very Much. I will take all 3 exams and then submit the course after the institute acquires affiliation.
    Could I take this opportunity to remind people to ensure people taking courses from non oracle university institutions ensure their training provider is authorized to deliver that training by Oracle University for the fullfilment of any associated Oracle certification training requirement.
    https://blogs.oracle.com/certification/entry/are_you_getting_your_training

  • Microsoft Access plug-in for oracle migration workbench

    I would like to migrate from Microsoft Access to oracle 10g,but Microsoft Access plug-in had not found on web site oracle.com.
    Where can obtain the Microsoft Access plug-in?
    Thanks!

    Hi,
    Oracle SQL Developer 1.2 incorporates the Migration Workbench, providing users with the ability to migrate database objects and data from MySQL, Microsoft SQL Server and Microsoft Access to Oracle. Oracle SQL Developer release 1.2.1 can be downloaded from OTN - http://www.oracle.com/technology/tech/migration//workbench/index_sqldev_omwb.html.
    I would recommend that you review the accompanying documentation - http://download.oracle.com/docs/cd/E10405_01/doc/nav/portal_booklist.htm - to ensure that you understand how to use the tool for the migration of your MS Access MDB file.
    Regards,
    Hilary

  • CTXSYS.Context in Oracle Multitenant Database (Cloud) - is this supported?

    Hello guys,
    I am new to the world of apex which makes the administration console for the oracle database cloud a trivial ground for me.
    I am trying to setup context indextype which i require for some applications on the jcs front end. however, i am having no luck setting up this index types.
    I havent been able to find any resources regarding the CTXSYS package within the oracle database cloud documentation so I am hoping someone out here may have a few tips or tricks for me.
    How can I grant execute on CTXSYS.CTX_DDL object to my database users?
    thanks.

    There's no oracle text support for database cloud services shamefully.
    I cant help but wonder why oracle wont support features of its own product, not something to brag about "Oracle!!!!"

  • Which ojdbc14.jar JDBC driver to use for Oracle 10g database

    When ODI is installed there seems to be an Oralce JDBC driver in place in the drivers folder (ojdbc14.jar).
    When we connect to an Oracle datastore and point to a table and use the 'reverse' function to populate the columns - it sort of works OK but does not bring back the datatypes properly. This is found to be when the Oracle table has UNICODE character datatypes NCHAR and NVARCHAR. If a table has CHAR and VARCHAR it is all OK but any table that has UNICODE datatyoe has a problem.
    Is this likely to be the JDBC driver ?
    We have tried replacing this ojdbc14.jar with the older classes12 and this, as expected, did not resolve the issue.
    We then tried replacing it with the latest 10.2.0.4 ojdbc14.jar but again no difference.
    Does anyone have any experience with Oracle JDBC drivers and what release level to use - and using against UNICODE datatypes in tables ?
    Regards

    Our problem is that when we use 'reverse' to populate the columns from a physicla table in an Oracle database - ODI is obviously 'seeing' the ORacle table and is correctly understanding the columns in the table and defining them in it's model - but wherever there is a column with a datatype in the ORacle database of NCHAR or NVARCHAR it fails to populate the datatype or the 'length' of these columns. If I manually try to specify the datatype these 2 unicode data types do NOT exist in the pull down list of datatypes.
    I see what you are asking - if these datatypes are actually defined as datatypes within the actual technology - I cant access my lab right now but will check as soon as I can. Thanks for the suggestion.

  • ER diagram for Oracle 8i database

    Hi all,
    I'm working as DBA in a banking environment and have got a request to provide the ER diagram of a database(Oracle 8i).
    The DBAs who have created this database in Year 2000 are not here currently and there is no documentation on the db design. There are around 3000 tables in this database and i'm not sure whether foreign key constraints are there on the tables.
    Can someone pls advise whether there is any tool or there is some other way to generate ER diagram for this database?
    Thanks and awaiting your suggestions...
    Regards,
    Poonam

    user11977557 wrote:
    Hi all,
    I'm working as DBA in a banking environment and have got a request to provide the ER diagram of a database(Oracle 8i).
    The DBAs who have created this database in Year 2000 are not here currently and there is no documentation on the db design. There are around 3000 tables in this database and i'm not sure whether foreign key constraints are there on the tables.
    Can someone pls advise whether there is any tool or there is some other way to generate ER diagram for this database?
    Thanks and awaiting your suggestions...
    Regards,
    PoonamJust beware that automated tools can only pick up on the defined FK relationships. Unfortunately, a lot of apps don't rely on FK, believing they can enforce everything in the app code -- which of course the db will have no knowledge of but from a business standpoint is still a relationship.

  • How to set the environment for Oracle XE-database.

    Hi,
    I have a:- lsnrctl command not found,
    And when I echo oracle host & path I got:-
    [oracle@ddcdevws02 etc]$ echo $ORACLE_HOST
    [oracle@ddcdevws02 etc]$ echo $PATH
    /usr/kerberos/bin:/usr/local/bin:/bin:/usr/bin:/u02/oracle/bin
    Now I know that my environment is not set, but could anyone please assist me how I can set the environmernt ??? I mean commands or detailed instruction step as to what needs to be set where & how, I mean the SID, port, Path ???, I am new to Linux as well as database .
    When I see the listener process using this:- ps -ef | grep tnslsnr, this is the output:-
    [oracle@ddcdevws02 ~]$ ps -ef | grep tnslsnr
    oracle 14727 1 0 14:25 ? 00:00:00 /usr/lib/oracle/xe/app/oracle/product/10.2.0/server/bin/tnslsnr LISTENER -inherit
    oracle 22618 21569 0 15:59 pts/2 00:00:00 grep tnslsnr
    So does this mean that my Oracle home is "/usr/lib/oracle/xe/app/oracle/product/10.2.0/" ???
    Also In the host file under /etc/ directory I have these settings
    127.0.0.1 localhost.localdomain localhost
    10.201.60.21 ddcdevws02.hddev.healthdialog.com ddcdevws02
    I don't know if this is correct or not ? But I doubt I could make any change in the host file, please suggest me.
    Thanks
    Sam

    user8692703 wrote:
    I am sorry Ed I reliazed that that was Phirir's suggestion to me, & Yes this is XE-Oracle database .... so the sid name would be "XE" ...?? I am sorry for my stupid questions as I am very new to ths .
    I've never worked with XE, but from everything I've seen, that would also be your SID. check the contents of /etc/oratab
    And then what other details required after I run this command ". oraenv", can I run this from any directory or some specific location ?
    Just like any command, you can run it from anywhere as long as the directory is in your PATH.
    But actually, you should be setting this in your profile, so that you just inherit it when you log on to the server. Depending on your OS, that would be either $HOME/.profile or $HOME/.bash_profile. Here are the commands you should have in that file:
    export ORACLE_HOME=pathtoyouroraclehomedirectory
    export ORACLE_SID=nameofyouroraclesid
    export PATH=$ORACLE_HOME/bin:$PATH>
    well I have this infor. with me
    HTTP port ---> 8080
    Port fopr Database ----> 1521
    Anythin else required ?

  • MYSQL Plug-in for Oracle grid deployment errors

    hello,
    having problems deploying the mysql plug-in. see error below....any ideas?
    this is the error in the emom.log
    2009-06-05 14:36:25,975 [EMUI_14_36_25_/console/emx/deploy] ERROR em.emx exists.743 - XXXXXX sql = select mmp.target_type, mmp.mp_version, mmp.functional_description, mmp.requirements_description, mmp.hwm_status from mgmt_management_plugins mmp WHERE (mmp.target_type = ? AND mmp.mp_version = ?) AND mmp.hwm_status != ?
    2009-06-05 14:36:25,980 [EMUI_14_36_25_/console/emx/deploy] ERROR em.emx exists.744 - XXXXXX name = mysql
    2009-06-05 14:36:25,983 [EMUI_14_36_25_/console/emx/deploy] ERROR em.emx exists.745 - XXXXXX version = 1.1
    2009-06-05 14:36:49,580 [Thread-278] ERROR em.emx exists.743 - XXXXXX sql = select mmp.target_type, mmp.mp_version, mmp.functional_description, mmp.requirements_description, mmp.hwm_status from mgmt_management_plugins mmp WHERE (mmp.target_type = ? AND mmp.mp_version = ?) AND mmp.hwm_status != ?
    2009-06-05 14:36:49,590 [Thread-278] ERROR em.emx exists.744 - XXXXXX name = mysql
    2009-06-05 14:36:49,592 [Thread-278] ERROR em.emx exists.745 - XXXXXX version = 1.1
    2009-06-05 14:36:49,677 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.743 - XXXXXX sql = select mmp.target_type, mmp.mp_version, mmp.functional_description, mmp.requirements_description, mmp.hwm_status from mgmt_management_plugins mmp WHERE (mmp.target_type = ? AND mmp.mp_version = ?) AND mmp.hwm_status != ?
    2009-06-05 14:36:49,680 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.744 - XXXXXX name = mysql
    2009-06-05 14:36:49,681 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.745 - XXXXXX version = 1.1
    2009-06-05 14:36:51,636 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx runOperation.319 - RemoteOperationException: ERROR: NMO not setuid-root (Unix-only)
    java.io.IOException: RemoteOperationException: ERROR: NMO not setuid-root (Unix-only)
    at oracle.sysman.emSDK.emd.comm.RemoteOperationInputStream.read(RemoteOperationInputStream.java:172)
    at oracle.sysman.emx.Util.pipe(Util.java:535)
    at oracle.sysman.emx.Util.pipeAndClose(Util.java:451)
    at oracle.sysman.emx.Util.pipeAndClose(Util.java:423)
    at oracle.sysman.emx.AgentFileHandler.runRemoteCommand(AgentFileHandler.java:563)
    at oracle.sysman.emx.AgentFileHandler.undeployFiles(AgentFileHandler.java:459)
    at oracle.sysman.emx.AgentFileHandler.runOperation(AgentFileHandler.java:256)
    at oracle.sysman.emx.AgentFileHandler.undeploy(AgentFileHandler.java:123)
    at oracle.sysman.emx.MPHandler.runOperation(MPHandler.java:165)
    at oracle.sysman.emx.MPHandler.undeploy(MPHandler.java:118)
    at oracle.sysman.emx.AgentDeployWorker.deployToAgent(AgentDeployWorker.java:121)
    at oracle.sysman.emx.AgentDeployWorker.run(AgentDeployWorker.java:78)
    at oracle.sysman.util.threadPoolManager.WorkerThread.run(Worker.java:260)
    2009-06-05 14:36:51,639 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.743 - XXXXXX sql = select mmp.target_type, mmp.mp_version, mmp.functional_description, mmp.requirements_description, mmp.hwm_status from mgmt_management_plugins mmp WHERE (mmp.target_type = ? AND mmp.mp_version = ?) AND mmp.hwm_status != ?
    2009-06-05 14:36:51,641 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.744 - XXXXXX name = mysql
    2009-06-05 14:36:51,643 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR em.emx exists.745 - XXXXXX version = 1.1
    2009-06-05 14:36:51,667 [ManagementPluginWorker(mysql:1.1,speck.lhsc.on.ca:3872)] ERROR threadPoolManager.WorkerThread run.281 - Exception message: null
    java.lang.Error
    at oracle.sysman.emx.AgentDeployWorker.run(AgentDeployWorker.java:82)
    at oracle.sysman.util.threadPoolManager.WorkerThread.run(Worker.java:260)
    2009-06-05 14:36:51,669 [Thread-279] ERROR em.emx workerDied.250 - java.lang.Error
    java.lang.Error
    at oracle.sysman.emx.AgentDeployWorker.run(AgentDeployWorker.java:82)
    at oracle.sysman.util.threadPoolManager.WorkerThread.run(Worker.java:260)

    See if this helps.
    After Installing DB Control, Getting RemoteOperationException.
    https://metalink.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=824947.1

Maybe you are looking for

  • Please help: can bullets look normal in JavaHelp?

    When I generate JavaHelp (using RoboHelp) and preview, the bullets have prongs sticking out of them, instead of being smooth. Has anyone else encountered this? Is it a RoboHelp problem or a JavaHelp problem? Please help! I have to create compressed J

  • Foursquare "Smart" Installer Fails on Nokia 5800

    Hi there, My foursquare application stopped working on my Nokia 5800 Xpress Music so I removed it with the intention of reinstalling it. It turns that a new version of foursquare is available - running on Qt and requiring Nokia's "smart" installer to

  • Creating a File-Based Repository HELP!

    I am trying to create a file base repository and have 2 10g setups join it. I can create the respository on server a and get server a to join it without any problems. When I try to get remote server b to join it says it cannot find the repository. TH

  • I closed all my toolbars, now cannot find how to open again , not even a 'help' button.

    I closed all my toolbars. Now cannot find out how to open them, not even a help button == User Agent == Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 6.0; GTB6.5; SLCC1; .NET CLR 2.0.50727; Media Center PC 5.0; .NET CLR 3.0.04506; OfficeLiveConnector

  • Can the newer logic boards still read the mac pro 1.1 2.66ghz duo core proc

    i just bought a G5 and i am looking to upgrade it. I just bought the 2.66 ghz processors, and I am looking to buy a new logic board and was wondering if i bought a 2009 logic board would it still be compatible with the 2006 processors?