Domain name does not link to index page.

Having a lot of difficulty publishing to FTP, have researched many forums and unable to find answers. Whether I publish to FTP via iWeb or Cyberduck, my domain name danbaileymusic.com shows a 403 Forbidden Error. However if i type in danbaileymusic.com/index or /music, ect it loads. The whole site functions fine, but the domain name does not link to the index page.
In Cyberduck all permissions have been turned on. Also I noticed that when publishing to a local folder, iWeb creates a folder "danbailey" and an index.html. This index page does not work in Cyberduck, however the index page that is WITHIN the folder "danbailey" does work, but it doesn't link to the domain name.
Please help! I've been working on this for weeks and cannot figure out why the domain name is not working!

It only creates the page names with first letter capitalized (as in Index not index) I have tried changing it from the sidebar and from the Page Name in the Inspector -- typing "index" comes back as "Index" It's easy enough to change the "I" to an" i" at the file level (which did fix the problem) but doing this also breaks all the links I have to "Index.html" Fixing this on the creation side would be ideal. Thoughts?
I am using iWeb '09 v.3.0.1 if that makes a difference

Similar Messages

  • Name Error: The domain name does not exist

    Hi,
    I get this error when I try to create a view inside a web dynpro from se80 transaction
    " Name Error: The domain name does not exist. "
    Can anyone help me to solve this error ?
    Thanks !!

    Hi,
    did you carry out the necessary <a href="http://help.sap.com/saphelp_nw2004s/helpdata/en/43/e86de5008b4d9ae10000000a155369/frameset.htm">configuration</a> in your system? Note especially the need for fully qualified domain names (FQDN): <a href="http://help.sap.com/saphelp_nw2004s/helpdata/en/67/be9442572e1231e10000000a1550b0/frameset.htm">FQDN</a>
    Regards, Heidi

  • My newly purhcased Domain Name does not appear in sidebar...how do I link

    I have purchased southbaygunnersredondo.com and followed all the steps to link the name with the website I created using iweb. When I look at my me.com account, I see my new domain name listed and ready to use, but it doesn't show up in my sidebar in iweb so I have no idea how to link the domain name with the site I created. help-

    Is this the URL?
    http://www.southbaygunnersredondo.com/southbaygunnersredondo.com/Welcome.html
    Try a shorter Sitename. It's a bit overdone to display it twice.
    You do not have to link anything in iWeb.
    iWeb gets the domainname from the MMe server and will only use it to create the RSS and subscription links.
    You can keep using the web.me.com/username address and the domainname address.

  • After upgrading my iPhone 4S to iOS6, my Find My Friends app no longer links to my Contacts and does not show contact names. It only shows e-mail addresses and does not link up to the corresponding email address in my Contacts. How can I fix this?

    After upgrading my iPhone 4S to iOS6, my Find My Friends app no longer links to my Contacts and does not show contact names. It only shows e-mail addresses and does not link up to the corresponding email address in my Contacts. How can I fix this?

    I am also having problems with a site I am building. No matter what websafe font I use it displays as New Times Roman in FireFox. The correct fonts show in both IE9 and Chrome.
    In addition, text shifts in FireFox. I have to position other text objects farther and farther apart as I go down the page or they start to overlap. Nav buttons and other images also have to be positioned in the wrong place for them to be in the correct place when the page is opened in FireFox. FireFox should display pages correctly by default. I can't expect th average user to have to tweek his/her settings to display my site.
    I have been recommending FireFox on my website as the best browser. I might have to change that and abandon FireFox myself.

  • ORA-22160: element at index name does not exist

    hi
    i have a procedure which insert values from a VARRAY type in a table. My question is how can i verify the existence of nth element before inserting to avoid ORA-22160: element at index name does not exist
    Here is my code:
    CREATE OR REPLACE PACKAGE BODY CANDIDE.PE_CL IS
    PROCEDURE p_proc(Id_clt IN P_CLIENT.id_client%TYPE,
    nameClt IN P_CLIENT.nameclient%TYPE,
    --VARRAY type
    priceItem IN price_array,
    --VARRAY type
    nameItem IN item_array) IS
    BEGIN
    INSERT INTO P_CLIENT VALUES (Id_clt, nameClt);
    FORALL i IN nameItem.FIRST .. nameItem.LAST
    INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), priceItem(i));
    END;
    end PE_CL;
    Product version: Oracle9i Enterprise Edition Release 9.2.0.1.0
    Peter

    I see the problem now. If there are more values in one varray or the other, how do you want to handle it? Below I have demonstrated, first the solution that I previous offered, that would only insert the rows where there are values from both varrays. In the second example below, I have inserted a null value in place of the missing value from the varray that has fewer values.
    scott@ORA92> CREATE TABLE p_client
      2    (id_client  NUMBER,
      3       nameclient VARCHAR2(15))
      4  /
    Table created.
    scott@ORA92> CREATE TABLE p_items
      2    (id_client  NUMBER,
      3       name_item  VARCHAR2(10),
      4       price_item NUMBER)
      5  /
    Table created.
    scott@ORA92> CREATE OR REPLACE PACKAGE PE_CL
      2  IS
      3    TYPE item_array IS ARRAY(10) OF VARCHAR2(10);
      4    TYPE price_array IS ARRAY(10) OF number;
      5    PROCEDURE p_proc
      6        (Id_clt    IN P_CLIENT.id_client%TYPE,
      7         nameClt   IN P_CLIENT.nameclient%TYPE,
      8         priceItem IN price_array,
      9         nameItem  IN item_array);
    10  end PE_CL;
    11  /
    Package created.
    scott@ORA92> show errors
    No errors.
    -- first method:
    scott@ORA92> CREATE OR REPLACE PACKAGE BODY PE_CL
      2  IS
      3    PROCEDURE p_proc
      4        (Id_clt    IN P_CLIENT.id_client%TYPE,
      5         nameClt   IN P_CLIENT.nameclient%TYPE,
      6         priceItem IN price_array,
      7         nameItem  IN item_array)
      8    IS
      9    BEGIN
    10        INSERT INTO P_CLIENT VALUES (Id_clt, nameClt);
    11  --    FORALL i IN nameItem.FIRST .. nameItem.LAST
    12  --      INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), priceItem(i));
    13        FOR i IN nameItem.FIRST .. nameItem.LAST LOOP
    14          IF nameItem.EXISTS(i) AND priceItem.EXISTS(i) THEN
    15            INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), priceItem(i));
    16          END IF;
    17        END LOOP;
    18    END;
    19  end PE_CL;
    20  /
    Package body created.
    scott@ORA92> show errors
    No errors.
    scott@ORA92> declare
      2    priceitem pe_cl.price_array := pe_cl.price_array(2, 5);
      3    nameitem pe_cl.item_array := pe_cl.item_array('item a', 'item b', 'item c');
      4  begin
      5    pe_cl.p_proc
      6        (id_clt    => 900,
      7         nameclt   => 'MIKE',
      8         priceitem => priceitem,
      9         nameitem  => nameitem);
    10    COMMIT;
    11  end;
    12  /
    PL/SQL procedure successfully completed.
    scott@ORA92> SELECT * FROM p_client
      2  /
    ID_CLIENT NAMECLIENT
           900 MIKE
    scott@ORA92> SELECT * FROM p_items
      2  /
    ID_CLIENT NAME_ITEM  PRICE_ITEM
           900 item a              2
           900 item b              5
    scott@ORA92> TRUNCATE TABLE p_client
      2  /
    Table truncated.
    scott@ORA92> TRUNCATE TABLE p_items
      2  /
    Table truncated.
    -- second method:
    scott@ORA92> CREATE OR REPLACE PACKAGE BODY PE_CL
      2  IS
      3    PROCEDURE p_proc
      4        (Id_clt    IN P_CLIENT.id_client%TYPE,
      5         nameClt   IN P_CLIENT.nameclient%TYPE,
      6         priceItem IN price_array,
      7         nameItem  IN item_array)
      8    IS
      9    BEGIN
    10        INSERT INTO P_CLIENT VALUES (Id_clt, nameClt);
    11  --    FORALL i IN nameItem.FIRST .. nameItem.LAST
    12  --      INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), priceItem(i));
    13        FOR i IN nameItem.FIRST .. nameItem.LAST LOOP
    14          IF nameItem.EXISTS(i) AND priceItem.EXISTS(i) THEN
    15            INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), priceItem(i));
    16          ELSIF nameItem.EXISTS(i) THEN
    17            INSERT INTO P_ITEMS VALUES (Id_clt, nameItem(i), null);
    18          ELSIF priceItem.EXISTS(i) THEN
    19            INSERT INTO P_ITEMS VALUES (Id_clt, null, priceItem(i));
    20          END IF;
    21        END LOOP;
    22    END;
    23  end PE_CL;
    24  /
    Package body created.
    scott@ORA92> show errors
    No errors.
    scott@ORA92> declare
      2    priceitem pe_cl.price_array := pe_cl.price_array(2, 5);
      3    nameitem pe_cl.item_array := pe_cl.item_array('item a', 'item b', 'item c');
      4  begin
      5    pe_cl.p_proc
      6        (id_clt    => 900,
      7         nameclt   => 'MIKE',
      8         priceitem => priceitem,
      9         nameitem  => nameitem);
    10    COMMIT;
    11  end;
    12  /
    PL/SQL procedure successfully completed.
    scott@ORA92> SELECT * FROM p_client
      2  /
    ID_CLIENT NAMECLIENT
           900 MIKE
    scott@ORA92> SELECT * FROM p_items
      2  /
    ID_CLIENT NAME_ITEM  PRICE_ITEM
           900 item a              2
           900 item b              5
           900 item c

  • Link Reports -item  does not exists on this page

    I have two tables Person table with Primary Key of PersonID, and Person_Qualification Table with a FK of Person_ID.
    I have a report for each table. I have created a report on the Person Table(Page 3000) with a link column to the Person Qualification Report (Page 3119).
    In the link column I created in the person report I have my parameters set as P3000_PersonID and #Person_ID# as field to populate the URL with, and the target page as 3119.
    However anytime I click this link that takes me to the PersonQualification report I get an error stating the Item P3000_Person ID does not exists on this page (3119).
    I have linked a form and report together before, but not two reports.
    I want the person qualification report to be only for the personID that was clicked on.
    I tried adding P3000_PersonID to the query in the person_qualification page I.E. where PersonID=:P3000_PersonID but I still get the item P3000_Person ID does not exists on this page or something to this effect.
    Thanks

    Hello gtjr,
    You need to define an item (usually hidden) on page 3119 to hold the person ID and use that in your second report's query.
    Then in the column link for the first report, specify this new item to be set to the person ID linked.
    The reason for the error is you're telling ApEx to set an item p3000_person_id on page 3119, but that item doesn't exist on page 3119.
    Hope this helps,
    John
    Please remember to reward helpful or correct responses. :-)

  • DNS cache " Name Does not Exist"

    Hey Guys,
    So we've been experiencing a really weird issue related to the DNS for past couple of months. Here are the details:
    1) Our domain machines are Windows 7 Enterprise and their DNS points to Windows DNS Servers
    2) For companyxyz.net internal sites, the Windows DNS resolves those from its
    companyxyz.net zone.
    3) For public *.companyxyz.com records, the Windows DNS has conditional forwarders to point these requests to our Linux Bind Servers. And than the authoritative name servers respond to these queries accordingly
    4) Our internal employees use the public records such as testing.companyxyz.com 
    Problems:
    1) Employees on the internal network would randomly experience page not found on their browsers while trying to hit
    testing.companyxyz.com. When we try to ping this URL, ping would fail too. However, NSLOOKUP would work perfectly fine and return the correct results. ipconfig /flushdns fixes the issue right away
    2) During the time when this problem is occurring, if I look into the local cache ( ipconfig /displaydns), I find an entry saying:
        testing.companyxyz.com
        Name does not exist. 
    ipconfig /flushdns obviously clears out this record along with the other local cached records and fixes the issue.
    3) Point the local computers directly to the Linux Bind servers as DNS never create this issue. It's only when they are pointing to the Windows DNS and going to this public record. The problem also seems to occur a lot more frequently if there are considerably
    high number of hits to this URL.
    Have you guys experienced this issue before? I am looking for a fix for this issue and not having the end-users to flush their dns constantly. Also note this problem occurs sometimes once a day, or 2 -3 times a week. It's very random.
    Thanks.
    Bilal
     

    Hi,
    It seems that the issue is related to your Windows 7 client. Considering whether there is DNS attack or virus on this computer.
    Please try to do the safety scan first.
    Please monitor the DNS server performance referring these article:
    Monitoring DNS server performance
    http://technet.microsoft.com/en-us/library/cc778608(WS.10).aspx
    Monitoring and Troubleshooting DNS
    http://www.tech-faq.com/monitoring-and-troubleshooting-dns.html
    For further step, we need to capture the traffic by using Network monitor when the issue happened and we continuously ping
    testing.companyxyz.com.
    Microsoft Network Monitor 3.4
    http://www.microsoft.com/en-us/download/details.aspx?id=4865
    Let’s see whether there is DNS request happened and the DNS request is handled.
    You can post back the save traffic log here for our further research.
    Kate Li
    TechNet Community Support

  • File name does not showing the InDesign icon?

    I have got few files from my client and they said it is an InDesign CS2 version file. but the file name does not showing the InDesign icon on the file name, though I have CS2 and I have tried other version too.
    Also I could not open the file in any version.
    Can somebody help me?

    there is no screen shot...
    You must either post a link to it on another server or embed it into a post using the camera icon on the web page like this:

  • Bursting Problem - A file or directory in the path name does not exist

    I'm trying to burst some data via email using the standard DocumentProcessor java code but receiving an error relating, I assume, to an invalid temporary directory. I've checked that the directory exists, as do the data file and control file. By the way I am not running in Apps, just stand alone mode. Any ideas would be much appreciated.
    [042308_104249440][oracle.apps.xdo.batch.bursting.FileHandler][EXCEPTION] java.io.FileNotFoundException: /u02/DIAS/bursting/BIPublisher/tmp/042308_104249338/xdo2.tmp (A file or directory in the path name does not exist.)
    at java.io.FileOutputStream.open(Native Method)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:205)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:96)
    at oracle.apps.xdo.template.RTFProcessor.setOutput(Unknown Source)
    at oracle.apps.xdo.batch.bursting.FileHandler.rtf2xsl(Unknown Source)
    at oracle.apps.xdo.batch.bursting.ProcessDocument.getXSLFile(Unknown Source)
    at oracle.apps.xdo.batch.bursting.ProcessDocument.processTemplate(Unknown Source)
    at oracle.apps.xdo.batch.bursting.ProcessCoreDocument.processLayout(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.addDocument2Queue(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.createBurstingDocument(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.burstDocument(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.globalDataEndElement(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.endElement(Unknown Source)
    at oracle.xml.parser.v2.XMLContentHandler.endElement(XMLContentHandler.java:196)
    at oracle.xml.parser.v2.NonValidatingParser.parseElement(NonValidatingParser.java:1212)
    at oracle.xml.parser.v2.NonValidatingParser.parseRootElement(NonValidatingParser.java:301)
    at oracle.xml.parser.v2.NonValidatingParser.parseDocument(NonValidatingParser.java:268)
    at oracle.xml.parser.v2.XMLParser.parse(XMLParser.java:201)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.burstingRequest(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.burstingEndElement(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.endElement(Unknown Source)
    at oracle.xml.parser.v2.XMLContentHandler.endElement(XMLContentHandler.java:196)
    at oracle.xml.parser.v2.NonValidatingParser.parseElement(NonValidatingParser.java:1212)
    at oracle.xml.parser.v2.NonValidatingParser.parseRootElement(NonValidatingParser.java:301)
    at oracle.xml.parser.v2.NonValidatingParser.parseDocument(NonValidatingParser.java:268)
    at oracle.xml.parser.v2.XMLParser.parse(XMLParser.java:201)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.burstingConfigParser(Unknown Source)
    at oracle.apps.xdo.batch.BurstingProcessorEngine.process(Unknown Source)
    at oracle.apps.xdo.batch.DocumentProcessor.process(Unknown Source)
    at PIreportburst.bEngine(PIreportburst.java:24)
    at PIreportburst.main(PIreportburst.java:51)
    -Below is the java code I'm using
    public void bEngine(String ctrlFile, String dataFile, String tmpDir) {
    try {
    DocumentProcessor dp = new DocumentProcessor(ctrlFile,dataFile,tmpDir);
    dp.process();
    catch (Exception e) {
    System.out.println(e);
    }

    Thanks Ike
    Where do you suggest setting the temp directory:
    DocumentProcessor("control.xml","data.xml","/u02/DIAS/bursting/BIPublisher/tmp/042308_104249338/xdo2.tmp")
    or in the xdo.cfg:
    <property name="system-temp-dir">/u02/DIAS/bursting/BIPublisher/tmp/042308_104249338/xdo2.tmp</property>
    ..and thanks for the link to the BIPublisherIDE
    Cheers, Mike

  • Server failed to start: The domain path does not match the running server

    Hi,
    I've configured Eclipse to run my local weblogic - which actually is working fine.
    The server starts as intended and reaches state RUNNING.
    As soon as this happens, OEPE tries to validate the server and compares the identified server's configuration to the expected configuration.
    This finally results into the error message shown in the subject -- though server is still running.
    !MESSAGE Server watcher[Oracle WebLogic Server 11gR1 PatchSet 1 at localhost]:The domain path does not match the running server.
    Domain RootDirectory retrieved from the MBean of running server is: N:\Oracle\MIDDLE~1\USER_P~1\domains\MYWEBL~1\
    Domain RootDirectory of this server: N:\Oracle\Middleware\user_projects\domains\myWeblogicServer
    Obviously this seems to be an issue with the length of the directory and file names. The domain's configuration and all its start scripts do not have any 8+3 pathes, like USER_P~1 for user_projects. Nevertheless the MBean of the server returns such a "truncated" path which in turn is invalid for OEPE.
    Fix: When setting up the domain in Eclipse, try using that 8+3 representation of the domain's location. Then the comparison will succeed...
    My Question: Where do we need to ask for a fix in OEPE? The 8+3 path is still a valid one ...
    Best Regards
    Philipp

    I haven't been able to reproduce this and 8+3 representation of the domain's location shouldn't be required.
    Can you provide more information:
    - is this a network drive?
    - what is your OS: XP, Vista, Win7?
    - what is the Windows file system type, is it FAT or NTFS
    - Can you try install WLS on C:, e.g. C:\Oracle\Middleware\user_projects and see if it still happens?

  • RDS Gateway + Smart Card Error [ The specified user name does not exist.]

    I have the following Windows Server 2008 R2 servers:
    addsdc.contoso.com, AD DS Domain Controller for contoso.com
    adcsca.contoso.com, AD CS Enterprise CA, CDPs/AIAs published externally.
    fileserver.contoso.com, RDS Session Host for Administration enabled
    rdsgateway.contoso.com, RDS Gateway enabled
    tmgserver.contoso.com, 'Publishing' rdsgateway.contoso.com but with pass-through authentication
    And the following Windows 7 PCs:
    internalclient.contoso.com
    externalclient.fabrikam.com
    There's no trust between the domains, the external client is completely separate on the internet but the CA certificate for contoso.com has been installed in the trusted Root CA store. All servers have certificates for secure RDP.
    I enrolled for a custom 'Smart Card Authentication' certificate with Client Authentication and Smart Card Logon EKUs from the CA, stored on my new Gemalto smart card using the Microsoft Base Smart Card CSP.
    From internalclient.contoso.com, I can RDP to fileserver.contoso.com
    using the smart card just fine with no certificate errors.
    From externalclient.fabrikam.com, I can RDP to fileserver.contoso.com
    via rdsgateway.contoso.com using a username and password just fine with no certificate errors.
    From externalclient.fabrikam.com, I can RDP to fileserver.contoso.com
    via rdsgateway.contoso.com using the smart card to authenticate to the gateway, and a username and password to authenticate to the end server, just fine.
    BUT from when using a smart card to authenticate to the end server via the gateway, it fails with:
         The specified user name does not exist. Verify the username and try logging in again. If the problem continues, contact your system administrator or technical support. 
    When I move the client into the internal network and try the connection again (still via the RDS Gateway), it works fine - the only thing I can think of is being outside the network and not being able to contact the AD DS DC for Kerberos is causing the issue
    - but I'm pretty sure this is a supported scenario?
    The smart card works fine internally, the subject of the certificate is the user's common name (John Smith) and the only SAN is
    [email protected] which matches the UPN of the user account as it was auto-enrolled.
    Does anyone have any ideas?

    I had a similar issue where I am using a smart card through a Remote Desktop Gateway. I had to disable Network Level Authentication (NLA) on the destination Remote Desktop Server. If anyone has another way around this, I'd appreciate hearing it. I'd prefer
    to use NLA.

  • Error: The specified mailbox database [Mailbox Database Name] does not exist, when you try to export mailbox in Exchange 2007

    [Symptom]
    ======================
    In Exchange 2007, when you want to export mailbox to a .pst file, you should run the
    Export-Mailbox cmdlet from a 32-bit computer that has the following installed:
    The 32-bit version of the Exchange management tools
    Microsoft Office Outlook 2003 SP2 or later versions
    If not, you may encounter the following error message:
    You check that you have these required installed, but you get the error below when you run Export-Mailbox in EMS.
    “The specified mailbox database [Mailbox Database Name] does not exist.”
    [Cause Analysis]
    =======================================
    This is because that the account you use to run Export-Mailbox cmdlet don’t have the Exchange Server Administrator role assigned.
    You can check if this account has been delegated the Exchange Server Administrator role through the following path.
    EMC -> Organization Configuration-> Check permissions in the result pane.
    To delegate this Exchange Server Administrator role, right click on the
    Organization Configuration node and choose Add Exchange Administrator,
    you will see the Add Exchange Administrator window.
    [More Information]
    ==============================
    Export-Mailbox
    http://technet.microsoft.com/en-gb/library/aa998579(v=exchg.80).aspx
    How to Export and Import mailboxes to PST files in Exchange 2007 SP1
    http://blogs.technet.com/b/exchange/archive/2007/04/13/3401913.aspx
    Exchange 2007 cannot export pst files via its powershell
    http://social.technet.microsoft.com/Forums/forefront/en-US/b3bc0dce-35f3-4a69-9a33-4f2a855b9f94/exchange-2007-cannot-export-pst-files-via-its-powershell?forum=exchangesvrgenerallegacy
    Please click to vote if the post helps you. This can be beneficial to other community members reading the thread.

    Hi,
    Based on my test, if you make the user the owner of the database (rather than a user with the db_owner role), when you create a query, it creates it under the dbo schema rather than DOMAIN\username.
    Steps to do so (in Management Studio):
    Right click database, select Properties 
    Click File 
    Change Owner in the textbox 
    OK to confirm 
    Downside - other users under db_owner role will still have their username appended. So schemas have to be created for these users.
    Jaynet Zhang
    TechNet Community Support

  • My TOC in the epub document does not link to the chapters

    Hello!
    I created a document in pages that I am exporting as an ePub. When creating the TOC, I have ticked "make page numbers links". However, when I open the epub file, the TOC that appears in the document 1) does not show page numbers; 2) does not link to the chapters (or anywhere else).
    What is it that I'm doing wrong? Any help will be appreciated.
    Thank you!

    Try a restart of your entire system. Shut down both your modem and your router if they are two separate devices. Then restart each item one at a time with about three minutes between each device.
    Also reset the iPad by pressing and holding the Start and Home keys together, ignoring there'd slider until the Apple logo appears.

  • Error:domain database does not exist

    Hi we are running Iplanet mssaging Server 5.2 p1 running in dirsync mode and iplanet directory server 5.1.We have configured th ldap settings of some of the users using the maildeliveryoption to mailbox and forward & we have set the mailforwarding attribute to forward the mail to a set of users.Now yesterday our smtp server panic & service stopped working.After removing the lock files in ../imta/tmp/ directory the service started working.But now for all the users for whom this forwarding of mails has been sent are getting there mails bounced.for other users for whom this option is not there the mail is getting delivered.The error recived is Illegal host / domain name.
    I ran imsimta test -rewrite -debug for a user whose mail is getting bounced and i get the following output.here attaching some of the lines Can anyone please guide me as to what the problem is?(nslookup is working).
    Does the imsimta cleandb might have corrupted the entries?
    Regards and thanks in advance
    Script started on Tue Nov 30 16:45:02 2004
    # imsimta test -rewrite -debug
    Initializing mm_.
    Initializing mm_ submission.
    Checking identifiers.
    Address: [email protected]
    *** Debug output from initializing MM for submission:
    16:45:17.33: mmc_winit('l','[email protected]','[email protected]') called.
    16:45:17.33: Queue area size 9236824, temp area size 3202696
    16:45:17.33: 2309206 blocks of effective free queue space available; setting disk limit accordingly.
    16:45:17.33: 1601348 blocks of free temporary space available; setting disk limit accordingly.
    16:45:17.33: Rewriting: Mbox = "postmaster", host = "mail1.hathway.com", domain = "$*", literal = "", tag = ""
    16:45:17.33: Rewrite: "$*", position 0, hash table -
    16:45:17.33: Failed.
    16:45:17.33: Rewrite: "$*", position 0, rewrite database -
    16:45:17.33: (domain database does not exist)
    16:45:17.33: Failed
    16:45:17.33: Rewriting: Mbox = "postmaster", host = "mail1", domain = "mail1.hathway.com", literal = "", tag = ""
    16:45:17.33: Rewrite: "mail1.hathway.com", position 0, hash table -
    16:45:17.33: Found: "$U%[email protected]"
    16:45:17.33: New mailbox: "postmaster".
    16:45:17.33: New host: "mail1.hathway.com".
    16:45:17.33: New route: "mail1.hathway.com".
    16:45:17.34: New channel system: "mail1.hathway.com".
    16:45:17.34: Looking up host "mail1.hathway.com".
    16:45:17.34: - found on channel l
    16:45:17.34: Routelocal flag set; scanning for % and !
    16:45:17.34: Rewriting: Mbox = "postmaster", host = "mail1.hathway.com", domain = "$*", literal = "", tag = ""
    16:45:17.34: Rewrite: "$*", position 0, hash table -
    16:45:17.34: Failed.
    16:45:17.34: Rewrite: "$*", position 0, rewrite database -
    16:45:17.34: (domain database does not exist)
    16:45:17.34: Failed
    16:45:17.34: Rewriting: Mbox = "postmaster", host = "mail1", domain = "mail1.hathway.com", literal = "", tag = ""
    16:45:17.34: Rewrite: "mail1.hathway.com", position 0, hash table -
    16:45:17.34: Found: "$U%[email protected]"
    16:45:17.34: New mailbox: "postmaster".
    16:45:17.34: New host: "mail1.hathway.com".
    16:45:17.34: New route: "mail1.hathway.com".
    16:45:17.34: New channel system: "mail1.hathway.com".
    16:45:17.34: Looking up host "mail1.hathway.com".
    16:45:17.34: - found on channel l
    16:45:17.34: Routelocal flag set; scanning for % and !
    16:45:17.34: Mapped return address: [email protected]
    *** Debug output from rewriting a forward header address:
    16:45:17.34: Rewriting: Mbox = "systeam", host = "hathway.net", domain = "$*", literal = "", tag = ""
    16:45:17.35: Rewrite: "$*", position 0, hash table -
    16:45:17.35: Failed.
    16:45:17.35: Rewrite: "$*", position 0, rewrite database -
    16:45:17.35: (domain database does not exist)
    16:45:17.35: Failed
    16:45:17.35: Rewriting: Mbox = "systeam", host = "hathway", domain = "hathway.net", literal = "", tag = ""
    16:45:17.35: Rewrite: "hathway.net", position 0, hash table -
    16:45:17.35: Found: "$U%[email protected]"
    16:45:17.35: New mailbox: "systeam".
    16:45:17.35: New host: "hathway.net".
    16:45:17.35: New route: "mail1.hathway.com".
    16:45:17.35: New channel system: "mail1.hathway.com".
    16:45:17.35: Looking up host "mail1.hathway.com".
    16:45:17.35: - found on channel l
    16:45:17.35: Routelocal flag set; scanning for % and !
    16:45:17.35: Rewrite rules result: [email protected]
    16:45:17.35: Applying reverse database to: [email protected]
    16:45:17.35: No match -- no such entry.
    forward channel = l
    channel description =
    channel user filter =
    dest channel filter =
    source channel filter =
    channel flags #0 = BIDIRECTIONAL MULTIPLE IMMNONURGENT NOSERVICEALL
    channel flags #1 = NOSMTP DEFAULT
    channel flags #2 = COPYSENDPOST COPYWARNPOST POSTHEADONLY HEADERINC NOEXPROUTE
    channel flags #3 = LOGGING NOGREY NORESTRICTED RETAINSECURITMULTIPARTS
    channel flags #4 = EIGHTBIT NOHEADERTRIM NOHEADERREAD RULES
    channel flags #5 =
    channel flags #6 = LOCALUSER REPORTHEADER
    channel flags #7 = NOSWITCHCHANNEL NOREMOTEHOST DATEFOUR DAYOFWEEK
    channel flags #8 = NODEFRAGMENT EXQUOTA REVERSE NOCONVERT_OCTET_STREAM
    channel flags #9 = NOTHURMAN INTERPRETENCODING USEINTERMEDIATE RECEIVEDFROM VALIDATELOCALSYSTEM NOTURN
    defaulthost = hathway.com hathway.com
    linelength = 1023
    channel env addr type = SOURCEROUTE
    channel hdr addr type = SOURCEROUTE
    channel official host = mail1.hathway.com
    channel queue 0 name = LOCAL_POOL
    channel queue 1 name = LOCAL_POOL
    channel queue 2 name = LOCAL_POOL
    channel queue 3 name = LOCAL_POOL
    channel after params =
    channel user name =
    urgentnotices = 1 2 4 7
    normalnotices = 1 2 4 7
    nonurgentnotices = 1 2 4 7
    channel rightslist ids =
    local behavior flags = %x7
    backward channel = l
    header To: address = [email protected]
    header From: address = [email protected]
    envelope To: address = [email protected] (route (mail1.hathway.com,mail1.hathway.com)) (host hathway.net)
    envelope From: address = [email protected]
    name =
    mbox = systeam
    Extracted address action list:
    [email protected]
    Extracted 733 address action list:
    [email protected]
    Address list expansion:
    systeam.hathway.net@ims-ms-daemon
    nasser.hathway.net@ims-ms-daemon
    sayed.hathway.net@ims-ms-daemon
    sameerm.hathway.net@ims-ms-daemon
    daji.hathway.net@ims-ms-daemon
    umanga.hathway.net@ims-ms-daemon
    6 expansion total.
    *** Debug output from submitting an envelope address:
    16:45:17.37: mmc_wadr(0x0005ef70,'[email protected]','[email protected]') called.
    16:45:17.37: Copy estimate before address addition is 1
    16:45:17.37: Parsing address [email protected]
    16:45:17.37: Rewriting: Mbox = "systeam", host = "hathway.net", domain = "$*", literal = "", tag = ""
    16:45:17.37: Rewrite: "$*", position 0, hash table -
    16:45:17.37: Failed.
    16:45:17.37: Rewrite: "$*", position 0, rewrite database -
    16:45:17.37: (domain database does not exist)
    16:45:17.37: Failed
    16:45:17.37: Rewriting: Mbox = "systeam", host = "hathway", domain = "hathway.net", literal = "", tag = ""
    16:45:17.37: Rewrite: "hathway.net", position 0, hash table -
    16:45:17.37: Found: "$U%[email protected]"
    16:45:17.37: New mailbox: "systeam".
    16:45:17.37: New host: "hathway.net".
    16:45:17.37: New route: "mail1.hathway.com".
    16:45:17.37: New channel system: "mail1.hathway.com".

    Your first mistake. . .
    Hi we are running Iplanet mssaging Server 5.2 p1 running in dirsync mode
    please get off dirsync mode. There are bugs with dirsync that will never be fixed. 5.2p1 is well over a year old, and there're hundreds of fixed bugs there. 5.2p2 is available for free, on Sun's web site.
    You still have some dirsync problems.

  • When text is low on the page, it does not print on the page!

    Office Jet J6480, Windows 7 32 bit.
    Sometimes pages with a content line near the bottom of the page, does not print or the characters are only partially
    printed on the output page.

    Hello, you may be able to fix this problem on your HP Officejet J6480 All-in-One Printer by following the steps in the following document: "The Product Does Not Print the Bottom Page Border in Microsoft Office": 
    http://h10025.www1.hp.com/ewfrf/wc/document?docname=c01671543&tmp_task=solveCategory&cc=us&dlc=en&la...
    There are two more links inside that web page with some other solutions if you are experiencing this problem with other Operative System:
    -Printed Text is Cut Off on the Last Line of the Page in Windows XP
    -Printed Text is Cut Off on the Last Line of the Page in Windows Vista
    I am an HP employee, Printer/All-in-One Expert.
    Give Kudos to say "thanks" by clicking on the "thumps Up icon"
    Please mark the post that solves your problem as an Accepted Solution so other forum users can utilize the solution.

Maybe you are looking for