Is "Geography Name Referencing Program" part of upgrade process?

Hi all,
We have been upgraded to R12.1.3 and currently into first iteration.
When querying the old transaction from Transaction workbench window we get, ""The system cannot determine geographical information for this location and cannot derive a tax jurisdiction. Please contact your system Adminstrator" error.
I have run the "Geography Name Referencing Program" after getting this error. and that error got resolved.
Kindly Advice,  "Geography Name Referencing Program", is it a part of upgrade process or we have to manually run the program.
Thanks,
AtulR

I have seen the same document and ran the Geographu run referencing program. But my question here is, should we run this program immediately before releasing to Application team which is going to work on Applications
Have you reviewed the post concurrent programs which are kicked off as part of the upgrade process to verify if the concurrent program was completed successfully or not? The program will be submitted by the upgrade process (as mentioned in the doc that you have already reviewed) and if that's the case the point here is to verify if it completed successfully or not.
If the program ran successfully and you still hit the same issue then please review the docs in my previous reply. If the docs don't help then please log a SR.
If the program failed to run then you will need to run it manually.
If the program was never run by the upgrade then run it manually.
Thanks,
Hussein

Similar Messages

  • Payroll Program Part 3 (confused)

    Okay, I'm sure you guys are sick of me by now. :-)
    This is the last part of an assignment that's supposed to calculate an employee's weekly pay, these are the requirements for this phase:
    Payroll Program Part 3:
    Modify the Payroll Program so that it uses a class to store and retrieve the employee's
    name, the hourly rate, and the number of hours worked. Use a constructor to initialize the
    employee information, and a method within that class to calculate the weekly pay. Once
    stop is entered as the employee name, the application should terminate.
    So I wrote the separate class:
    // Employee class stores and retrieves employee information
    import java.util.Scanner; // program uses class scanner
    public class Employee1
       // instance fields
       private double rate;
       private double hours;
       private String employeeName;
       // class constructor
       public Employee1()
          rate = 0.0;
          hours = 0.0;
          employeeName = "";
       } // end class Employee1 constructor
       // set rate
       public void setrate(double rate)
          rate = rate;
       } // end method setrate
       // get rate
       public double getrate()
          return rate;
       } // end method getrate
       // set hours
       public void sethours(double hours)
          hours = hours;
       } // end method sethours
       // get hours
       public double gethours()
          return hours;
       } // end method gethours
       // set employee name
       public void setemployeeName(String employeeName)
          employeeName = employeeName;
       } // end method setemployeeName
       // get employee name
       public String getemployeeName()
          return employeeName;
       } // end method getemployeeName
       // calculate and return weekly pay
       public double calculateWeeklyPay()
          return rate * hours; // display multiplied value of rate and hours
       } // end method calculateWeeklyPay
    } // end class Employee1...and modified the original program:
    // Payroll Program Part 3
    // Employee1 object used in an application
    import java.util.Scanner; // program uses class Scanner
    public class Payroll3
       // main method begins execution of Java application
       public static void main( String args[] )
          // create and initialize an Employee1 object     
          Employee1 employee = new Employee1(); // invokes Employee1 constructor
          employee.setrate();
          employee.sethours();
          Double weeklyPay = employee.calculateWeeklyPay();
          // create Scanner to obtain input from command window
          Scanner input = new Scanner( System.in );
          String employeeName = ""; // employee name to display
          Double rate; // first number to multiply
          Double hours; // second number to multiply
          Double weeklyPay; // product of rate and hours
          // loop until 'stop' read from user
          while( employeeName.equals("stop") )
             System.out.print( "Enter employee name or 'stop' to quit: "); // prompt
             employeeName = input.next (); // read employee name from user
             System.out.print( "Enter hourly rate: " ); // prompt
             rate = input.nextDouble(); // read first number from user
             // check if hourly rate is positive number
             if( rate <= 0 )
                System.out.print( "Enter a positive amount" );
                System.out.print( "Enter hourly rate: " ); // prompt
                rate = input.nextDouble(); // read first number from user
             } // end if
             System.out.print( "Enter hours worked: " ); // prompt
             hours = input.nextDouble(); // read second number from user
             // check if hours worked is positive number
             if( hours <= 0 )
                System.out.print( "Enter a positive amount" );
                System.out.print( "Enter hours worked: " ); // prompt
                hours = input.nextDouble(); // read second number from user
             } // end if
             weeklyPay = rate * hours; // multiply numbers
             System.out.printf( "Employee \n", employeeName); // display employee name
             System.out.printf( "Weekly pay is $%d\n", weeklyPay ); // display weekly pay
          } // end while
       } // end method main
    } // end class Payroll3I managed to compile the separate class just fine, but when I tried to compile Payroll3 I got these [three error messages|http://img150.imageshack.us/img150/3919/commandpromptrl9.jpg].
    I think I have an idea of what I did wrong, but I'm not sure what to change. I tried to emulate the code from some examples in my chapters and online but I'm a little in the dark about how these to files are actually supposed to work together.
    Also, the requirements say the program should end when 'stop' is entered as the employee name, I don't know if that applies to what I already have in Payroll3 or if I should use a sentinel controlled loop again in Employee1. I tried that and I got a whole host of error messages (probably did it wrong) so I just removed it.
    I'm going to play around with this a little more, I'm reluctant to change anything in my separate class since I managed to compile it, so I'm going to try some different things with Payroll3.
    If anyone has any suggestions I would greatly appreciate it, I'm a total newbie here so don't hesitate to state the obvious, it might not be so obvious to me (sorry for the lengthy post).
    Edited by: Melchior727 on Apr 22, 2008 11:21 AM
    Edited by: Melchior727 on Apr 22, 2008 11:23 AM

    employee.setrate();
    employee.sethours();First of all, your Employee1 class' setrate() and sethours() method both requires a parameter of type double.
    // loop until 'stop' read from user
    while( employeeName.equals("stop") )
    System.out.print( "Enter employee name or 'stop' to quit: "); // prompt
    employeeName = input.next (); // read employee name from userIf you want the while loop to stop when "stop" is entered, then change the condition to:
    while (!(employeeName.equals("stop))){code}
    This way the loop will perform whatever you tell it to do when it's NOT "stop".
    Also, take the prompt statements and paste them once outside the while loop, and a second time at the end of the loop:
    <example>
    == prompt for reply
    == while()
    == {
    == ....
    == prompt again
    == }
    <example>
    Fix those problems first and see how it goes                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Various programs crash after upgrade to 10.6.4

    Various programs crash after upgrade to 10.6.4 but only late in the day / evening. There seem to be no crashes early in the day.
    After a reboot the problem is fixed and things seem to work OK.
    Might this be some kind of memory-related issues?? Programs not releasing memory until eventually there's nothing left?
    I'm a Windows guy until recently so am not up to speed with Mac software / hardware yet.
    Any suggestions?
    Thanks.

    Hi, I am facing major instability in MS Office for Mac 2008 after the 10.6.4 upgrade. Programs (Word, Excel, PowerPoint), just crash randomly. Mostly when opening existing Office documents but there is no fixed pattern.
    Tried Office auto update but no joy.
    Any suggestions
    Here is the MS Error log
    Microsoft Error Reporting log version: 2.0
    Error Signature:
    Exception: EXCBADACCESS
    Date/Time: 2010-07-23 20:37:36 +0530
    Application Name: Microsoft Word
    Application Bundle ID: com.microsoft.Word
    Application Signature: MSWD
    Application Version: 12.2.5.100505
    Crashed Module Name: libTrueTypeScaler.dylib
    Crashed Module Version: unknown
    Crashed Module Offset: 0x00009bd5
    Blame Module Name: libTrueTypeScaler.dylib
    Blame Module Version: unknown
    Blame Module Offset: 0x00009bd5
    Application LCID: 1033
    Extra app info: Reg=en Loc=0x0409
    Operating System Information
    Operating System: Mac OS X 10.6.4 (Build 10F569)
    CPU: Intel Core Duo, Number: 2, Speed: 2147 MHz
    gestaltPhysicalRAMSize err = 0, result = 2047 MB
    gestaltSystemVersion err = 0, result = 0x1064
    Screen: 1440 x 900, depth = 32, ltbr = 0, 0, 900, 1440
    Microsoft Application Information:
    Error Reporting UUID: 0B338D65-7DAA-4B4A-B8B1-0C17F587C24A
    Time from launch: 0 hours, 14 minutes, 46 seconds
    Total errors on this client: 40
    Does this help at all ?

  • Inventory Program Part 3

    Hi. I'd like to thank all who replied to my Inventory 2 program. Today I am working on Inventory Program Part 3 and need a little help with this also.
    Assignment Description:
    CheckPoint: Inventory Program Part 3
    ?h Resource: Java: How to Program
    ?h Due Date: Day 7 [Individual] forum
    ?h Modify the Inventory Program by creating a subclass of the product class that uses one additional unique feature of the product you chose (for the DVDs subclass, you could use movie title, for example). In the subclass, create a method to calculate the value of the inventory of a product with the same name as the method previously created for the product class. The subclass method should also add a 5% restocking fee to the value of the inventory of that product.
    ?h Modify the output to display this additional feature you have chosen and the restocking fee.
    ?h Post as an attachment in java format.
    I think that I have most of the code correct, however I still have errors withing my code that I have changed around multiple times and still can't figure out how to correct the errors.
    Here is my code for Inventory Program Part 3:
    package inventoryprogram3;
    import java.util.Scanner;
    import java.util.ArrayList;
    public class InventoryProgram3
         * @param args the command line arguments
        public static void main(String[] args)
            Scanner input = new Scanner (System.in);
            DVD[] dvd = new DVD[10];
            dvd[0] = new DVD("We Were Soilders","5","19.99","278");
            dvd[1] = new DVD("Why Did I Get Married","3","15.99","142");
            dvd[2] = new DVD("I Am Legend","9","19.99","456");
            dvd[3] = new DVD("Transformers","4","19.99","336");
            dvd[4] = new DVD("No Country For Old Men","4","16.99","198");
            dvd[5] = new DVD("The Kingdom","6","15.99","243");
            dvd[6] = new DVD("Eagle Eye","2","16.99","681");
            dvd[7] = new DVD("The Day After Tomorrow","4","19.99","713");
            dvd[8] = new DVD("Dead Presidents","3","19.99","493");
            dvd[9] = new DVD("Blood Diamond","7","19.99","356");
            double dvdValue = 0.0;
                for (int counter = 0; > DVD.length ;counter++);
            System.out.printf("\nInventory value is: $%,2f\n",dvdValue);
    class DVD
        protected String dvdTitle;
        protected double dvdPrice;
        protected double dvdStock;
        protected double dvditemNumber;
         public DVD(String title, double price, double stock, double itemNumber)
            this.dvdTitle = title;
            this.dvdPrice = price;
            this.dvdStock = stock;
            this.dvditemNumber = itemNumber;
        DVD(String string, String string0, String string1, String string2) {
            throw new UnsupportedOperationException("Not yet implemented");
         public void setDVDTitle(String title)
            this.dvdTitle = title;
        public String getDVDTitle()
            return dvdTitle;
        public void setDVDPrice(double price)
            this.dvdPrice = price;
        public double getDVDPrice()
            return dvdPrice;
        public void setDVDStock(double stock)
            this.dvdStock = stock;
        public double getDVDStock()
            return dvdStock;
        public void setDVDitemNumber(double itemNumber)
            this.dvditemNumber = itemNumber;
        public double getDVDitemNumber()
            return dvditemNumber;
        public double getValue()
            return this.dvdStock * this.dvdPrice;
        System.out.println();
        *_System.out.println( "DVD Title:" + dvd.getDVDTitle());_*
        *_System.out.println("DVD Price:" + dvd.getDVDPrice());_*
        *_System.out.println("DVD units in stock:" + dvd.getDVDStock());_*    _System.out.println("DVD item number: " + dvd.getDVDitemNumber());_    System.out.printf("The total value of dvd inventory is: $%,.2f\n" ,_*dvdValue*_);
    class MovieGenre extends InventoryProgram3
        private String movieGenre;
        _*public movieGenre(String title, double price, double stock, double itemNumber, String movieGenre)_*
            *_super(dvdTitle, dvdPrice, dvdStock, dvditemNumber, dvdmovieTitle);_*
            *_movieGenre = genre;_    }*
        public void setmovieTitle(String title)
            this.movieGenre = _*genre*_;
        public String getmovieGenre()
            return _*moviegenre*_;
        public double getValue()
            return getValue() * 1.05;
        public double gerestockingFee()
            return getValue() * .05;
        public String toString(Object[] dvdValue)
            return String.format("%s %s\nTotal value of inventory is: %s", dvdValue);
    }I ran the program just to see the error messages:
    Exception in thread "main" java.lang.NoClassDefFoundError: inventoryprogram3/DVD (wrong name: inventoryprogram3/dvd)
    at java.lang.ClassLoader.defineClass1(Native Method)
    at java.lang.ClassLoader.defineClass(ClassLoader.java:621)
    at java.security.SecureClassLoader.defineClass(SecureClassLoader.java:124)
    at java.net.URLClassLoader.defineClass(URLClassLoader.java:260)
    at java.net.URLClassLoader.access$000(URLClassLoader.java:56)
    at java.net.URLClassLoader$1.run(URLClassLoader.java:195)
    at java.security.AccessController.doPrivileged(Native Method)
    at java.net.URLClassLoader.findClass(URLClassLoader.java:188)
    at java.lang.ClassLoader.loadClass(ClassLoader.java:307)
    at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:301)
    at java.lang.ClassLoader.loadClass(ClassLoader.java:252)
    at java.lang.ClassLoader.loadClassInternal(ClassLoader.java:320)
    at inventoryprogram3.InventoryProgram3.main(InventoryProgram3.java:20)
    Java Result: 1
    BUILD SUCCESSFUL (total time: 0 seconds)
    I really don't understand what's going on here and would appreciate help from anyone who knows and understands Java.
    Thanks in advance.

    You say you "ran" it. I think you mean compiled it? The public class is InventoryProgram3, not DVD.
    If you did mean you tried to run it, then additionally, instead ofjava inventoryprogram3/InventoryProgram3
    Should be
    java inventoryprogram3.InventoryProgram3

  • The upgrade patch cannot be installed by the windows installer service because the program to be upgraded may be missing, or the upgrade patch may update a different version of the program

    trying to install an update patch for Citrix xendesktop 7.5 and the error when I click on the msi patch is "the upgrade patch cannot be installed by the windows installer service because the program to be upgraded may be missing, or the upgrade patch
    may update a different version of the program"
    The application was installed 2 days prior and works fine but the patch will not install.
    Any ideas?
    Wendy2014

    Yes let's see if there is any error occurs in installation log.
    Meanwhile from the error message, the possible cause is that a part of the application is missing such as a registry key with app version. In this situation you can first test to reinstall/repair the application though it is still working fine - see if issue
    persists after reinstall the app.
    Meanwhile you could also contact Citrix about this issue. It may be a common issue and Citrix may provide a quick fix for it. 
    If you have any feedback on our support, please send to [email protected]

  • I'm unable to download files with Firefox 7.0.1 on a Mac Pro w/ 10.6.8. With a recent download attempt I got the following file name: 1guh7mZa.exe.part

    Please advise.

    Hi,
    Thanks for the article. After trying most of the suggestions in it I discovered that FF8 will download fine in safe mode. However, I have tried disabling all plug-ins and extensions individually as well as together (to find the bad one/s) and I still can't download unless I'm in safe mode.
    I should also mention that in safe mode the downloads window functions properly. When in regular mode it doesn't even open.
    What appears on the desktop has the following type of name: lbf70jar.exe.part
    when it should be a .dmg extension instead.
    I think I need to troubleshoot my profile folder, but I'm not sure how to proceed efficiently. Please advise.
    Thanks,

  • Field name referenced by field symbol

    Hi,
    I would like to get the field name referenced by a field symbol at rutime. In the code below, besides the type and length of the field, I also would like to get the field names 'AA', 'BB' and 'CC' .
    Can you please tell me how I can get this information?
    DATA: BEGIN OF g_test,
           aa(10)    TYPE c,
           bb        TYPE i,
           cc(20)    TYPE c,
         END OF g_test.
    DATA: l_type(20),
          l_len   TYPE i.
    FIELD-SYMBOLS <fs>.
    START-OF-SELECTION.
      DO 3 TIMES.
        ASSIGN COMPONENT sy-index OF STRUCTURE g_test TO <fs>.
        DESCRIBE FIELD <fs> TYPE l_type OUTPUT-LENGTH l_len.
        WRITE: /5 sy-index, l_type, l_len.
    Would like output as:
       1  AA    C 10   instead of  1    C 10
       2  BB    I 11    instead of  2   I 11
       3  CC    C 20   instead of  3    C  20
      ENDDO.
    Regards,
    Rao A

    Hi,
    Using your sample structure you can do it using such a code:
    DATA: BEGIN OF G_TEST,
            AA(10) TYPE C,
            BB     TYPE I,
            CC(20) TYPE C,
          END OF G_TEST.
    TYPE-POOLS: ABAP.
    DATA: COMP TYPE LINE OF ABAP_COMPDESCR_TAB.
    DATA: STRUCT_REF TYPE REF TO CL_ABAP_STRUCTDESCR.
      STRUCT_REF ?= CL_ABAP_STRUCTDESCR=>DESCRIBE_BY_DATA( G_TEST ).
      LOOP AT STRUCT_REF->COMPONENTS INTO COMP.
        WRITE:/ COMP-NAME, COMP-TYPE_KIND, COMP-LENGTH, COMP-DECIMALS.
      ENDLOOP.
    Krzys

  • Get query name by program name

    Hi experts,
    Someone built a query A, and generated it to program B.
    Now I need update query A, but I only know program B. How to get the query name by program name?
    Many thanks.

    Check the page 14 in [this document>>|http://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/40bec8da-4cd8-2910-27a9-81f5ce10676c?quicklink=index&overridelayout=true]

  • Installation it says there is an error "package name is Adobe Reader XI, upgrading at base path / installer. The upgrade failed.

    it says there is an error "package name is Adobe Reader XI, upgrading at base path / installer. The upgrade failed.
    It does this at 81%.  I am using a MAC

    it says there is an error "package name is Adobe Reader XI, upgrading at base path / installer. The upgrade failed.
    It does this at 81%.  I am using a MAC

  • What is the Upgrade program used to upgrade NW04 to NW04s

    Hi,
    What is the Upgrade program used to upgrade NW04 to NW04s?
    Thanks Sri

    <b>SAPup</b> - Program to upgrade Web AS ABAP and related components BW,XI
    <b>SAPJup</b>- Program to upgrade WebAS Java and related components EP.
    Vijay Kothapalli

  • Form name and Program name change

    Hi
    I have created a smartform and a driver prog & saved them in 2 requests. Now i want to change the name of both but dont want to chnage the request numbers . Please advice how can i do that.
    Thanks & Regards,
    Preeti

    Hi
    You can't rename the form name.
    So create a new form and copy the old form into the new one.
    Assign the New program and form in the NACE tcode or at some other point.
    While creating a new form , it will ask for a request assign the same old request in which old form is there.
    similarly you can rename the Program to new one and add into the same request of old program. and release the request and use
    if you want you can delete the old form name and program name from the request also.
    Reward points if useful
    Regards
    Anji

  • CFML structure referenced as part of an expression error

    I'm getting an error where the message says "Element ON HOLD-GENERAL is undefined in a CFML structure referenced as part of an expression".  I have had this error in the past where helpful poster pointed the problem.  I looked for the same issue here but do not see the probelm.  Please view source code here:  http://pastebin.com/2A059LEE.  Output is located here: http://pastebin.com/31a2qEYS.   "On-Hold General" is what I have in my database.

    This error is always going to be caused by the same thing: structJobStatus["ON HOLD-GENERAL"] doesn't exist.  There's no point in asking "what causes this" more than once, because the answer will always be the same, and the solution to working out why is always going to be the same.
    Dump structJobStatus before the error, and look at what's in it.  You will observe it does not have in it what you think it does.  Work backwards through your logic to determine why that is.
    Adam

  • Strange name of program abap

    I have program "ZRETAIL_MY" and today I see in SE38 in list also program "!ZRETAIL_MY". What's this? How to delete it in SE38?

    It not disappear when I activating.
    When in include of this program I do stop point then that me show windows with names of programs to choose: ZRETAIL and !RETAIL.
    I will try to do more with activating includes of this program

  • TS1967 Hi .i can not update my program . I upgrade my iPad to ios6 and after that I can't update my program .i recive a massage about this account is not in store and you should switch to us store but I don't know how can I switch to us store .

    Hi .i can not update my program . I upgrade my iPad to ios6 and after that I can't update my program .i recive a massage about this account is not in store and you should switch to us store but I don't know how can I switch to us store .

    Change here:
    Settings > iTunes & App Stores > Apple ID: > View Apple ID > Country/Region.
    You must have a verified billing address & be located in the country whose store you are trying to use.

  • I am using a Mac Leopard and want to know if I upgrade to Snow Leopard (so I can use the new Lightroom 4) will any of my programs be affected.  I will not be able to restore some software and want to know if I'll lose those programs with the upgrade?

    I am using a Mac Leopard and want to know if I upgrade to Snow Leopard (so I can use the new Lightroom 4) will any of my programs be affected.  I will not be able to restore some software and want to know if I'll lose those programs with the upgrade?

    Hello,
    Snow Leopard/10.6.x Requirements...
    General requirements
       * Mac computer with an Intel processor
        * 1GB of memory (I say 4GB at least)
        * 5GB of available disk space (I say 30GB at least)
        * DVD drive for installation
        * Some features require a compatible Internet service provider; fees may apply.
        * Some features require Apple’s MobileMe service; fees and terms apply.
    Which apps work with Mac OS X 10.6?...
    http://snowleopard.wikidot.com/
    It looks like they do still have it:
    http://store.apple.com/us/product/MC573Z/A?fnode=MTY1NDAzOA
    And it's been reported that if you have a MobileMe account Apple will send one free.
    If it's a core Duo & not a Core2Duo, then it'll only run in 32 bit mode.

Maybe you are looking for

  • How create  dynamic URL for every row  shown in the report?

    Hi, Iam new to this Application. I created one interactive report to find the number of bugs logged for every product and its sub component for past one year. The report will look like below structure in the application. Product Subcomponent Total P1

  • Very urgent regarding ALV

    Hi all, I have displayed data in alv.and the error condition is that if for a material if it has more than one S as ok_status records then it should throw an error. This logic is working fine. Now suppose at first time user had entered S through keyb

  • Image in paragraph style?

    I use CS3 - Windows XP Hello I am publishing a photobook in several languages, and before I start description of each photograph I need to put in the flag of the corresponding language. Kind of like a drop cap. I was wondering if there is some way to

  • Firefox will not open when I click the icon and windows task manger indicates firefox is running.

    I can't open firefox. I click the icon, my cursor shows Firefox is loading, then nothing happens, the screen remains the same.

  • Mail Messages disappear out of my inbox mysteriously since update 10.5.3

    Hi together Since the update to 10.5.3 my Mail program doesn't work proberly anymore. I loose messages from my inbox (read and unread ones) and I can't find them anywhere else. Even if I look for them via Spotlight I don't find them anymore. Does any