BAPI_USER_CHANGE "named argument not found" error in VBA

Folks,
I'm trying to update SAP users' email addresses en masse via a VBA routine.  The subroutine I'm trying to run is here, at least in skeletal form (it still needs MAPI code to pick up the email information, but that's outside the scope of the question:)
Sub UpdateUsers()
Dim gConnection As Object 'global connection object
Dim boUser As Object
Dim oAddress As Object, oPOHeader As Object, oAddressX As Object, oReturn As Object
Dim oCommitReturn As Object, oBAPIService As Object
Dim db As Database, rs As Recordset
Dim strDbName As String
Dim oBAPICtrl As New SAPBAPIControl
    'Database file name
    strDbName = CurrentDb.Name
    'Open database file
    Set db = DBEngine.OpenDatabase(strDbName)
    'Database table/query to take data from
    Set rs = db.OpenRecordset("users", dbOpenDynaset, dbSeeChanges)
    'Set up connection object for SAP.  Note that the SAP BAPI ActiveX object must be available on the form or otherwise.
    Set gConnection = oBAPICtrl.Connection
    'Log in to SAP.  Seems like passwords must be in uppercase.  There are examples of people defaulting some (or all)
    'of the login values
    gConnection.logon
    'Set up the transaction commit.  You need this for the effects of an update BAPI to actually take effect.
    Set oBAPIService = oBAPICtrl.GetSAPObject("BapiService")
    'This table object contains error message data regarding how well the commit worked.
    Set oCommitReturn = oBAPICtrl.DimAs(oBAPIService, "TransactionCommit", "Return")
    'Buzz through the Access table.
    With rs
    .MoveFirst
    Do While .EOF <> True
    'Initialize all BAPI objects for each transaction.
    Set boUser = Nothing
    Set oPOHeader = Nothing
    Set oAddress = Nothing
    Set oAddressX = Nothing
    Set oReturn = Nothing
    'Initialize all BAPI object structures to what is required.
    'To see what BAPI's are available and how to call them, go to http://ifr.sap.com/catalog/query.asp
    'Note that the first line actually establishes a primary key (PO, in this example.)
    Set boUser = oBAPICtrl.GetSAPObject("USER", !Uname)
    Set oAddress = oBAPICtrl.DimAs(boUser, "Change", "Address")
    Set oAddressX = oBAPICtrl.DimAs(boUser, "Change", "Addressx")
    Set oReturn = oBAPICtrl.DimAs(boUser, "Change", "Return")
    'Populate all tabular BAPI structures with appropriate information, as required by the BAPI.
'    oAddress.rows.Add
    oAddress.Value("E_MAIL") = "[email protected]"
'   oAddressX.rows.Add
    oAddressX.Value("E_MAIL") = "X"
    'Actually call the BAPI here.
    boUser.Change UserName:=!Uname, _
                   Address:=oAddress, _
                   Addressx:=oAddressX, _
                   Return:=oReturn
    'See how things worked by checking the first line of the "return" object.  Type code of "S" means success.
    If oReturn.Value(1, "TYPE") <> "S" Then
    'If we had a non-successful return code, pop up a message box here indicating what went wrong.
        MsgBox ("Error changing user" + !User + vbCrLf + oReturn.Value(1, "MESSAGE"))
    Else
    'If we received a successful return code, do a commit.  You have to do this in order for the update to work.
        oBAPIService.TransactionCommit Wait:="X", _
                                         Return:=oCommitReturn
       .Edit
       !done = True
       .Update
    End If
    .MoveNext
    Loop
End With
'Log out of SAP.
gConnection.logoff
MsgBox ("Done.")
End Sub
Can anyone see what's going on with the BAPI call to BAPI_USER_CHANGE and what I'm not providing it that it wants (or am providing it wrong?)
Thanks,
Eric

<b>Got it working--if you ever want to do this (or something similar,) here's how:</b>
Option Compare Database
     Public objSession As MAPI.Session
     Public txtFirstName As String
     Public txtMiddleInit As String
     Public txtLastName As String
     Public txtTitle As String
     Public txtPhoneNumber As String
     Public txtFaxNumber As String
     Public txtOFCName As String
     Public txtEmailAddress As String
