Errors everywhere!

Soemone please help. I've been at this for a very long time. When I install the trial version of the Master Collection CS5.5 on my pc nothing will open because of errors. I get error 131:4 on some and Error 5 on the others. I have reinstalled this thing several times and nothing will open. Please tell me what I need to post here to get some answers.
Thanks

I get error 131:4
If I may translate: "Licensing for this product has failed". Ergo, you are either installing with insufficient privileges to begin with or some technical cause like a firewall or virus scanner out of control is preventing correct initialization of the licensing sub-system and all the shebang that comes with it. You could post the installer log and naturally it wouldn't hurt to have some more info about your machine, but I'm reasonably sure the actual cause of the problem is outside of that and won't show up. I realyl think you need to straighten out your permissions/ user privileges for the most part...
Mylenium

Similar Messages

  • Sync errors. Sync errors everywhere.

    I have never had sync errors in the past. This is entirely new, and entirely aggravating.
    Why is the latest iTunes so absolutely terrible?
    When I try to sync, iTunes freezes and has to be shut down, and my iPod removed, likely causing corruption.
    Now I'm getting errors that say that I have a 'duplicate name specified' and that the 'iPod cannot be synced.'
    I have made threads about this in the past, but then I thought it was my iPod that had the problems. Now I know it's iTunes being a buggy POS.
    I'm not here about fixing this. I want to know if anybody has any previous versions of iTunes archived so I can use those instead, because the newest version is an absolute trainwreck of bugs and errors.
    And I want to know if Apple has said anything about fixing this.

    In addition to the two errors above, when iTunes doesn't crash it ends up syncing endlessly.
    I'm thinking this is iTunes syncing with the iPod but the iPod isn't responding, as it doesn't show the 'Syncing' spinny thing on it, just the 'Connected' icon.

  • Exception error everywhere in JSP

              I've wrote a JSP to access SQL Server database in J2SE sucessfully, but when
              I try that on a different server using Java 1.1 I get the same type of
              errors complaining about
              "the method " blah blah blah" can throw the checked exception
              "java/lang/ClassNotFoundException", but its invocation is neither enclosed
              in a try statement that can catch that exception nor in the body of a method
              or constructor that "throws" that exception."
              this is another sample of my errors
              31. Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
              <------------------------------------------->
              *** Error: The method "java.lang.Class forName(java.lang.String $1);" can
              throw the checked exception "java/lang/ClassNotFoundException", but its
              invocation is neither enclosed in a try statement that can catch that
              exception nor in the body of a method or constructor that "throws" that
              exception.
              33. Connection con=DriverManager.getConnection(url, "ema", "ema");
              <-------------------------------------------->
              *** Error: The method "java.sql.Connection getConnection(java.lang.String
              $1, java.lang.String $2, java.lang.String $3);" can throw the checked
              exception "java/sql/SQLException", but its invocation is neither enclosed in
              a try statement that can catch that exception nor in the body of a method or
              constructor that "throws" that exception.
              Am I missing some libraries or calling the method incorrectly because of the
              version of Java was older?
              Here I also attached my code
              <%
              //connection and query
              Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
              String url="jdbc:odbc:DB";
              Connection con=DriverManager.getConnection(url, "sa", "password");
              PreparedStatement query = con.prepareStatement("select Quarter, Month,
              WeekDay, statusCode, Responded, CNT from REQUEST",
              ResultSet.TYPE_SCROLL_SENSITIVE,ResultSet.CONCUR_UPDATABLE);
              ResultSet rs = query.executeQuery();
              rs.last();
              int numrows = rs.getRow();
              rs.beforeFirst();
              %>
              Thanks in advanced
              Ku
              

    The compiler is telling you that you must handle all possible thrown
              exceptions
              example:
              try
                   Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
              catch (ClassNotFoundException anCNFExcp)
                   //Error page telling of error
              try
                   Connection con=DriverManager.getConnection(url, "ema", "ema");
              catch (java.sql.SQLException anSQLExcp)
                   //Error Page Telling Of error
              you must check each method's signiture that you are calling and handle
              the exceptions that it throws, a simpler way would be to handle the
              whole block of code with a generic handler if you don't care what
              piece of that code blows up
              ex.
              try
                   Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
                   String url="jdbc:odbc:DB";
                   Connection con=
                        DriverManager.getConnection(url, "sa","password");
                   PreparedStatement query =
                        con.prepareStatement("select Quarter, Month,
                   WeekDay, statusCode, Responded, CNT from REQUEST",
                   ResultSet.TYPE_SCROLL_SENSITIVE,ResultSet.CONCUR_UPDATABLE);
                   ResultSet rs = query.executeQuery();
                   rs.last();
                   int numrows = rs.getRow();
                   rs.beforeFirst();
              catch (Exception anEx)
                   //Error Page
              or nest the exceptions to find the specific
              catch (ClassNotFoundException aCNFExcp)
                   //Display warning that driver could not be loaded
              catch (SQLException anSQLExcp)
                   //display warning that SQL statements blew up
              catch (Exception anEx)
                   //display warning that another error occured
              Don Stacy
              On 2 Nov 2001 15:24:05 -0800, "ku916" <[email protected]> wrote:
              >
              >I've wrote a JSP to access SQL Server database in J2SE sucessfully, but when
              >I try that on a different server using Java 1.1 I get the same type of
              >errors complaining about
              >
              >"the method " blah blah blah" can throw the checked exception
              >"java/lang/ClassNotFoundException", but its invocation is neither enclosed
              >in a try statement that can catch that exception nor in the body of a method
              >or constructor that "throws" that exception."
              >
              >this is another sample of my errors
              >
              > 31. Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
              > <------------------------------------------->
              >*** Error: The method "java.lang.Class forName(java.lang.String $1);" can
              >throw the checked exception "java/lang/ClassNotFoundException", but its
              >invocation is neither enclosed in a try statement that can catch that
              >exception nor in the body of a method or constructor that "throws" that
              >exception.
              >
              >
              > 33. Connection con=DriverManager.getConnection(url, "ema", "ema");
              > <-------------------------------------------->
              >*** Error: The method "java.sql.Connection getConnection(java.lang.String
              >$1, java.lang.String $2, java.lang.String $3);" can throw the checked
              >exception "java/sql/SQLException", but its invocation is neither enclosed in
              >a try statement that can catch that exception nor in the body of a method or
              >constructor that "throws" that exception.
              >
              >Am I missing some libraries or calling the method incorrectly because of the
              >version of Java was older?
              >
              >Here I also attached my code
              ><%
              >//connection and query
              >Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
              >String url="jdbc:odbc:DB";
              >Connection con=DriverManager.getConnection(url, "sa", "password");
              >
              >PreparedStatement query = con.prepareStatement("select Quarter, Month,
              >WeekDay, statusCode, Responded, CNT from REQUEST",
              >ResultSet.TYPE_SCROLL_SENSITIVE,ResultSet.CONCUR_UPDATABLE);
              >ResultSet rs = query.executeQuery();
              >
              >
              >rs.last();
              >int numrows = rs.getRow();
              >rs.beforeFirst();
              >
              >%>
              >
              >Thanks in advanced
              >Ku
              

  • Throw exception error everywhere in JSP!

    I've wrote a JSP to access SQL Server database in J2SE sucessfully, but when
    I try that on a different server using Java 1.1 I get the same type of
    errors complaining about
    "the method " blah blah blah" can throw the checked exception
    "java/lang/ClassNotFoundException", but its invocation is neither enclosed
    in a try statement that can catch that exception nor in the body of a method
    or constructor that "throws" that exception."
    this is another sample of my errors
    31. Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    <------------------------------------------->
    *** Error: The method "java.lang.Class forName(java.lang.String $1);" can
    throw the checked exception "java/lang/ClassNotFoundException", but its
    invocation is neither enclosed in a try statement that can catch that
    exception nor in the body of a method or constructor that "throws" that
    exception.
    33. Connection con=DriverManager.getConnection(url, "ema", "ema");
    <-------------------------------------------->
    *** Error: The method "java.sql.Connection getConnection(java.lang.String
    $1, java.lang.String $2, java.lang.String $3);" can throw the checked
    exception "java/sql/SQLException", but its invocation is neither enclosed in
    a try statement that can catch that exception nor in the body of a method or
    constructor that "throws" that exception.
    Am I missing some libraries or calling the method incorrectly because of the
    version of Java was older?
    Here I also attached my code
    <%
    //connection and query
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    String url="jdbc:odbc:DB";
    Connection con=DriverManager.getConnection(url, "sa", "password");
    PreparedStatement query = con.prepareStatement("select Quarter, Month,
    WeekDay, statusCode, Responded, CNT from REQUEST",
    ResultSet.TYPE_SCROLL_SENSITIVE,ResultSet.CONCUR_UPDATABLE);
    ResultSet rs = query.executeQuery();
    rs.last();
    int numrows = rs.getRow();
    rs.beforeFirst();
    %>
    Thanks in advanced
    Ku

    I've wrote a JSP to access SQL Server database in J2SE sucessfully, but when
    I try that on a different server using Java 1.1 I get the same type of
    errors complaining about
    "the method " blah blah blah" can throw the checked exception
    "java/lang/ClassNotFoundException", but its invocation is neither enclosed
    in a try statement that can catch that exception nor in the body of a method
    or constructor that "throws" that exception."
    this is another sample of my errors
    31. Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    <------------------------------------------->
    *** Error: The method "java.lang.Class forName(java.lang.String $1);" can
    throw the checked exception "java/lang/ClassNotFoundException", but its
    invocation is neither enclosed in a try statement that can catch that
    exception nor in the body of a method or constructor that "throws" that
    exception.
    33. Connection con=DriverManager.getConnection(url, "ema", "ema");
    <-------------------------------------------->
    *** Error: The method "java.sql.Connection getConnection(java.lang.String
    $1, java.lang.String $2, java.lang.String $3);" can throw the checked
    exception "java/sql/SQLException", but its invocation is neither enclosed in
    a try statement that can catch that exception nor in the body of a method or
    constructor that "throws" that exception.
    Am I missing some libraries or calling the method incorrectly because of the
    version of Java was older?
    Here I also attached my code
    <%
    //connection and query
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    String url="jdbc:odbc:DB";
    Connection con=DriverManager.getConnection(url, "sa", "password");
    PreparedStatement query = con.prepareStatement("select Quarter, Month,
    WeekDay, statusCode, Responded, CNT from REQUEST",
    ResultSet.TYPE_SCROLL_SENSITIVE,ResultSet.CONCUR_UPDATABLE);
    ResultSet rs = query.executeQuery();
    rs.last();
    int numrows = rs.getRow();
    rs.beforeFirst();
    %>
    Thanks in advanced
    Ku

  • HElp!!! Error everywhere

    Please advise...
    CDG-01195 ERROR: Module WAREHO0020: Failed to compile .fmb into .fmx file for form module CREATE_ISSUANCE_RECORD
    Thank you

    I think you should try this forum instead: Forms (The Oracle Forms forum)
    Good luck

  • Can't run project because of error in code

    I was working on a project and started creating a scroll panel per the instructions at http://forums.adobe.com/message/2295900#2295900
    After creating the scroll panel, I tried running the project and it told me I couldn't run it because of a code error.  Looking at the problems panel, I got an error that said "Open quote is expected for attribute "id"." I wanted to work backward to see what was causing the problem and reverted the panel back to artwork and got the same error in the line for my scroll bar, so I reverted that and got it for my track shape, and reverted that (it had reverted to a button earlier, not sure why), and I got the error for my thumb, so I reverted that (a button again), ran the project and got the error for the text I was using as scrolling content, etc....
    It seems like I'm getting this error everywhere with all the elements I need for my scroll panel, and it seems to be moving from element to element.  I'm not a coder so I'm wary of getting in there and changing  things.  What could be the problem?
    I can't seem to attach my project because it is too big (5.2 MB) and zipping it doesn't reduce it's size.
    Any help would be greatly appreciated!
    -Ryan

    I created a new project and went through the same steps that led to my bug; however I wasn't able to recreate the bug.  Here is the project anyway, and here are the step i took:
    import an swf into the project, (it's a looping video)
    created text, using text tool.
    drew a line, using the line drawing tool
    -changed the weight
    -made it gradient
    -tweaked the gradient colors
    Imported a .psd file of thumb, moved it over the line i drew for the track
    converted the line and thumb into a vertical scroll bar
    -assigned parts (line to track, thumb to thumb)
    imported a .psd image that's called whitefeather, to act as a top and bottom border
    project running
    -converted scroll bar, text, and border to scroll panel
    -Assigned the text as the scrolling content
    -tweaked the scrolling content are, made it a little bigger
    ran project.

  • The project could not be prepared for publishing because an error occurred. (-108)

    Got the following error while trying to share my project:
    "The project could not be prepared for publishing because an error occurred. (-108)"
    I got this error everywhere: share to idvd, share - export movie ...
    Computer: MAcbook Pro 2.3GHz Intel Core I5, memory : 4 GB (when I start exporting the available memory is about 2Gb, no other app runing)
    Softwer: Mac OS X 10.7.2, iMovie '11 9.0.4 (1635)
    Project: 50min, filmed with Gopro 960HD
    Please help!
    Thanks in advance,
    Lóránt

    Most recently there's been a series of errors -49 being posted to the Discussion Group. I've seen one other -108 error that showed up but without any resolution. The original poster hasn't replied yet to that mesage thread. I don't know if the two are related, but they both have a negative effect on exporting. So I'm going to suggest following the fix for the -49 errors:
    This requires using the Terminal app, in your Applications/Utilities folder
    To turn off Time Machine snapshots type in the following command:
    sudo tmutil disablelocal
    The Mac will likely ask for your password, so type it in and hit the return key. The type the word, exit and hit return. Quit Terminal.
    Open iMovie and try doing another export and see if the same error message pops up.

  • Sharepoint error - Search Issue - The content type text/html; charset=utf-8 of the response message does not match the content type of the binding (application/soap+msbin1).

    i see this error everywhere - In ULS logs, on site. On the site > Site settings > search keywords; I see this - 
    The content type text/html; charset=utf-8 of the response message does not match the content type of the binding (application/soap+msbin1). If using a custom encoder, be sure that the IsContentTypeSupported method is implemented properly. The first 1024 bytes of the response were: '<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>IIS 7.0 Detailed Error - 500.19 - Internal Server Error</title> <style type="text/css"> <!-- body{margin:0;font-size:.7em;font-family:Verdana,Arial,Helvetica,sans-serif;background:#CBE1EF;} code{margin:0;color:#006600;font-size:1.1em;font-weight:bold;} .config_source code{font-size:.8em;color:#000000;} pre{margin:0;font-size:1.4em;word-wrap:break-word;} ul,ol{margin:10px 0 10px 40px;} ul.first,ol.first{margin-top:5px;} fieldset{padding:0 15px 10px 15px;} .summary-container fieldset{padding-bottom:5px;margin-top:4px;} legend.no-expand-all{padding:2px 15px 4px 10px;margin:0 0 0 -12px;} legend{color:#333333;padding:4px 15px 4px 10px;margin:4px 0 8px -12px;_margin-top:0px; border-top:1px solid #EDEDED;border-left:1px solid #EDEDED;border-right:1px solid #969696; border-bottom:1px solid #969696;background:#E7ECF0;font-weight:bold;'.
    I am facing issues in searching, my managed metadata service is not running, search results page throws internal error. Any Idea why this above error comes.
    P.S: We use windows authentication in our environment.

    Hi IMSunny,
    It seems you have solved this issue based on your another post.
    http://social.technet.microsoft.com/Forums/en-US/aa468ab0-1242-4ba8-97ea-1a3eb0c525c0/search-results-page-throws-internal-server-error?forum=sharepointgeneralprevious
    Thanks
    Daniel Yang
    TechNet Community Support

  • Repository Service Error: JMS primary node is down

    Hi All
    I have create a repository service which moves files from one folder to another and I am currently having a problem. Once I attach the service to the CM Repository the portal stops functioning. e.g. Portal Fav don't appear, Item not Found errors everywhere.
    I have checked the log and get the following message:
    May 3, 2006 1:42:37 PM com.sapportals.config.fwk.meta.MetaConfigArchiveManifest [SAPEngine_Application_Thread[impl:3]_28] Error      invalid name [News_CopyNews.prjconfig] for meta archive [NewsCopyNews.prjconfig] (expected CMA-name:NewsCopyNews.prjconfig): please, check the manifest of this CMA!
    May 3, 2006 1:42:37 PM com.sapportals.config.fwk.meta.MetaConfigManager_V2 [SAPEngine_Application_Thread[impl:3]_28] Error      [meta_v2_config://local] error while migrating [metarchive_portal]. The configMetaArchive needs to be removed or migrated 'manually' : ConfigException: Configuration framework system error: "source [config://pcd/local/meta/lib] already contain the configMetaArchive."
    May 3, 2006 1:46:34 PM com.sapportals.portal.prt.service.config.ConfigNotificationHandler [SAPEngine_Application_Thread[impl:3]_4] Fatal      An exception has been received from the JMS Connection
    [EXCEPTION]
    com.sap.jms.server.exception.JMSServerException: JMS primary node is down! Please recreate all used jms resources.
         at com.sap.jms.server.context.impl.ConnectionContextImpl.exit(ConnectionContextImpl.java:349)
         at com.sap.jms.server.JMSServerInstance.stop(JMSServerInstance.java:318)
         at com.sap.jms.server.JMSServerContainer.stopJMSServerInstance(JMSServerContainer.java:197)
         at com.sap.jms.server.JMSServerContainer.stop(JMSServerContainer.java:287)
         at com.sap.jms.server.JMSServerFrame.stop(JMSServerFrame.java:420)
         at com.sap.engine.core.service630.container.ServiceStopper.run(ServiceStopper.java:31)
         at com.sap.engine.frame.core.thread.Task.run(Task.java:64)
         at com.sap.engine.core.thread.impl5.SingleThread.execute(SingleThread.java:79)
         at com.sap.engine.core.thread.impl5.SingleThread.run(SingleThread.java:150)
    Hope this makes some sense to some one, I have also included the code for my Service below.
    Thanks in advance.
    Phil
    SERVICE CODE:
    package newsCopy;
    import com.sapportals.wcm.repository.service.AbstractRepositoryService;
    import com.sapportals.wcm.repository.service.ServiceNotAvailableException;
    import com.sapportals.wcm.repository.manager.IResourceEventReceiver;
    import com.sapportals.wcm.repository.manager.IRepositoryManager;
    import com.sapportals.wcm.util.events.IEvent;
    import com.sapportals.wcm.crt.component.*;
    import com.sapportals.wcm.crt.configuration.*;
    import com.sapportals.wcm.WcmException;
    import java.util.Collection;
    // New SAP Imports
    import com.sapportals.wcm.repository.*;
    import com.sapportals.wcm.util.uri.RID;
    import com.sap.tc.logging.Location;
    import com.sapportals.wcm.repository.manager.ResourceEvent;
    //Java Imports
    import java.util.Iterator;
    // implements IMyNewRepositoryService interface
      Note: IReconfigurable and IResourceEventReceiver interfaces are optional
    public class newsCopy extends AbstractRepositoryService implements IReconfigurable, IResourceEventReceiver {
      private static final String TYPE = "newsCopy";
      public newsCopy() {
        super();
        // Do not add code here. Add it to startUpImpl() instead
      public String getServiceType() {
        return newsCopy.TYPE;
      protected void startUpImpl(Collection repositoryManagers) throws ConfigurationException, StartupException {
         //On Service Startup
         log.errorT("******* startUpImpl");
         try {
         }     catch (Exception e) {
              throw new StartupException(e.getMessage(), e);
         Iterator it = repositoryManagers.iterator();
         while (it.hasNext()){
         try {
              addRepositoryAssignment((IRepositoryManager) it.next());
         } catch (ServiceNotAvailableException e) {
              log.errorT("******* startUpImpl service not available"); }
      protected void shutDownImpl() { }
      protected void addRepositoryAssignment(IRepositoryManager mgr) throws ServiceNotAvailableException {
         log.errorT("******* addRepositoryAssignment");
           try{
                mgr.getEventBroker().register(this, new ResourceEvent(ResourceEvent.CREATE_CHILD, null));
           }     catch(WcmException e)      {
                log.errorT("******* addRepositoryAssignment_Exception");
      protected void removeRepositoryAssignment(IRepositoryManager mgr) throws WcmException {
         log.errorT("******* removeRepositoryAssignment");
      public void reconfigure(IConfiguration config) throws ConfigurationException {
        this.stateHandler.preReconfigure();
         log.errorT("******* Reconfigure");
        this.config = config;
        this.stateHandler.postReconfigure();
      private static final Location log = Location.getLocation(newsCopy.class);
      public void received(IEvent event) {
         IResource resource = (IResource)event.getParameter();
         IResource sourceResource = resource;
         RID destinationRid = null;
         try {
              destinationRid = RID.getRID("/arco_news/LatestNews/" + resource.getName());
         }      catch (ResourceException e1) {
              log.errorT("********** No. 1 Resource Exception!");
         ICopyParameter cp = new CopyParameter();
         cp.setIgnorePropertyFailures(true);
         cp.setOverwrite(true);
         if (sourceResource != null && destinationRid != null){
              try {
                   sourceResource.copy(destinationRid,cp);     
              } catch (NotSupportedException e) {
                   log.errorT("******* No. 2 NotSupportedException");
              } catch (AccessDeniedException e) {
                   log.errorT("******* No. 3 AccessDeniedException");
              } catch (ResourceException e) {
                   log.errorT("******* No. 4 ResourceException");
                   log.errorT("******* No. 5 Completed");

    Yes, basically there was a problem with the repository service. When I had created it and uploaded it to the portal, I had applied it to a KM folder. When I had removed the service I forgot to remove it from the KM folder.
    Once this was done all worked fine!
    Hope this helps
    Phil

  • [SOLVED]Error when using Optirun + Nouveau

    Hi guys,
    I'm trying to install nouveau to work with bumblebee. When I just installed the system and tried to run optirun, it gave me some sort of error about not detecting a mouse, which I solved by looking around some forums and installing some xf86 mouse driver. At this point it still didn't work, but after restarting a few times at one point it miraculously started working. So I left it at that.
    I tried optirun again today, not changing any of the configurations, and it gives me the following error:
    $ optirun glxgears
    [ 582.847234] [ERROR]Cannot access secondary GPU - error: [XORG] (EE) NOUVEAU(0): [drm] failed to set drm interface version.
    [ 582.847265] [ERROR]Aborting because fallback start is disabled.
    I completely reinstalled the following packages: bumblebee, bbswitch, xf86-video-nouveau, xf86-video-intel and primus (I didn't reinstall mesa as I had some dependencies on it) and it still gives me the same error. At no point did I install the proprietary drivers.
    This is my hardware:
    $ lspci | grep VGA
    00:02.0 VGA compatible controller: Intel Corporation 2nd Generation Core Processor Family Integrated Graphics Controller (rev 09)
    01:00.0 VGA compatible controller: NVIDIA Corporation GF108M [GeForce GT 525M] (rev a1)
    This is the latest log from /var/log/Xorg.8.log
    [ 1269.042]
    X.Org X Server 1.15.0
    Release Date: 2013-12-27
    [ 1268.042] X Protocol Version 11, Revision 0
    [ 1268.042] Build Operating System: Linux 3.12.5-1-ARCH x86_64
    [ 1268.042] Current Operating System: Linux localhost 3.13.8-1-ARCH #1 SMP PREEMPT Tue Apr 1 12:19:51 CEST 2014 x86_64
    [ 1268.042] Kernel command line: BOOT_IMAGE=/vmlinuz-linux root=/dev/mapper/VolumeGroup-lvolroot rw cryptdevice=/dev/sda3:VolumeGroup quiet
    [ 1268.042] Build Date: 09 January 2014 08:47:24AM
    [ 1268.042]
    [ 1268.042] Current version of pixman: 0.32.4
    [ 1268.042] Before reporting problems, check http://wiki.x.org
    to make sure that you have the latest version.
    [ 1268.042] Markers: (--) probed, (**) from config file, (==) default setting,
    (++) from command line, (!!) notice, (II) informational,
    (WW) warning, (EE) error, (NI) not implemented, (??) unknown.
    [ 1268.042] (==) Log file: "/var/log/Xorg.8.log", Time: Sat Apr 5 01:41:30 2014
    [ 1268.042] (++) Using config file: "/etc/bumblebee/xorg.conf.nouveau"
    [ 1268.042] (++) Using config directory: "/etc/bumblebee/xorg.conf.d"
    [ 1268.042] (==) Using system config directory "/usr/share/X11/xorg.conf.d"
    [ 1268.042] (==) ServerLayout "Layout0"
    [ 1268.042] (==) No screen section available. Using defaults.
    [ 1268.043] (**) |-->Screen "Default Screen Section" (0)
    [ 1268.043] (**) | |-->Monitor "<default monitor>"
    [ 1268.043] (==) No device specified for screen "Default Screen Section".
    Using the first device section listed.
    [ 1268.043] (**) | |-->Device "DiscreteNvidia"
    [ 1268.043] (==) No monitor specified for screen "Default Screen Section".
    Using a default monitor configuration.
    [ 1268.043] (**) Option "AutoAddDevices" "false"
    [ 1268.043] (**) Option "AutoAddGPU" "false"
    [ 1268.043] (**) Not automatically adding devices
    [ 1268.043] (==) Automatically enabling devices
    [ 1268.043] (**) Not automatically adding GPU devices
    [ 1268.043] (WW) The directory "/usr/share/fonts/OTF/" does not exist.
    [ 1268.043] Entry deleted from font path.
    [ 1268.043] (WW) The directory "/usr/share/fonts/Type1/" does not exist.
    [ 1268.043] Entry deleted from font path.
    [ 1268.043] (WW) `fonts.dir' not found (or not valid) in "/usr/share/fonts/100dpi/".
    [ 1268.043] Entry deleted from font path.
    [ 1268.043] (Run 'mkfontdir' on "/usr/share/fonts/100dpi/").
    [ 1268.043] (WW) `fonts.dir' not found (or not valid) in "/usr/share/fonts/75dpi/".
    [ 1268.043] Entry deleted from font path.
    [ 1268.043] (Run 'mkfontdir' on "/usr/share/fonts/75dpi/").
    [ 1268.043] (==) FontPath set to:
    /usr/share/fonts/misc/,
    /usr/share/fonts/TTF/
    [ 1268.043] (==) ModulePath set to "/usr/lib/xorg/modules"
    [ 1268.043] (==) |-->Input Device "<default pointer>"
    [ 1268.043] (==) |-->Input Device "<default keyboard>"
    [ 1268.043] (==) The core pointer device wasn't specified explicitly in the layout.
    Using the default mouse configuration.
    [ 1268.043] (==) The core keyboard device wasn't specified explicitly in the layout.
    Using the default keyboard configuration.
    [ 1268.043] (II) Loader magic: 0x804c80
    [ 1268.043] (II) Module ABI versions:
    [ 1268.043] X.Org ANSI C Emulation: 0.4
    [ 1268.043] X.Org Video Driver: 15.0
    [ 1268.043] X.Org XInput driver : 20.0
    [ 1268.043] X.Org Server Extension : 8.0
    [ 1268.044] (II) xfree86: Adding drm device (/dev/dri/card1)
    [ 1268.293] setversion 1.4 failed: Permission denied
    [ 1268.293] (II) xfree86: Adding drm device (/dev/dri/card0)
    [ 1268.293] setversion 1.4 failed: Permission denied
    [ 1268.296] (--) PCI:*(0:1:0:0) 10de:0df5:1028:04ca rev 161, Mem @ 0xf5000000/16777216, 0xe0000000/268435456, 0xf0000000/33554432, I/O @ 0x0000e000/128, BIOS @ 0x????????/524288
    [ 1268.296] (WW) Open ACPI failed (/var/run/acpid.socket) (No such file or directory)
    [ 1268.296] Initializing built-in extension Generic Event Extension
    [ 1268.296] Initializing built-in extension SHAPE
    [ 1268.296] Initializing built-in extension MIT-SHM
    [ 1268.296] Initializing built-in extension XInputExtension
    [ 1268.296] Initializing built-in extension XTEST
    [ 1268.296] Initializing built-in extension BIG-REQUESTS
    [ 1268.296] Initializing built-in extension SYNC
    [ 1268.296] Initializing built-in extension XKEYBOARD
    [ 1268.296] Initializing built-in extension XC-MISC
    [ 1268.296] Initializing built-in extension SECURITY
    [ 1268.296] Initializing built-in extension XINERAMA
    [ 1268.296] Initializing built-in extension XFIXES
    [ 1268.296] Initializing built-in extension RENDER
    [ 1268.296] Initializing built-in extension RANDR
    [ 1268.296] Initializing built-in extension COMPOSITE
    [ 1268.296] Initializing built-in extension DAMAGE
    [ 1268.296] Initializing built-in extension COMPOSITE
    [ 1268.296] Initializing built-in extension DAMAGE
    [ 1268.296] Initializing built-in extension MIT-SCREEN-SAVER
    [ 1268.296] Initializing built-in extension DOUBLE-BUFFER
    [ 1268.296] Initializing built-in extension RECORD
    [ 1268.296] Initializing built-in extension DPMS
    [ 1268.296] Initializing built-in extension Present
    [ 1268.296] Initializing built-in extension DRI3
    [ 1268.296] Initializing built-in extension X-Resource
    [ 1268.296] Initializing built-in extension XVideo
    [ 1268.296] Initializing built-in extension XVideo-MotionCompensation
    [ 1268.296] Initializing built-in extension XFree86-VidModeExtension
    [ 1268.296] Initializing built-in extension XFree86-DGA
    [ 1268.296] Initializing built-in extension XFree86-DRI
    [ 1268.296] Initializing built-in extension DRI2
    [ 1268.296] (II) "glx" will be loaded by default.
    [ 1268.296] (II) LoadModule: "dri2"
    [ 1268.297] (II) Module "dri2" already built-in
    [ 1268.297] (II) LoadModule: "glamoregl"
    [ 1268.297] (II) Loading /usr/lib/xorg/modules/libglamoregl.so
    [ 1268.300] (II) Module glamoregl: vendor="X.Org Foundation"
    [ 1268.300] compiled for 1.15.0, module version = 0.6.0
    [ 1268.300] ABI class: X.Org ANSI C Emulation, version 0.4
    [ 1268.300] (II) LoadModule: "glx"
    [ 1268.300] (II) Loading /usr/lib/xorg/modules/extensions/libglx.so
    [ 1268.300] (II) Module glx: vendor="X.Org Foundation"
    [ 1268.300] compiled for 1.15.0, module version = 1.0.0
    [ 1268.300] ABI class: X.Org Server Extension, version 8.0
    [ 1268.300] (==) AIGLX enabled
    [ 1268.300] Loading extension GLX
    [ 1268.300] (II) LoadModule: "nouveau"
    [ 1268.301] (II) Loading /usr/lib/xorg/modules/drivers/nouveau_drv.so
    [ 1268.301] (II) Module nouveau: vendor="X.Org Foundation"
    [ 1268.301] compiled for 1.15.0, module version = 1.0.10
    [ 1268.301] Module class: X.Org Video Driver
    [ 1268.301] ABI class: X.Org Video Driver, version 15.0
    [ 1268.301] (II) LoadModule: "mouse"
    [ 1268.301] (II) Loading /usr/lib/xorg/modules/input/mouse_drv.so
    [ 1268.301] (II) Module mouse: vendor="X.Org Foundation"
    [ 1268.301] compiled for 1.15.0, module version = 1.9.0
    [ 1268.301] Module class: X.Org XInput Driver
    [ 1268.301] ABI class: X.Org XInput driver, version 20.0
    [ 1268.301] (II) LoadModule: "kbd"
    [ 1268.301] (II) Loading /usr/lib/xorg/modules/input/kbd_drv.so
    [ 1268.301] (II) Module kbd: vendor="X.Org Foundation"
    [ 1268.301] compiled for 1.15.0, module version = 1.8.0
    [ 1268.301] Module class: X.Org XInput Driver
    [ 1268.301] ABI class: X.Org XInput driver, version 20.0
    [ 1268.301] (II) NOUVEAU driver
    [ 1268.302] (II) NOUVEAU driver for NVIDIA chipset families :
    [ 1268.302] RIVA TNT (NV04)
    [ 1268.302] RIVA TNT2 (NV05)
    [ 1268.302] GeForce 256 (NV10)
    [ 1268.302] GeForce 2 (NV11, NV15)
    [ 1268.302] GeForce 4MX (NV17, NV18)
    [ 1268.302] GeForce 3 (NV20)
    [ 1268.302] GeForce 4Ti (NV25, NV28)
    [ 1268.302] GeForce FX (NV3x)
    [ 1268.302] GeForce 6 (NV4x)
    [ 1268.302] GeForce 7 (G7x)
    [ 1268.302] GeForce 8 (G8x)
    [ 1268.302] GeForce GTX 200 (NVA0)
    [ 1268.302] GeForce GTX 400 (NVC0)
    [ 1268.302] (--) using VT number 1
    [ 1268.303] (II) [drm] nouveau interface version: 1.1.1
    [ 1268.303] (II) Loading sub module "dri2"
    [ 1268.303] (II) LoadModule: "dri2"
    [ 1268.303] (II) Module "dri2" already built-in
    [ 1268.303] (EE) NOUVEAU(0): [drm] failed to set drm interface version.
    [ 1268.303] (EE) NOUVEAU(0): [drm] error opening the drm
    [ 1268.303] (EE) NOUVEAU(0): 836:
    [ 1268.303] (II) UnloadModule: "nouveau"
    [ 1268.303] (EE) Screen(s) found, but none have a usable configuration.
    [ 1268.303] (EE)
    Fatal server error:
    [ 1268.303] (EE) no screens found(EE)
    [ 1268.303] (EE)
    Please consult the The X.Org Foundation support
    at http://wiki.x.org
    for help.
    [ 1268.303] (EE) Please also check the log file at "/var/log/Xorg.8.log" for additional information.
    [ 1268.303] (EE)
    [ 1268.303] (EE) Server terminated with error (1). Closing log file.
    I read around a lot and at this point I'm really not sure what's going on. Any help greatly appreaciated.
    Last edited by JamesLens (2014-04-05 12:57:52)

    Ok, so I have an update:
    I managed to make it work. The first thing I did was follow the instructions here: https://bbs.archlinux.org/viewtopic.php … 0#p1326090
    This did not solve the issue, so I'm not sure if this was a necessary step, but it made the boot screen look nicer.
    Then I randomly decided to modprobe nouveau. So I did rmmod nouveau, followed by modprobe nouveau while checking dmesg. It seemed to have done something. So I retried optirun and it worked.
    However, it was giving me 60FPS, same as the intel card. Also it was giving me something about "failed to load any of the libraries: /usr/$LIB/nvidia/libGL.so.1", which is weird since I don't have nvidia installed. Also, when I quit glxgears, it sometimes shut the screen and fan of the computer off.
    The error message was along the lines of
    293 frames in 5.0 seconds = 58.481 FPS
    primus: warning: dropping a frame to avoid deadlock
    XIO: fatal IO error 11 (Resource temporarily unavailable) on X server ":0"
    after 37 requests (37 known processed) with 0 events remaining.
    primus: warning: dropping a frame to avoid deadlock
    primus: warning: timeout waiting for display worker
    On a hunch I changed Bridge=virtualgl in /etc/bumblebee/bumblebee.conf, and then it worked fine.
    When I run primusrun it no longer looks for the library in the nvidia folder and there is a libGL.so.1 file in /usr/lib/primus, however optirun works fine while primusrun gives me 60 FPS and the error above when quitting. Does anyone know how to fix that?
    Edit: after restart primusrun again gives
    primus: fatal: failed to load any of the libraries: /usr/$LIB/nvidia/libGL.so.1
    /usr/$LIB/nvidia/libGL.so.1: cannot open shared object file: No such file or directory
    while optirun works. Will snoop around.
    Other than that, hope this helped someone. I saw this error everywhere with no solution.
    Fina Edit: Ok, so the libGL file needs to come from mesa, but it's looking for the nvidia because for some reason mesa-libgl didn't install with mesa. So: uninstalled primus, installed mesa-libgl, reinstalled primus. Now fully works. Marking as solved.
    Last edited by JamesLens (2014-04-05 12:57:32)

  • Error in Extending the VO

    I have copied all the files from ont directory and I created xxxx\oracle\apps\ont\ placed all the files here.
    I unchecked the Check XML Syntax on Make.
    When I rebuild the project, I am getting alot of errors.
    Error: xxxx.oracle.apps.ont.custservice.server.CustServiceAM: Application Module xxxx.oracle.apps.ont.custservice.server.CustServiceAM has an invalid View Instance FeedbackPoplistVO.
    Error: xxxx.oracle.apps.ont.print.blanket.server.HdrLinesVL: The view link end(s) do not specify an attribute.
    Mostly these two types of errors everywhere.
    Any help is appreciated.
    Thanks,
    Sharad

    Below is the steps
    Create ont directory under  jdevhome\jdev\myclasses\oracle\apps\
    i.e jdevhome\jdev\myclasses\oracle\apps\ont
    Create ont directory under \jdevhome\jdev\myprojects\oracle\apps
    i.e \jdevhome\jdev\myprojects\oracle\apps\ont
    Copy All the files from Server ont Folder to jdevhome\jdev\myclasses\oracle\apps\ont,\jdevhome\jdev\myprojects\oracle\apps\ont
    convert required class file to java files in  \jdevhome\jdev\myprojects\oracle\apps\ont
    http://apps2fusion.com/apps/oa-framework/352-view-object-extension-oa-framework-add-new-field
    http://oracle.anilpassi.com/extend-vo-in-oa-framwork.html
    http://dilipoaf.blogspot.in/2013/07/deploying-your-viewobject-extensions.html
    Thanks,
    Dilip

  • Mail server setup issues

    Hi.
    I am in trouble setting up a basic mail server. I just spent the last 10 or so hours, in one more try to set it, and yet no results.
    Please, give some help as i am becoming sort of desperated with it
    This time, i followed this guide since the beginning.
    What I've done:
    - Created a user vmail, with home directory set on /var/mail/vmail/
    - Had a LAMP server already working.
    - Created two databases: postfix_db and roundcube_db, owned by postfix_user and roundcube_user respectively.
    - Since it is for personal use and i don't use "old/odd clients like Outlook"  i skipped smtps. And made the following files:
    My postfix main.cf(every commented line removed):
    queue_directory = /var/spool/postfix
    command_directory = /usr/bin
    daemon_directory = /usr/lib/postfix
    data_directory = /var/lib/postfix
    mail_owner = postfix
    mydomain = mydomainname.tld
    unknown_local_recipient_reject_code = 550
    alias_maps = hash:/etc/postfix/aliases
    alias_database = $alias_maps
    debug_peer_level = 2
    debugger_command =
    PATH=/bin:/usr/bin:/usr/local/bin:/usr/X11R6/bin
    ddd $daemon_directory/$process_name $process_id & sleep 5
    sendmail_path = /usr/bin/sendmail
    newaliases_path = /usr/bin/newaliases
    mailq_path = /usr/bin/mailq
    setgid_group = postdrop
    html_directory = no
    manpage_directory = /usr/share/man
    sample_directory = /etc/postfix/sample
    readme_directory = /usr/share/doc/postfix
    inet_protocols = ipv4
    relay_domains = *
    virtual_alias_maps = proxy:mysql:/etc/postfix/virtual_alias_maps.cf
    virtual_mailbox_domains = proxy:mysql:/etc/postfix/virtual_domains_maps.cf
    virtual_mailbox_maps = proxy:mysql:/etc/postfix/virtual_mailbox_maps.cf
    virtual_mailbox_base = /var/mail/vmail
    virtual_mailbox_limit = 512000000
    virtual_minimum_uid = 5000
    virtual_transport = virtual
    virtual_uid_maps = static:5000
    virtual_gid_maps = static:5000
    local_transport = virtual
    local_recipient_maps = $virtual_mailbox_maps
    transport_maps = hash:/etc/postfix/transport
    smtpd_sasl_auth_enable = yes
    smtpd_sasl_type = dovecot
    smtpd_sasl_path = /var/run/dovecot/auth-client
    smtpd_recipient_restrictions = permit_mynetworks, permit_sasl_authenticated, reject_unauth_destination
    smtpd_relay_restrictions = permit_mynetworks, permit_sasl_authenticated, reject_unauth_destination
    smtpd_sasl_security_options = noanonymous
    smtpd_sasl_tls_security_options = $smtpd_sasl_security_options
    smtpd_tls_auth_only = yes
    smtpd_tls_cert_file = /etc/ssl/private/server.crt
    smtpd_tls_key_file = /etc/ssl/private/server.key
    smtpd_sasl_local_domain = $mydomain
    broken_sasl_auth_clients = yes
    smtpd_tls_loglevel = 1
    Postfix master.cf
    smtp inet n - n - - smtpd
    submission inet n - n - - smtpd
    -o smtpd_tls_security_level=encrypt
    -o smtpd_sasl_auth_enable=yes
    pickup unix n - n 60 1 pickup
    cleanup unix n - n - 0 cleanup
    qmgr unix n - n 300 1 qmgr
    tlsmgr unix - - n 1000? 1 tlsmgr
    rewrite unix - - n - - trivial-rewrite
    bounce unix - - n - 0 bounce
    defer unix - - n - 0 bounce
    trace unix - - n - 0 bounce
    verify unix - - n - 1 verify
    flush unix n - n 1000? 0 flush
    proxymap unix - - n - - proxymap
    proxywrite unix - - n - 1 proxymap
    smtp unix - - n - - smtp
    relay unix - - n - - smtp
    showq unix n - n - - showq
    error unix - - n - - error
    retry unix - - n - - error
    discard unix - - n - - discard
    local unix - n n - - local
    virtual unix - n n - - virtual
    lmtp unix - - n - - lmtp
    anvil unix - - n - 1 anvil
    scache unix - - n - 1 scache
    /etc/postfix/virtual_alias_maps.cf (sample password)
    user = postfix_user
    password = m/<~VN4XQ!G=jE[A/-
    hosts = localhost
    dbname = postfix_db
    query = SELECT goto FROM alias WHERE address='%s' AND active = true
    /etc/postfix/virtual_domains_maps.cf
    user = postfix_user
    password = m/<~VN4XQ!G=jE[A/-
    hosts = localhost
    dbname = postfix_db
    query = SELECT domain FROM domain WHERE domain='%s' AND backupmx = false AND active = true
    /etc/postfix/virtual_mailbox_limits.cf
    user = postfix_user
    password = m/<~VN4XQ!G=jE[A/-
    hosts = localhost
    dbname = postfix_db
    query = SELECT quota FROM mailbox WHERE username='%s'
    /etc/postfix/virtual_mailbox_maps.cf
    user = postfix_user
    password = m/<~VN4XQ!G=jE[A/-
    hosts = localhost
    dbname = postfix_db
    query = SELECT maildir FROM mailbox WHERE username='%s' AND active = true
    - Created the SSL key with no problem, and put it in place.
    Edited dovecot.conf:
    protocols = imap pop3
    auth_mechanisms = plain
    passdb {
    driver = sql
    args = /etc/dovecot/dovecot-sql.conf
    userdb sql {
    driver = sql
    args = /etc/dovecot/dovecot-sql.conf
    service auth {
    unix_listener auth-client {
    group = postfix
    mode = 0660
    user = postfix
    user = root
    mail_home = /var/mail/vmail/%d/%u
    mail_location = maildir:~
    ssl_cert = </etc/ssl/private/server.crt
    ssl_key = </etc/ssl/private/server.key
    dict {
    #quota = mysql:/etc/dovecot/dovecot-dict-sql.conf.ext
    #expire = sqlite:/etc/dovecot/dovecot-dict-sql.conf.ext
    !include conf.d/*.conf
    !include_try local.conf
    /etc/dovecot/dovecot-sql.conf
    driver = mysql
    connect = host=localhost dbname=postfix_db user=postfix_user password=m/<~VN4XQ!G=jE[A/-
    default_pass_scheme = MD5-CRYPT
    user_query = SELECT '/var/mail/vmail/%d/%u' as home, 'maildir:/var/mail/vmail/%d/%u' as mail, 5000 AS uid, 5000 AS gid, concat('dirsize:storage=', quota) AS quota FROM mailbox WHERE username = '%u' AND active = '1'
    password_query = SELECT username as user, password, '/var/mail/vmail/%d/%u' as userdb_home, 'maildir:/var/mail/vmail/%d/%u' as userdb_mail, 5000 as userdb_uid, 5000 as userdb_gid FROM mailbox WHERE username = '%u' AND active = '1'
    - Installed postfixadmin and roundcube and made their apache alias.
    - Made directories writable for them.
    /etc/webapps/postfixadmin/config.inc.php (note that there is no "?>" to end the script, it came just like that, and since it had no error there ill assume its normal)
    <?php
    $CONF['configured'] = true;
    $CONF['setup_password'] = '562bc24a874b0c2a7340e3da04b3fdf6:d60282f5cbc19340c73cafbb6526379be696a7c7';
    $CONF['postfix_admin_url'] = '[url]http://mydomain.com/postfixadmin[/url]';
    $CONF['postfix_admin_path'] = dirname(__FILE__);
    $CONF['default_language'] = 'en';
    $CONF['database_prefix'] = '';
    $CONF['database_tables'] = array (
    'admin' => 'admin',
    'alias' => 'alias',
    'alias_domain' => 'alias_domain',
    'config' => 'config',
    'domain' => 'domain',
    'domain_admins' => 'domain_admins',
    'fetchmail' => 'fetchmail',
    'log' => 'log',
    'mailbox' => 'mailbox',
    'vacation' => 'vacation',
    'vacation_notification' => 'vacation_notification',
    'quota' => 'quota',
    'quota2' => 'quota2',
    $CONF['admin_email'] = '[email protected]';
    $CONF['smtp_server'] = 'localhost';
    $CONF['smtp_port'] = '25';
    $CONF['encrypt'] = 'md5crypt';
    $CONF['authlib_default_flavor'] = 'md5raw';
    $CONF['dovecotpw'] = "/usr/sbin/dovecotpw";
    $CONF['min_password_length'] = 5;
    $CONF['generate_password'] = 'NO';
    $CONF['show_password'] = 'NO';
    $CONF['page_size'] = '10';
    $CONF['default_aliases'] = array (
    'abuse' => '[email protected]',
    'hostmaster' => '[email protected]',
    'postmaster' => '[email protected]',
    'webmaster' => '[email protected]'
    $CONF['domain_path'] = 'NO';
    $CONF['domain_in_mailbox'] = 'YES';
    $CONF['maildir_name_hook'] = 'NO';
    $CONF['aliases'] = '10';
    $CONF['mailboxes'] = '10';
    $CONF['maxquota'] = '10';
    $CONF['quota'] = 'NO';
    $CONF['quota_multiplier'] = '1024000';
    $CONF['transport'] = 'NO';
    $CONF['transport_options'] = array (
    'virtual', // for virtual accounts
    'local', // for system accounts
    'relay' // for backup mx
    $CONF['transport_default'] = 'virtual';
    $CONF['vacation'] = 'NO';
    $CONF['vacation_domain'] = 'autoreply.change-this-to-your.domain.tld';
    $CONF['vacation_control'] ='YES';
    $CONF['vacation_control_admin'] = 'YES';
    $CONF['alias_control'] = 'NO';
    $CONF['alias_control_admin'] = 'NO';
    $CONF['special_alias_control'] = 'NO';
    $CONF['alias_goto_limit'] = '0';
    $CONF['alias_domain'] = 'YES';
    $CONF['backup'] = 'YES';
    $CONF['sendmail'] = 'YES';
    $CONF['logging'] = 'YES';
    $CONF['fetchmail'] = 'YES';
    $CONF['fetchmail_extra_options'] = 'NO';
    $CONF['show_header_text'] = 'NO';
    $CONF['header_text'] = ':: Postfix Admin ::';
    $CONF['user_footer_link'] = "[url]http://mydomain.com[/url]";
    $CONF['show_footer_text'] = 'YES';
    $CONF['footer_text'] = 'Return to mydomain.com';
    $CONF['footer_link'] = '[url]http://mydomain.com[/url]';
    $CONF['welcome_text'] = <<<EOM
    Welcome to your new account.
    EOM;
    $CONF['emailcheck_resolve_domain']='YES';
    $CONF['show_status']='NO';
    $CONF['show_status_key']='NO';
    $CONF['show_status_text']='&nbsp;&nbsp;';
    $CONF['show_undeliverable']='NO';
    $CONF['show_undeliverable_color']='tomato';
    $CONF['show_undeliverable_exceptions']=array("unixmail.domain.ext","exchangeserver.domain.ext","gmail.com");
    $CONF['show_popimap']='NO';
    $CONF['show_popimap_color']='darkgrey';
    $CONF['show_custom_domains']=array("subdomain.domain.ext","domain2.ext");
    $CONF['show_custom_colors']=array("lightgreen","lightblue");
    $CONF['recipient_delimiter'] = "";
    $CONF['create_mailbox_subdirs_prefix']='INBOX.';
    $CONF['used_quotas'] = 'NO';
    $CONF['new_quota_table'] = 'NO';
    $CONF['theme_logo'] = 'images/logo-default.png';
    $CONF['theme_css'] = 'css/default.css';
    $CONF['xmlrpc_enabled'] = false;
    if (file_exists(dirname(__FILE__) . '/config.local.php')) {
    include(dirname(__FILE__) . '/config.local.php');
    $CONF['domain_path'] = 'YES';
    $CONF['domain_in_mailbox'] = 'YES';
    $CONF['database_type'] = 'mysqli';
    $CONF['database_host'] = 'localhost';
    $CONF['database_user'] = 'postfix_user';
    $CONF['database_password'] = 'm/<~VN4XQ!G=jE[A/-';
    $CONF['database_name'] = 'postfix_db';
    - I went to domain/postfixAdmin/setup.php and domain/roundcube/installer/ and everything was ok.
    db.inc.php (roundcube):
    <?php
    $rcmail_config = array();
    $rcmail_config['db_dsnw'] = 'mysql://roundcube_user:%3D%29CYbd9bK%210Z7%29AsWU@localhost/roundcube_db';
    $rcmail_config['db_dsnr'] = '';
    $rcmail_config['db_persistent'] = FALSE;
    $rcmail_config['db_table_users'] = 'users';
    $rcmail_config['db_table_identities'] = 'identities';
    $rcmail_config['db_table_contacts'] = 'contacts';
    $rcmail_config['db_table_contactgroups'] = 'contactgroups';
    $rcmail_config['db_table_contactgroupmembers'] = 'contactgroupmembers';
    $rcmail_config['db_table_session'] = 'session';
    $rcmail_config['db_table_cache'] = 'cache';
    $rcmail_config['db_table_cache_index'] = 'cache_index';
    $rcmail_config['db_table_cache_thread'] = 'cache_thread';
    $rcmail_config['db_table_cache_messages'] = 'cache_messages';
    $rcmail_config['db_table_dictionary'] = 'dictionary';
    $rcmail_config['db_table_searches'] = 'searches';
    $rcmail_config['db_table_system'] = 'system';
    $rcmail_config['db_sequence_users'] = 'user_ids';
    $rcmail_config['db_sequence_identities'] = 'identity_ids';
    $rcmail_config['db_sequence_contacts'] = 'contact_ids';
    $rcmail_config['db_sequence_contactgroups'] = 'contactgroups_ids';
    $rcmail_config['db_sequence_searches'] = 'search_ids';
    main.inc.php(roundcube):
    <?php
    $rcmail_config = array();
    $rcmail_config['debug_level'] = 5;
    $rcmail_config['log_driver'] = 'file';
    $rcmail_config['log_date_format'] = 'd-M-Y H:i:s O';
    $rcmail_config['syslog_id'] = 'roundcube';
    $rcmail_config['syslog_facility'] = LOG_USER;
    $rcmail_config['smtp_log'] = true;
    $rcmail_config['log_logins'] = false;
    $rcmail_config['log_session'] = false;
    $rcmail_config['sql_debug'] = false;
    $rcmail_config['imap_debug'] = false;
    $rcmail_config['ldap_debug'] = false;
    $rcmail_config['smtp_debug'] = false;
    $rcmail_config['default_host'] = 'tls://localhost/';
    $rcmail_config['default_port'] = 993;
    $rcmail_config['imap_auth_type'] = null;
    $rcmail_config['imap_delimiter'] = null;
    $rcmail_config['imap_ns_personal'] = null;
    $rcmail_config['imap_ns_other'] = null;
    $rcmail_config['imap_ns_shared'] = null;
    $rcmail_config['imap_force_caps'] = false;
    $rcmail_config['imap_force_lsub'] = false;
    $rcmail_config['imap_force_ns'] = false;
    $rcmail_config['imap_timeout'] = 0;
    $rcmail_config['imap_auth_cid'] = null;
    $rcmail_config['imap_auth_pw'] = null;
    $rcmail_config['imap_cache'] = null;
    $rcmail_config['messages_cache'] = false;
    $rcmail_config['smtp_server'] = 'tls://localhost/';
    $rcmail_config['smtp_port'] = 587;
    $rcmail_config['smtp_user'] = '';
    $rcmail_config['smtp_pass'] = '';
    $rcmail_config['smtp_auth_type'] = '';
    $rcmail_config['smtp_auth_cid'] = null;
    $rcmail_config['smtp_auth_pw'] = null;
    $rcmail_config['smtp_helo_host'] = '';
    $rcmail_config['smtp_timeout'] = 0;
    $rcmail_config['enable_installer'] = false;
    $rcmail_config['dont_override'] = array();
    $rcmail_config['support_url'] = '';
    $rcmail_config['skin_logo'] = 'sorrybutnocookie';
    $rcmail_config['auto_create_user'] = true;
    $rcmail_config['user_aliases'] = false;
    $rcmail_config['log_dir'] = 'logs/';
    $rcmail_config['temp_dir'] = 'temp/';
    $rcmail_config['message_cache_lifetime'] = '10d';
    $rcmail_config['force_https'] = false;
    $rcmail_config['use_https'] = false;
    $rcmail_config['login_autocomplete'] = 0;
    $rcmail_config['login_lc'] = 2;
    $rcmail_config['skin_include_php'] = false;
    $rcmail_config['display_version'] = false;
    $rcmail_config['session_lifetime'] = 10;
    $rcmail_config['session_domain'] = '';
    $rcmail_config['session_name'] = null;
    $rcmail_config['session_auth_name'] = null;
    $rcmail_config['session_path'] = null;
    $rcmail_config['session_storage'] = 'db';
    $rcmail_config['memcache_hosts'] = null;
    $rcmail_config['ip_check'] = true;
    $rcmail_config['referer_check'] = false;
    $rcmail_config['x_frame_options'] = 'sameorigin';
    $rcmail_config['des_key'] = '0JaV%FnEivx9e+JdH2g*?n3n';
    $rcmail_config['username_domain'] = '';
    $rcmail_config['mail_domain'] = '';
    $rcmail_config['password_charset'] = 'ISO-8859-1';
    $rcmail_config['sendmail_delay'] = 0;
    $rcmail_config['max_recipients'] = 0;
    $rcmail_config['max_group_members'] = 0;
    $rcmail_config['useragent'] = 'Roundcube Webmail/'.RCMAIL_VERSION;
    $rcmail_config['product_name'] = 'Test';
    $rcmail_config['include_host_config'] = false;
    $rcmail_config['generic_message_footer'] = '';
    $rcmail_config['generic_message_footer_html'] = '';
    $rcmail_config['http_received_header'] = false;
    $rcmail_config['http_received_header_encrypt'] = false;
    $rcmail_config['mail_header_delimiter'] = NULL;
    $rcmail_config['line_length'] = 72;
    $rcmail_config['send_format_flowed'] = true;
    $rcmail_config['mdn_use_from'] = false;
    $rcmail_config['identities_level'] = 0;
    $rcmail_config['client_mimetypes'] = null;
    $rcmail_config['mime_magic'] = null;
    $rcmail_config['mime_types'] = null;
    $rcmail_config['im_identify_path'] = null;
    $rcmail_config['im_convert_path'] = null;
    $rcmail_config['image_thumbnail_size'] = 240;
    $rcmail_config['contact_photo_size'] = 160;
    $rcmail_config['email_dns_check'] = false;
    $rcmail_config['no_save_sent_messages'] = false;
    $rcmail_config['plugins'] = array();
    $rcmail_config['message_sort_col'] = '';
    $rcmail_config['message_sort_order'] = 'DESC';
    $rcmail_config['list_cols'] = array('subject', 'status', 'fromto', 'date', 'size', 'flag', 'attachment');
    $rcmail_config['language'] = null;
    $rcmail_config['date_format'] = 'Y-m-d';
    $rcmail_config['date_formats'] = array('Y-m-d', 'Y/m/d', 'Y.m.d', 'd-m-Y', 'd/m/Y', 'd.m.Y', 'j.n.Y');
    $rcmail_config['time_format'] = 'H:i';
    $rcmail_config['time_formats'] = array('G:i', 'H:i', 'g:i a', 'h:i A');
    $rcmail_config['date_short'] = 'D H:i';
    $rcmail_config['date_long'] = 'Y-m-d H:i';
    $rcmail_config['drafts_mbox'] = 'Drafts';
    $rcmail_config['junk_mbox'] = 'Junk';
    $rcmail_config['sent_mbox'] = 'Sent';
    $rcmail_config['trash_mbox'] = 'Trash';
    $rcmail_config['default_folders'] = array('INBOX', 'Drafts', 'Sent', 'Junk', 'Trash');
    $rcmail_config['create_default_folders'] = false;
    $rcmail_config['protect_default_folders'] = true;
    $rcmail_config['quota_zero_as_unlimited'] = false;
    $rcmail_config['enable_spellcheck'] = false;
    $rcmail_config['spellcheck_dictionary'] = false;
    $rcmail_config['spellcheck_engine'] = 'googie';
    $rcmail_config['spellcheck_uri'] = '';
    $rcmail_config['spellcheck_languages'] = NULL;
    $rcmail_config['spellcheck_ignore_caps'] = false;
    $rcmail_config['spellcheck_ignore_nums'] = false;
    $rcmail_config['spellcheck_ignore_syms'] = false;
    $rcmail_config['recipients_separator'] = ',';
    $rcmail_config['max_pagesize'] = 200;
    $rcmail_config['min_refresh_interval'] = 60;
    $rcmail_config['upload_progress'] = false;
    $rcmail_config['undo_timeout'] = 0;
    $rcmail_config['address_book_type'] = 'sql';
    $rcmail_config['ldap_public'] = array();
    $rcmail_config['autocomplete_addressbooks'] = array('sql');
    $rcmail_config['autocomplete_min_length'] = 1;
    $rcmail_config['autocomplete_threads'] = 0;
    $rcmail_config['autocomplete_max'] = 15;
    $rcmail_config['address_template'] = '{street}<br/>{locality} {zipcode}<br/>{country} {region}';
    $rcmail_config['addressbook_search_mode'] = 0;
    $rcmail_config['default_charset'] = 'ISO-8859-1';
    $rcmail_config['skin'] = 'larry';
    $rcmail_config['mail_pagesize'] = 50;
    $rcmail_config['addressbook_pagesize'] = 50;
    $rcmail_config['addressbook_sort_col'] = 'surname';
    $rcmail_config['addressbook_name_listing'] = 0;
    $rcmail_config['timezone'] = 'auto';
    $rcmail_config['prefer_html'] = true;
    $rcmail_config['show_images'] = 0;
    $rcmail_config['message_extwin'] = false;
    $rcmail_config['compose_extwin'] = false;
    $rcmail_config['htmleditor'] = 0;
    $rcmail_config['prettydate'] = true;
    $rcmail_config['draft_autosave'] = 300;
    $rcmail_config['preview_pane'] = false;
    $rcmail_config['preview_pane_mark_read'] = 0;
    $rcmail_config['logout_purge'] = false;
    $rcmail_config['logout_expunge'] = false;
    $rcmail_config['inline_images'] = true;
    $rcmail_config['mime_param_folding'] = 0;
    $rcmail_config['skip_deleted'] = false;
    $rcmail_config['read_when_deleted'] = true;
    $rcmail_config['flag_for_deletion'] = false;
    $rcmail_config['refresh_interval'] = 60;
    $rcmail_config['check_all_folders'] = false;
    $rcmail_config['display_next'] = true;
    $rcmail_config['autoexpand_threads'] = 0;
    $rcmail_config['reply_mode'] = 0;
    $rcmail_config['strip_existing_sig'] = true;
    $rcmail_config['show_sig'] = 1;
    $rcmail_config['force_7bit'] = false;
    $rcmail_config['search_mods'] = null;
    $rcmail_config['addressbook_search_mods'] = null;
    $rcmail_config['delete_always'] = false;
    $rcmail_config['delete_junk'] = false;
    $rcmail_config['mdn_requests'] = 0;
    $rcmail_config['mdn_default'] = 0;
    $rcmail_config['dsn_default'] = 0;
    $rcmail_config['reply_same_folder'] = false;
    $rcmail_config['forward_attachment'] = false;
    $rcmail_config['default_addressbook'] = null;
    $rcmail_config['spellcheck_before_send'] = false;
    $rcmail_config['autocomplete_single'] = false;
    $rcmail_config['default_font'] = 'Verdana';
    - From what i can see, postfixadmin used and populated its database, but not roundcube.
    - I can open postfixadmin and log in with no apparent errors (not that i know what to do with it instead of roundcube, but at least works...)
    - Whenever i open roundcube it begins to output errors everywhere about db connection (I was only able after changing its .htaccess to Allow from all, is it a bad idea?)
    DB Error in /usr/share/webapps/roundcubemail/program/lib/Roundcube/rcube_db.php (416): [1146] Table 'roundcube_db.session' doesn't exist (SQL Query: SELECT vars, ip, changed FROM session WHERE sess_id = 'pq5ofv7ja0gh2sunsg38jmd3g1')
    Warning: session_start(): Cannot send session cache limiter - headers already sent in /usr/share/webapps/roundcubemail/program/lib/Roundcube/rcube.php on line 445
    DB Error: [1146] Table 'roundcube_db.session' doesn't exist
    DATABASE ERROR: CONNECTION FAILED!
    Unable to connect to the database!
    Please contact your server-administrator.
    DB Error in /usr/share/webapps/roundcubemail/program/lib/Roundcube/rcube_db.php (416): [1146] Table 'roundcube_db.session' doesn't exist (SQL Query: INSERT INTO session (sess_id, vars, ip, created, changed) VALUES ('pq5ofv7ja0gh2sunsg38jmd3g1', 'dGVtcHxiOjE7bGFuZ3VhZ2V8czo1OiJlbl9VUyI7dGFza3xzOjU6ImxvZ2luIjs=', 'xxx.xxx.xxx.xxx', '2014-02-08 07:34:46', '2014-02-08 07:34:46'))
    Thats all i know. Whats wrong? (i already tried to set db logins with no pw at all, but still with the same problems)
    How far am i to be able to send/receive one email? Please, tell me i am close...
    Mail servers could be so much more linear to set up
    Thanks for your help. Time to get some sleep!

    The roundcube db schema needs to setup manually. See /usr/share/webapps/roundcube/INSTALL
    Also, from your /etc/webapps/postfixadmin/config.inc.php:
    $CONF['domain_path'] = 'NO';
    $CONF['domain_in_mailbox'] = 'YES';
    $CONF['maildir_name_hook'] = 'NO';
    ..which results in /var/mail/vmail/[email protected]
    From your dovecot.conf
    mail_home = /var/mail/vmail/%d/%u
    ...which results in /var/mail/vmail/domain.com/user
    That doesn't fit together.

  • Snow Leopard, PHP, MySQL, Apache and Wordpress!

    Hi there,
    It's taken me most of the day to work this out, so I thought I should post about it somewhere and here, on the Apple forum, is the ideal location.
    I'm a web developer and love the fact that my MacBook works out of the box with a Unix webserver and with little effort, I was able to set up PHP and MySQL on it. I was delighted to hear that the new Snow Leopard was shipping with the latest and greatest of both. It wasn't quite that easy when it came down to running my test sites, one of which I'm working on is a Wordpress site. Far from being daunting, the solutions to the problems I had were quite simple. The issues arose from the OS not having much exposure yet and not many people having posted their experiences on the web. It was just time consuming.
    I should mention at this point that this does require some tinkering with Terminal, but not so much as to cause damage if you do something wrong.
    First off Apache. Thankfully this is as stable as it always has been. All this requires to activate it is to visit System Preferences > Sharing and switch on Web sharing. Bish-bosh, job done.
    Next off PHP. If you open a Safari window and run your phpinfo.php file (where ever you have it saved. If you don't, they're out there, it's a tiny piece of code which you can use to find out your current php setup). You'll find that everything is superb! PHP 5.3! Excellent! Hang on, scroll down to the date and time section. Whoa! What's this big fat warning here.
    That warning my friend, has been the bane of my misery all day. Wordpress hates it. HATES IT! It causes no end of grief. So what's the multi step, multi program solution?
    Open your php.ini file and add the line:
    date.timezone=Country/City
    (do a Google search for PHP Timezones and you will get the exact settings. It's not so good that it understands every city in the world. My setting was Europe/Dublin).
    That's all. This will solve your issue of the timezone error everywhere. Stop and start Apache (System Preferences > Sharing, tick off and tick back on Web Sharing) and hey presto, error is gone.
    Wait a minute, where the **** is my php.ini file. Unfortunately this is where you have to get your hands dirty. Your php.ini file is a system file which resides in the /etc/ folder. Open a terminal window and type exactly the following:
    cd /etc/
    cp php.ini.default php.ini
    This makes the php.ini file from the default. This protects the original so if you ever need to create a new copy or if you make a mistake in the next steps, you can start again.
    Next I'm going to tell you how to edit this file. This uses a program called vi (there are GUI editors out there that will save you this heartache, so if anyone knows any, please post in response. I think TextWrangler is one).
    First you need to set the php.ini file so you can edit it. Type in exactly as follows:
    sudo chmod 777 php.ini
    Sudo is the superuser commmand. It may not be needed, but stick it in anyway. If you are asked for a password, put in your normal password (that you would be asked for say if you were installing something you downloaded).
    At the next prompt, type in:
    vi php.ini
    This will open the php.ini file. Using the up and down keys, find a blank line in the file. You will notice that alot of the lines start with ';'. These are commented lines. Once you find a blank line, press 'i' to insert text. Your screen will now say '-- INSERT --' at the bottom in red. Type the following in exactly (you will NOT be able to cut and paste):
    ; Set PHP Default Timezone
    date.timezone=Europe/Dublin
    Substitute "Europ/Dublin" with your own timezone. When you are done, press escape. Now type in the following:
    :wq!
    The colon is important (not a typo on my part) as this tells vi you are going to run a command. You should now be back at your prompt. Now you need to reset the permissions on the file. Type the following:
    sudo chmod 444 php.ini
    And that's it. That's your PHP setup and finished. If you run your phpinfo.php file now, you should see your timezone under the date and time where you were getting the error before.
    Now the MySQL. This is a bit of fun because, even though MySQL ships with the system, it's not exactly set up correctly! So once again into terminal.
    This time go to the local directory:
    cd /usr/local/
    If you type in:
    ls -al
    You'll get a directory listing. This has the MySQL folder listed as mysql-5.0.77-osx10.5-x86 (or something! I did that from memory!). This IS the MySQL folder but if you, like me, had previously set the MySQL Preference Pane in your System Preferences, then it won't be able to access this. Type the following command:
    sudo cp -R /usr/local/mysql* /usr/local/mysql
    This should copy everything into a folder called mysql. It takes a couple of seconds (first time on my machine it was a good 20 seconds) to run so be patient. Now you need to do the following:
    sudo chown mysql:mysql /usr/local/mysql
    This sets the owner and group of the mysql files to 'mysql'. If you go back to your MySQL preference pane in System Preferences, you should now be able to start it (something weird about it makes it require to close and reopen the System Preferences window before it can open the MySQL pref pane. This is normal, just click ok).
    The bit that got me here, is that I thought that my activation of the MySQL was actually a new install. I tried everything to change the root user and password for MySQL but in fact, if you had it installed on Leopard, prior to upgrading to Snow Leopard, all your users and passwords are the same. If you HAVEN'T installed it before, I recommend you read the Post Installation Customisation (section 2.3) on the manual for MySQL 5.1 on http://www.mysql.com
    So that's about it. All that remains is to test Wordpress. I have phpmyadmin installed (I've heard CocoaMySQL is very good, like iTunes for db's so I'm gonna check that out later) and was able to create the new wordpress database. I changed the settings in the wp-configure.php file to match my setup but nothing worked. I changed the host from '127.0.0.1' back to 'localhost' (a common complaint of the wordpress setup) but no joy. Then I changed the host back to '127.0.0.1' and added the port :3306 (so the full host is '127.0.0.1:3306') and bingo, the install worked, my database setup and my test site worked.
    So that's it! Many of you out there will say, why didn't you just use MAMP. I did use MAMP, but I also got the Timezone issues and it took far more tinkering and hacking to make it work. I decided that, as my lovely MacBook now running lovely Snow Leopard had the lovely newest versions of PHP and MySQL installed, I'd rather get them working than use a runaround with MAMP. I'm a happier camper for it.
    I hope this helps some of you out there. I don't personally have a blog yet, but when I do, I'll post this up there for all to access. I may even add screen shots!!! But seriously, I hope this helps you all out with your installs. It's so handy to have all this stuff straightaway with Snow Leopard, it's just a matter of getting it to work.
    All the best now,
    T

    Hmmmm... I did a clean drive install of Snow Leopard because I used to do it once a year with Windows and hadn't done it in 3 with my MBP.
    First, my httpd.conf file had the line enabling PHP commented out, so when I went to see my simple file with phpinfo(), I saw the source. Saw your post, thought it was the timezone, fixed that (which will probably make wordpress happy when I get it running), and it still didn't work. Looked at the httpd.conf file, found that PHP was disabled by default, fixed that line, restarted the server, and my phpinfo() worked like a charm.
    Also if you want to edit config files, I use TextWrangler's "open hidden files" option.
    But... I have no /usr/local directory at all. Doesn't exist on my machine. Checked the options in the base install and MySQL isn't offered as an option. Checked the optional installs and MySQL isn't there. Even letting spotlight search for hidden files, the only files with MySQL in their name were from php scripts in my web folders.
    There's some stuff about installing/compiling from source.
    http://hivelogic.com/articles/compiling-mysql-on-snow-leopard/
    Dunno if I want to go down that road quite yet.

  • PDF will not print correctly from any app

    I seem to keep on getting the same error everywhere I print on SL (from safari/firefox/preview etc etc)
    It will usually print any lines or logos but miss all text?? I did have the dreaded adobe reader installed but have since removed it?
    I am in urgent need of printing out some manuals for a class so in real trouble, help!

    Where do these PDFs that do not print correctly come from? Are they downloaded from the internet or from email? Or do you create them yourself on your computer? If so, in which program?
    Do some PDF files print correctly, but not others? Did you remove the dreaded Acrobat Reader before this problem developed or after? Did this problem develop only after you ungraded to a certain release of Snow Leopard or has it never worked in SL?
    PDF is wonderful technology, but every so often there can be issues.
    Arch

  • Not nice, Adobe

    I'm running Windows 2000 sp4.
    Up to just recently, my system was a perfectly running machine.
    After updating to the latest version of flashplayer [as prompted internally from the adobe reminder], my entire system is mucked.
    I cannot open a folder or an app without getting memory or paging file errors everywhere.  My system is essentially non-functional.  My error log is filled with errors, both system and application.
    I start thinking, oh crap, my hard drive is gone.
    Lucky for me, I have been a subscriber to Norton Ghost for over a decade.  I have a full uncorrupted clone of my C drive on my D drive, which is a second physical hard drive.  I clone back and reboot and all is well, UNTIL that Adobe Reminder comes back up.  I tell the reminder to "remind me later," but it makes no difference ; something is set in motion and again the entire phenomenon repeats itself.  I clone back again, and this time I stay off the internet completely and just use the system for a few hours to show that the hard drive is working properly.  I then reconnect to the internet and things seem ok until the reminder comes back up, and then I am toast again.  I clone back yet again, and this time, I remove flashplayer completely from my system before getting on the internet.
    This time, all is well and I can surf fine, all issues resolved, no errors, no nothing, just my happy system as it has always been except that I can no longer view flash content on web pages.
    I've got IE6 and Firefox 3.5.3 at the moment, but I don't think that flash even had time to interact with them.  Just the very sign of the reminder mechanism from within the Adobe software was enough to bring my system to its knees, and so I ask you people . . .
    What the HELL are you doing over there ?

    My deepest apologies.
    Your flash player IS working fine.
    I failed to notice that I was also updating my Norton AV virus defs around the same time.
    I have SAV Corp 9 on Win2Ksp4 and this may sound bizarre, and I have no proof other than what actually transpires, but I believe that the size of my virus definition files have exceeded the ability of the antivirus engine to handle them, and memory-wise, the engine has reached "critical mass" and is flipping out.
    It is fouling my entire machine.
    If I clone back, update the flash player, even get on the net, the computer is happy.  The instant I update the NAV def files to the current date, baboom, my system crumbles.
    I am not someone so proud as to not apologize, and since I lambasted you in public, I apologize in public, and I thank you for responding to my post.
    Now, it's off to give Norton some grief !!!!!!!!!!!
    hehe
    Happy Thanksgiving to all !

Maybe you are looking for

  • Function Module for getting the desired date

    Hi All, I need a function module where in get the date value from Current date - 540 days. i,e System Date - 540 days = ???? Thanks Suresh

  • Where can I purchase Macbook pro logic board(I can't find my model on Ebay)

    Hi all, Im from Croatia, Europe, and I'm trying to buy the logic board for my Macbook pro that died recently. I've been to Apple reseler here and they are asking too much 1300$ for repair. The model of my logic board is 820-2101-A. Does anyone knows

  • App Store won't show updates.

    The App Store Updates section is blank.  It won't load the apps needing updates but the badge icon shows that there should be 16.  Featured, Top Charts, Genius, and Purchased all appear.  This is an iPad 2 on iOS 6.1.3.

  • How to get rid of the /irj on my website

    Dear SDN,   I am running ep, IIS proxy and ITS.  I am using the iIS proxy module to redirect my external users to the portal, which is behind the DMZ.  Here is a silly question, what method can I use to make my website not need the /irj at the end. 

  • IPad Air first ipad purchase advice please

    About to make my first ever foray into the world of the big "i".  Have done a reasonable amount of research and have decided to go the whole whammy and go for the 128 Gb and the Wifi and cellular modes. I am doing this as I am doing away with a lap t