Sub UpdateUsers()
Dim gConnection As Object 'global connection object
Dim boUser As Object
Dim oAddress As Object, oPOHeader As Object, oAddressX As Object, oAdSMTP As Object, oReturn As Object
Dim oCommitReturn As Object, oBAPIService As Object
Dim db As Database, rs As Recordset
Dim strDbName As String
Dim oBAPICtrl As New SAPBAPIControl
    'Database file name
    strDbName = CurrentDb.Name
    'Open database file
    Set db = DBEngine.OpenDatabase(strDbName)
    'Database table/query to take data from
    Set rs = db.OpenRecordset("users", dbOpenDynaset, dbSeeChanges)
    'Set up connection object for SAP.  Note that the SAP BAPI ActiveX object must be available on the form or otherwise.
    Set Functions = CreateObject("SAP.Functions")
    Set FUNC = Functions.Add("BAPI_USER_CHANGE")
    Set eUsername = FUNC.exports("USERNAME")
    FUNC.exports("ADDRESSX").Value("E_MAIL") = "X"
    'Buzz through the Access table.
    With rs
    .MoveFirst
    Do While .EOF <> True
       eUsername.Value = !uname
       GetProperties (!uname)
       FUNC.exports("ADDRESS").Value("E_MAIL") = txtEmailAddress
       FUNC.Call
       .MoveNext
    Loop
End With
MsgBox ("Done.")
End Sub
Sub GetProperties(strUserid As String)
       Dim objAddrEntries As AddressEntries
       Dim objAddressEntry As AddressEntry
       Dim objFilter As AddressEntryFilter
       Dim strCompareUserid As String
       Dim collAddressLists As AddressLists
       Dim objAddressList As AddressList
       Dim collAddressEntries As AddressEntries
       ' create a session and log on
       Set objSession = CreateObject("MAPI.Session")
       objSession.Logon , , , False
       Set objAddrEntries = objSession.AddressLists("Global Address List").AddressEntries
       Set objFilter = objAddrEntries.Filter
       objFilter.Fields.Add CdoPR_ACCOUNT, strUserid
       objFilter.Or = False
       strUserid = LCase(strUserid)
       'Initializing
       txtFirstName = ""
       txtMiddleInit = ""
       txtLastName = ""
       txtTitle = ""
       txtPhoneNumber = ""
       txtFaxNumber = ""
       txtEmailAddress = ""
       On Error Resume Next
        For Each objAddressEntry In objAddrEntries
            strCompareUserid = objAddressEntry.Fields(CdoPR_ACCOUNT).Value
            strCompareUserid = LCase(strCompareUserid)
            If strCompareUserid = strUserid Then
                txtFirstName = objAddressEntry.Fields(CdoPR_GIVEN_NAME).Value
                txtMiddleInit = objAddressEntry.Fields(CdoPR_INITIALS).Value
                txtLastName = objAddressEntry.Fields(CdoPR_SURNAME).Value
                txtTitle = objAddressEntry.Fields(CdoPR_TITLE).Value
                txtPhoneNumber = objAddressEntry.Fields(CdoPR_BUSINESS_TELEPHONE_NUMBER).Value
                txtFaxNumber = objAddressEntry.Fields(CdoPR_PRIMARY_FAX_NUMBER).Value
                txtEmailAddress = objAddressEntry.Fields(&H39FE001F).Value
                Exit Sub
          End If
       Next
End Sub

Similar Messages

  • 'dimension attribute was not found' error while refresing the cube in Excel

    Dear All,
    Thanks for all your support and help.
    I need an urgent support from you as I am stuck up here from nearly past 2-3 days and not getting a clue on it.
    I have re-named a dimension attribute 'XX' to 'xx' (Caps to small)in my cube and cleared all dependencies (In Attribute relationship tab as well).
    But while refreshing the data in excel client (of course after processing the full cube) I get an error
    'Query (1, 1911) the [Dimension Name].[Hierarchy Name].[Level Name].[XX] dimension attribute was not found' error.
    Here I am trying to re-fresh an existing report without any changes with the new data.
    Does not it re-fresh automatically if we clear the dependencies or there something that I am missing here (Like order of the dependencies).
    Cube processed completely after modifications and able to create new reports without any issues for same data. What else could be the reason?
    Can some one help me here?
    Thanks in Advance and Regards,

    Thnaks alot Vikram,
    In se11  ,when i was trying to activate the  /BIC/FZBKUPC , it is showing the warnings  like
    Key field KEY_ZBKUPCP has num. type INT4: Buffering not possible, Transport restricted.What it means.
    In PErformance Window it is showing like:
    A numeric type was used for a key field. A table of this sort cannot be buffered.When buffering, the table records for numeric values cannot be stored in plain text.
    Procedure
    You can enter "no buffering" as an attribute of the technical settings and then repeat the activation process. The table is not buffered.
    If you want to buffer the table, you must replace the type in the key field by a character type, i.e. that you must modify the table.
    Please adivice with your valueable suggestyions.
    Thanks Vikram.

  • File Not Found Error in

    Hi...
    I have written one Servlet named LoginServHandler and i kept it in com/chintan/webapps folder in tomcat web-server. and made entry com.chintan.webapps.LoginServHandler in web.xml
    Now in html i have done <form action="../new/com/chintan/webapps/LoginServHandler" name="login" method="post"> but it shows "fie not found" error...
    So wht is the problem??
    Thanks in advance
    Regards
    Chintan

    What did you put in the web.xml file?
    It requires two elements
    1 - servlet declaration (map servlet name to servlet class)
    2 - servlet mapping (map URI to servlet name)
    You should then use the URI from the servlet mapping when you want to access the servlet.
    eg
    <servlet>
        <servlet-name>LoginServHandler </servlet-name>
        <servlet-class>com.chintan.webapps.LoginServHandler </servlet-class>
      </servlet>
      <servlet-mapping>
        <servlet-name>LoginServHandler </servlet-name>
        <url-pattern>/login</url-pattern>
      </servlet-mapping>If you then access the URL /login, it should activate the servlet LoginServHandler, which is set to the class com.chintan.webapps.LoginServHandler - see how it works?
    Good luck,
    evnafets

  • Query string read as part of file name, throwing not found errors

    Hi all, I host a number of Web sites under a CF7 installation, Win2003.
    One site in particular is throwing not-found errors in response to certain search bot requests.
    In the IIS log, I noticed that for these requests, the query part of the URL is part of cs-uri-stem field value, but is not in the cs-uri-query field where it belongs:
    cs-uri-stem=                                               /index.cfm?template=24hour5.cfm
    cs-uri-query=<blank>
    instead of
    cs-uri-stem=                                               /index.cfm
    cs-uri-query=template=24hour5.cfm
    Evidently something somewhere is interpreting the entire URL as a filename, instead of a file name and a query string. When CF tries to locate the file it is throwing a not-found error.
    Maybe there is something weird about the question mark, but it looks normal to me.
    I can't seem to stop this error, since it is occuring at the OS, IIS, CF or jrun layer. Does anyone have any idea what is going on here, and what I can do about it?
    Thanks in advance.
    Joe

    Hey Reed, thanks for responding.
    I have a Cf utility that parses logs, so I modifed it to print out the ASCII codes for each character. They look normal, as far as I can tell. The question mark has a code of 63 which is correct, and no non-alphabetic characters precede or follow.
    One interesting thing is that the stem being called is an index.cfm file, and the query string argument happens to be a template name, and it ends in .cfm. That's why it is making it all the way to CF, which chokes on it, instead of IIS logging a 404 error.
    Often an identifiable bot is requesting these bad URLs, though I have spotted another request with agent 'Mozilla/4.0.' I suspect that is some kind of automated scan. (I also see other requests with the same agent name, though a different IP, that look like errononeously URL-encoded requests. These get filtered by URLScan.)
    I don't know for sure is whether the specific clients that make these bad calls always make them them wrong way. They appear to. Most clients that access the site do so normally.
    I wonder if there could be something in the request header, perhaps that instructs IIS to expect a different charset than what is actually used, or something like that.

  • MSS: Approve working time Program "       " not found error

    Hi,
    I am able to enter working time and release in ESS. CAT2, CAT4 and CAT6 are also working fine. Im using the Approve Time sheet data iView in MSS to approve working time.  Im not sure if I did all the required configuration in IMG Approve working time.But when I click the iView I get a Java exception as shown below. Pl find the ST22 dump also. Can you please let me know
    1. What could be the problem.
    2.What are minimum configuration to be done in IMG Approve working time.
    com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException: Program                                          not found., error key: RFC_ERROR_SYSTEM_FAILURE
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.DynamicRFCModelClassExecutable.execute(DynamicRFCModelClassExecutable.java:101)
         at com.sap.xss.hr.cat.approve.blc.FcCatApprove.rfcExecute(FcCatApprove.java:307)
         at com.sap.xss.hr.cat.approve.blc.FcCatApprove.init(FcCatApprove.java:276)
         at com.sap.xss.hr.cat.approve.blc.wdp.InternalFcCatApprove.init(InternalFcCatApprove.java:200)
         at com.sap.xss.hr.cat.approve.blc.FcCatApproveInterface.onInit(FcCatApproveInterface.java:136)
         at com.sap.xss.hr.cat.approve.blc.wdp.InternalFcCatApproveInterface.onInit(InternalFcCatApproveInterface.java:133)
         at com.sap.xss.hr.cat.approve.blc.wdp.InternalFcCatApproveInterface$External.onInit(InternalFcCatApproveInterface.java:313)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent$FPM.attachComponentToUsage(FPMComponent.java:920)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent$FPM.attachComponentToUsage(FPMComponent.java:889)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent$FPMProxy.attachComponentToUsage(FPMComponent.java:1082)
         at com.sap.xss.hr.cat.approve.vac.dd.VcCatApproveDrillDownList.onInit(VcCatApproveDrillDownList.java:
    ST22 dump
    Error analysis                                                                    
        An exception occurred that is explained in detail below.                      
        The exception, which is assigned to class 'CX_SY_PROGRAM_NOT_FOUND', was not  
         caught in                                                                    
        procedure "BUILD_TABLE_STRUCTURE" "(METHOD)", nor was it propagated by a      
         RAISING clause.                                                              
        Since the caller of the procedure could not have anticipated that the         
        exception would occur, the current program is terminated.                     
        The reason for the exception is:                                              
        On account of a branch in the program                                         
        (CALL FUNCTION/DIALOG, external PERFORM, SUBMIT)                              
        or a transaction call, another ABAP/4 program                                 
        is to be loaded, namely " ".                                                                               
    However, program " " does not exist in the library.                                                                               
    Possible reasons:                                                             
        a) Wrong program name specified in an external PERFORM or                     
           SUBMIT or, when defining a new transaction, a new                          
           dialog module or a new function module.                                    
        b) Transport error                                                            
    Regards
    Srini

    Starting a new thread

  • Class Not Found Error during provisioning

    Hello,
    I am running on jboss-4.0.3-SP1, OIM 9.0.3 latest patch. I am new to this implementation and just rebuilt the dev environment. I am checking the provisioning of the resources and ran into a class not found error.
    The error says:
    2011-10-19 10:23:17,111 DEBUG [XELLERATE.ADAPTERS] Class/Method: tcADPClassLoader/findClass entered.
    2011-10-19 10:23:17,111 DEBUG [XELLERATE.ADAPTERS] Class/Method: tcADPClassLoader:findClass - Data: loading class - Value: com.jscape.inet.ssh.SshException
    2011-10-19 10:23:17,112 ERROR [XELLERATE.SERVER] Error encountered in save of Data Object com.thortech.xl.dataobj.tcScheduleItem
    2011-10-19 10:23:17,112 ERROR [XELLERATE.SERVER] Class/Method: tcDataObj/save encounter some problems: com/jscape/inet/ssh/SshException
    java.lang.*NoClassDefFoundError*: com/jscape/inet/ssh/SshException
    at java.lang.Class.forName0(Native Method)
    at java.lang.Class.forName(Class.java:164)
    at com.thortech.xl.adapterGlue.ScheduleItemEvents.adpFAPROVISIONING.implementation(*adpFAPROVISIONING.java:92*)
    at com.thortech.xl.client.events.tcBaseEvent.run(Unknown Source)
    at com.thortech.xl.dataobj.tcDataObj.runEvent(Unknown Source)
    at com.thortech.xl.dataobj.tcScheduleItem.runMilestoneEvent(Unknown Source)
    xxxxxxxxxxxxx
    When I looked at the process task named "FA Provisioning", line 92, I see this reference:
    90:
    91: //Initialize persistant object "INIT"
    92: clsINIT = Class.forName("*com.cpsg_inc.oim.unix.SSHCommandExecutor*");
    93: maoConstructorArgs = new Object[]{};
    94: masConParamTypes = new Class[]{};
    95: moCons = clsINIT.getConstructor(masConParamTypes);
    96: INITconsObj = moCons.newInstance(maoConstructorArgs);
    xxxxxxxxxxx
    When I open the adapter task named iNIT Connection (this is the first task in the FA Provisioning process task Adapter), API Source: JavaTaskJar:cpsgUnix.jar
    Application API: com.cpsg_inc.oim.unix.SSHCommandExecutor
    Constructors: 0 public com.cpsg_inc.oim.unix.SSHCommandExecutor()
    Methods: 9 public void com.thortech.xl.integration.tenetssh.helper.SSHPrvosioning.SSHInit(...)
    xxxxxxxxxxxx
    Then I made sure the jar file named cpsgUnix.jar is present in the OIM_HOME/JavaTasks directory.
    But still I have the error.
    What am I missing?
    thanks
    Khanh

    Thanks everyone for your input.
    I added the sshfactory.jar file in the JavaTask folder and it worked.
    Thanks again.
    Khanh

  • Named query not found

    Please help me, for God's sake, the following error is occurring:
    *12:03:28,550 ERROR [STDERR] Caused by: java.lang.IllegalArgumentException: Named query not found: Configuracao*
    ConfiguracaoManagerBean.java
    public Configuracao getConfiguracao(Long codcid, String parametro) {
              EntityManager em = (EntityManager) ctx.lookup('sincronia-unit');
              Query query = em.createNamedQuery("*Configuracao*");
              query.setParameter("codcid", codcid);
              query.setParameter("parametro", parametro);
              try {
                   return (Configuracao) query.getSingleResult();
              } catch (NoResultException e) {
                   return null;
    Configuracao.java
    package br.com.dsfnet.entity;
    import java.io.Serializable;
    import javax.persistence.Column;
    import javax.persistence.NamedQueries;
    import javax.persistence.NamedQuery;
    import javax.persistence.Table;
    @NamedQueries({
         @NamedQuery(name = "Configuracao", query = "Select o From Configuracao o Where o.codcid = :codcid and o.parametro = :parametro")
    @Table(name = "TBLCONFIGSIN", schema = "SPDNET")
    public class Configuracao implements Serializable {
         private static final long serialVersionUID = 1L;
         @Column(name = "CODCID")
         private Long codcid;
         @Column(name = "PARAMETRO")
         private String parametro;
         @Column(name = "VALOR")
         private String valor;
         public void setCodcid(Long codcid) {
              this.codcid = codcid;
         public Long getCodcid() {
              return codcid;
         public void setParametro(String parametro) {
              this.parametro = parametro;
         public String getParametro() {
              return parametro;
         public void setValor(String valor) {
              this.valor = valor;
         public String getValor() {
              return valor;
    Grateful now

    You specified both a datasource and a dbtype. In this case, since you are querying a database (and not running a query-of-queries), you should leave out the dbtype attribute. See the cfquery documentation for details.

  • Private Key Not Found Error in Ldaps

    Hi,
    I am facing "Private Key Not Found" Error in ldaps. The key and the SSL certificate is stored under the same location. The certificate is self signed certificate and in .pem format. When I am trying to install the certifcate through SUN ONE Console it throws the following error
    "Either this certificate is for another server, or this certificate was not requested using this server".
    can any one help me in this regard.
    Regards
    Senthil
    Edited by: senlog80 on Dec 30, 2008 3:18 AM

    Or even better, check the note <a href="https://websmp110.sap-ag.de/~form/handler?_APP=01100107900000000342&_EVENT=REDIR&_NNUM=924320&_NLANG=E">924320</a>.
    <b>Symptom</b>:
    When you execute a query with virtual characteristics or key figures, the system issues the following error message:
    Object FIELD I_S_DATA-<key figure> not found
    <b>Other terms</b>
    RSR00002, RSR_OLAP_BADI
    <b>Reason and Prerequisites</b>
    This problem is caused by a program error.
    <b>Solution</b>
    If the virtual characteristics or key figures are implemented using the enhancement RSR00002 (CMOD), implement the corrections.
    If the virtual characteristics or key figures were created directly as implementations of the RSR_OLAP_BADI BAdI, compare the source code of the INITIALIZE method with the corresponding source code example. During the call of GET_FIELD_POSITIION_D, <L_S_SK>-VALUE_RETURNNM must be transferred instead of <L_S_SFK>-KYFNM.
    Import Support Package 08 for SAP NetWeaver 2004s BI (BI Patch 08 or SAPKW70008) into your BI system. The Support Package is available when Note 0872280"SAPBINews BI 7.0 Support Package 08", which describes this Support Package in more detail, is released for customers.
    In urgent cases, you can use the correction instructions.
    To provide advance information, the note mentioned above may be available before the Support Package is released. In this case, the short text of the note still contains the words "Preliminary version".
    Assign pts if helpful.

  • I have a nidaq32.dl​l not found error. If i have already tried replacing the visa32.dll what else can i try?

    I am working with VB6 on an application involving a PCI-6711 Analog output card. I now am in the phase of working on the install file. I have developed this application on an XP machine, and i am trying to install it on a Windows 2000 machine, but i get a "nidaq32.dll file not found" error when i try to run my program on the 2000 machine. I have looked in the System32 folder and nidaq32.dll is in fact in the folder. I am wondering if my install file (created using INNO installer) didn't register the file correctly, of if it has to do with the driver i am using on the PC. I have NIDAQ 6.9.3 installed on the 2000 machine and NIDAQ 7.2 installed on my XP machine.
    Any help would be appreciated.
    Thanks,
    Gerry

    Hello GVanhorn,
    The problem seems to be that you have different drivers in the systems. You might want to use the same version of the driver in both machine since that will install the same version of the nidaq32.dll.

  • File not found error from scheduler

    Hi,
            We have a scheduler file with .cfa extension  in the cf scheduler  which trigger some mails to certain recipients on execution.
    At the bottom option fo the scheduled task, we have checked the option to 'save output to file' and has given the file
    path. On direct execution of the given url, the  file is executed successfully and mails are fired.
    But while trying to execute the same via scheduler it is not firing the mails. On investigation of the output file,
    found the error message 'File not found'.
    Is it possible that the file get  executed when directly browsing the url and shows 'file not found' error
    while executing via cf scheduler?(CF 8 is used.)

    To be more specific,
    the url format given in the cf admin scheduler is like this:
    "http://www.domainname.com/myfolder/myfile.cfa"
    A file path to log the output is also given to publish.
    If we copy the above url to a browser and execute, the file gets executed and mails are fired.
    If we set the interval or run the scheduler from the administrator,mails are not sent.On examination of log file given in the scheduler section, it is
    showing error '/myfolder/myfile.cfa' file not found.

  • File not Found error when synching Ipod

    I have a fairly new Ipod and synced successfully for months, but now iTunes says it cant synch because of a "File not Found error" (no error number or other clues). I'm running the latest iTines and Ipod software, and I've reset USB drivers but still no luck. I cant reset the iPod itself becase I then got a "1418 error", which is why I then reset USB. I'm stuck, has anyone seen this before?
    The Ipod itself plays fine and Itunes recgnises it OK, albeit very slowly, even thought I'm using USB 2.
    One other piece of info; when this first happened, the sync must have first deleted the songs I no longer wanted, prior to unsuccesfully adding new ones. Those old songs show up on the iPod but are skipped when I try to play them.

    Its on the same thread as this one ("connecting iPod nano (second Generation ) to Windows"). Scroll through the authors, you will find it.

  • File not found, Error= –43

    Everytime i try to make a new project logic pro does not accept audiophiles i use from other project-folders (File not found, Error= -43).
    Even with the newest logic-version (10.0.7) and also a new mac book pro (moving via migration assistant) it does not work.

    Hi,
    I have a 'file not found' problem with Logic Express. A while back I transferred all my Logic files to DVD to make room on the hard drive. It took 4 discs, saved alphabetically by song title. Now, I nearly always get the 'file-not'found' error message when I try to work on something. Sometimes when I click 'search' it finds the file, sometimes it doesn't. I'm confident that I didn't delete the files.
    Wondering if 'search' would find the files if I transferred all the files from DVD to a single folder on an external drive. I don't use the 'search manually' option, because I'm not really sure what I'm looking for, or where to look. In the other room, perhaps? 'Computer challenged' is me. Any suggestions?
    DS

  • File not found error when tried to open Document ID settings page

    Hi
    when i open sitesettings>site collection administratin >Document
    ID settings
    it shows
    file not found error
    adil

    Hi,
    first we need to figure out the error. change the web.config so that you can see the error on browser
    1) Obtain the complete call stack instead of the default error page:
    <SafeMode MaxControls="200" CallStack="false"/>
    to
    <SChangeafeMode MaxControls="200" CallStack="true"/>
    2) CustomeErrors mode value (in the system.web section) is set to Off:
    <customErrors mode="On">
    to
    <customErrors mode="Off">
    Change these value in "c:\inetpub\wssroot"  CA dirctory web.config and
    C:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\14\TEMPLATE\LAYOUTS\web.config .
    now again try to do the action. you will get the error on screen.
    Whenever you see a reply and if you think is helpful,Vote As Helpful! And whenever you see a reply being an answer to the question of the thread, click Mark As Answer

  • File not found error (404) from web browser

    I installed 901 DB on different Oracle home and iAS 1.0.2.2 in a
    different Oracle home. The ifsconfig went thru fine.
    However I am unable to access the login page ( I executed
    ifsapachesetup ). I tried to access
    http://<machine>:<port>/servlet/files.
    I see the following error in Jserv.log
    ajp12: Servlet Error: NoClassDefFoundError:
    oracle.ifs.protocols.dav.impl.IfsDavServlet
    On the browser I get File not found error ( HTTP 404 )
    Do I need to perform additional steps on Solaris machine ( apart
    from executing apache setup script ).
    Please help me.

    Make sure you have started all the services:
    - ifsjservctl -start
    - ifslaunchdc
    - ifslaunchnode
    - ifsstartdomain
    all are in the iFS bin directory.
    Keith

  • FILE not found error: j2ee/home/applib/applications-mapping.xml (No such fi

    Hi EveryBody
    i have my applications-mapping.xml file already in the applib directory, but when i try to conect to a remote ejb i had this error[b]
    FILE not found error: j2ee/home/applib/applications-mapping.xml (No such file or directory)
    can anyone help??

    gday
    Is the error on the client or server?
    What role in the application does applications-mapping.xml fulfill?
    How are you loading the file in?
    -steve-

Maybe you are looking for

  • Error during install " specify system property "is.debug" for more information."

    I am trying to install Livecycle Reader Extensions onto a Unix box and the setup.sh is giving the following error when I try to invoke it. "An unhandled error occurred -- specify system property "is.debug" for more information." Anyone know how to se

  • I get a message on my iPad could not connect cellular network

    My iPad will not connect to the cellular network

  • Exporting Images from Photoshop to Corel Draw

    Hi. I have an image of 400 dpi & image size 47X26inches. I want to export it in corel draw to design an ad for magazine. The size of this image has to be 4X1.5inches. I want to maintain the clearity of the image. So, while exporting should i keep all

  • Downloading music from Cloud

        I purchased a Galaxy 5 and had all my music downloaded on Cloud from my old device.  Now when I go to download onto my new device following the instructions I found on this site, I get to a screen that says "download paused, please sign in."  It

  • Only every other keystroke registers in tty screen!

    Oh my! This problem is a huge pain in the butt! It seems that most of the time only every other keystroke registers on my HTPC running arch when I am in the tty screen. I know this isn't an issue with my input device as it happens with both my wired