Advice for problem

I'm having trouble with an inheritance problem. I'm trying to use menu-based inheritance on a problem. Can someone look at this and give me some input. In particular when I try to pass user input to savings or checking, what am I doing wrong.
Here is the code
public class Account extends Object
    // Fields
   protected String customerName;
   protected String acctID;
   protected double balance;
   // Three-parameter constructor
         public Account(String name, String id, double bal)
          setFields( name, id, bal );
         public void setFields( String s, String ss, double b )
          setCustomerName( s );
          setAccountID( ss );
          setBalance( b );
         public void setCustomerName(String s)
          customerName = s;
     public void setAccountID(String s)
          acctID = s;
        public void setBalance(double bal)
          balance = bal;
         public String getCustomerName()
        return customerName;
         public String getAccountID()
        return acctID;
         public double getBalance()
        return balance;
         public void printBalance()
     System.out.println("\nBalance: " + balance );      
         public String toString()
       return "\nCustomer: " + customerName + "  AcctID: " + acctID + "  Balance: " + balance;
    public void withdraw(double balance)
     balance=balance-balance;
    public void deposit(double balance)
          balance=balance +balance;
    // Display a menu and read selection from console
    private int accountMenu()
          String s =  "\n1 Deposit" +
                         "\n2 Withdraw" +
                         "\n3 Balance" +
                         "\n4 Print toString" +
                         "\n5 Quit\n\nSelect from menu:";
         return Console.readInt( s );
    // manipulate the account
    public void manipulate()
          int choice = accountMenu();
          while( choice != 5 )
               switch( choice )  {
                    case 1: deposit(balance);
                    String Dprompt=Console.readString("Choose 1 for savings and 2 for checking");
                         {if(Dprompt=="1")
                              SavingsAccount.deposit(balance);
                         else
                              CheckAccount.deposit(balance);
                    break;
                    case 2: withdraw(balance);
                    String Wprompt=Console.readString("Choose 1 for savings and 2 for checking");
                         {if(Wprompt=="1")
                              SavingsAccount.withdraw(balance);
                         else
                              CheckAccount.withdraw(balance);
                    break;
                    case 3: printBalance();
                    break;
                    case 4: System.out.println( toString() );
                    break;
                    case 5: return;
                    default: System.out.println("Select from menu.");
                    break;
               choice = accountMenu();
} // END OF CLASS
public SavingsAccount extends Account
     private double intRate;
     private int interest;
     public SavingsAccount(String a,String b,int c)
          super(a,b,c);
       public void deposit(double balance)
          double intDeposit=Console.readInt("Enter amount to deposit");     
          balance=balance+intDeposit;
          balance=balance+interest;
       public void addInterest()
     intRate=Console.readDouble("Enter interest rate:);
         double interest = super.getBalance() * intRate/100.0;
         super.deposit(interest);
}//end of savings
class CheckAccount extends Account
          private int transCount=0;
       private static final int Free_Transactions=5;
       private static final double Transaction_Fee=5.0;
     public CheckAccount(String a, String b, int c)
          super(a,b,c);
     public  void deposit(double amt)
            transCount++;
          super.deposit(amt);
     public void withdraw(double amt)
          transCount++;
          super.withdraw(amt);
          deductFees();
     public void deductFees()
          if (transCount>Free_Transactions)
               double fees=Transaction_Fee*(transCount-Free_Transactions);
               super.withdraw(fees);
             transCount=0;
}//end of checking
public class TestAccount
     public static void main( String[] args )
          Account [] accts = new Account [ 6 ];
          accts[0] = new Account( "Smith", "SMI00189", 1000 );
          accts[1] = new Account( "Brooks", "BRO00524", 2000 );
          accts[2]=new SavingsAccount("Millner","MIL5679", 3000);
          accts[3]=new SavingsAccount("Millner","MIL5699", 6000);
          accts[4]=new CheckAccount("Webber","WEb9612", 3000);
          accts[5]=new CheckAccount("Bibby","Bib1489", 5000);
          for( int i = 0; i < accts.length; i++ )
               accts.manipulate();
}     // end of class TestAccount
thanks

Updated code:
public class Account extends Object
    // Fields
   protected String customerName;
   protected String acctID;
   protected double balance;
      // Three-parameter constructor
      public Account(String name, String id, double bal)
          setFields( name, id, bal );
         public void setFields( String s, String ss, double b )
          setCustomerName( s );
          setAccountID( ss );
          setBalance( b );
         public void setCustomerName(String s)
          customerName = s;
     public void setAccountID(String s)
          acctID = s;
        public void setBalance(double bal)
          balance = bal;
         public String getCustomerName()
        return customerName;
         public String getAccountID()
        return acctID;
         public double getBalance()
        return balance;
         public void printBalance()
     System.out.println("\nBalance: " + balance );      
         public String toString()
       return "\nCustomer: " + customerName + "  AcctID: " + acctID + "  Balance: " + balance;
    public void withdraw()
     double witAmount=Console.readDouble("Enter amount to withdraw:");
          if(balance>witAmount)
               balance=balance-witAmount;
          else
               System.out.println("Insufficient Funds you only have "+balance+ "available");
                witAmount=Console.readDouble("Enter amount to withdraw");
               balance=balance-witAmount;
    public void deposit()
    {          double amtDeposit=Console.readDouble("Enter amount to deposit");
          balance+=amtDeposit;
    // Display a menu and read selection from console
    private int accountMenu()
          String s =  "\n1 Deposit" +
                   "\n2 Withdraw" +
                   "\n3 Balance" +
                   "\n4 Print toString" +
                   "\n5 Quit\n\nSelect from menu:";
             return Console.readInt( s );
    // manipulate the account
    public void manipulate()
          int choice = accountMenu();
          while( choice != 5 )
               switch( choice )  {
                    case 1: deposit();
                    break;
                    case 2: withdraw();
                    break;
                    case 3: printBalance();
                    break;
                    case 4: System.out.println( toString() );
                    break;
                    case 5: return;
                    default: System.out.println("Press enter to quit.");
                    break;
               choice = accountMenu();
} // END OF CLASS
public SavingsAccount extends Account
     private int intRate;
     private int interest;
     public SavingsAccount(String a,String b,double c)
          super(a,b,c);
          intRate=0.0;
       public double addInterest()
     intRate=Console.readDouble("Enter interest rate:");
         interest = super.getBalance() * intRate/100.0;
        super.deposit(interest);
}//End of savingsaccount
class CheckAccount extends Account
          private int transCount=0;
       private static final int Free_Transactions=5;
       private static final double Transaction_Fee=5.0;
     public CheckAccount(String a, String b, double c)
          super(a,b,c);
     public  void deposit()
            transCount++;
          super.deposit();
     public  void withdraw()
          transCount++;
          super.withdraw();
     public void deductFees()
          if (transCount>Free_Transactions)
               double fees=Transaction_Fee*(transCount-Free_Transactions);
               balance=balance-fees;
             transCount=0;
}//end of checking account
public class TestAccount
     public static void main( String[] args )
          Account [] accts = new Account [ 6 ];
          accts[0] = new Account( "Smith", "SMI00189", 1000 );
          accts[1] = new Account( "Brooks", "BRO00524", 2000 );
          accts[2]=new SavingsAccount("Millner","MIL5679", 3000);
          accts[3]=new SavingsAccount("Millner","MIL5699", 6000);
          accts[4]=new CheckAccount("Webber","WEb9612", 3000);
          accts[5]=new CheckAccount("Bibby","Bib1489", 5000);
          for( int i = 0; i < accts.length; i++ )
               accts.manipulate();
}     // end of class TestAccount
I'm still getting the two errors about wrong number of arguments
in constructor. I don't know why it keeps telling me this when I
only have 3 arguments in the SavingsAccount contstructor.
Any suggestions on how I can remedy this problem.
Thanks

Similar Messages

  • Any advice for teacher struggling with scratch disk problems?

    Hi,
    Just wondering if anyone out there has advice for me. I am a Media Teacher with very little technical expertise. We use Premiere Elements 4.0 in my school. This is accessible to students on the school network but is located on a separate drive. I am experienceing a lot of problems at the moment which I suspect may be to do with having multiple users. The students work in groups. Some of them do not seem to be able to access their current coursework - a scratch disk error message comes up and they are asked if they want to locate the scratch disks into their own area of the school network. As personal space is very limited, they always say no, and then cannot access the projects. Other students do not have this problem. The scratch disks are located by default to the same drive as the main work.
    A further problem is that in one project, the clips in the second half of the project seem to be 'offline'. I have seen this before and have been able to fix it by locating the clip in the project menu and using 'locate media' to reconnect it. However, this time round, the clip can be seen and runs perfectly in the project menu. It also looks as normal on the timeline. It is only in the viewing window that it comes up as offline. The locate media option isn't available. If I save as an avi, the offline message appears, so the project burns as it appears in the viewing window. If I drag the clips down from the project area and reconstruct, everything plays normally until I close the project down and open it again, when the clips are back offline. I can tell something strange is going on because the project is loading very quickly - it was taking a couple of minutes previously.
    Any advice at all would be welcome, as we are near the end of the coursework and the projects we can't access represent a term's work for the students!

    You may need to contact Adobe Tech Support for your specific needs.
    Is Premiere Elements installed on your network or on the C drives of each computer? The program must be installed on the C drive in order to work properly. You can't run the program from a network installation, and that could explain why you're having the problems you're having.
    If you've got Premiere Elements installed on your C drive, you should be able to access your video files if they're stored on the network. But this depends on how your network is set up. It may not be possible for all of your students to access material out on your network drive and remain connected to it the same way every time you open your project.
    In other words, you're using the program in ways it's not designed to be used. This is why you may need to contact Tech Suport and see if they can recommend a solution, short of each student having their own complete installation on each computer.

  • Multiple libraries, Pbook/Pmac, advice for management & updating please.

    Hi Everyone,
    I travel frequently, and am looking for suggestions to keep all my iPhoto libraries up to date. I currently have a g5, Powerbook, and Mini.
    I just upgraded to iPhoto 6 and I have several thousand photos on my Dual g5. I just came back with 1000 more from my diving trip. The problem is, they are on my Powerbook, and taking up alot of space on the relatively small hard drive. I managed to work through the rough upgrade from 5 to 6, and now I need some more help...
    1) What is your advice for managing multiple libraries of photos.
    2) What is the best way to transfer the iphoto pics (and movies) to my desktop, which of course has the larger storage capacity, after travelling...
    Thanks,

    Jason:
    There are several different approaches to what you want to do. Let me just throw out a couple that I'm familiar with.
    To get the new photos from your PB to your G5 and maintain any keywords, and other organization effort you put into them, you'll need the paid version of iPhoto Library Manager. It will allow you to merge libraries or copy between libraries and maintain the metadata, etc. That's the only way currently available to move photos from one library to another and keep the roll, keywords, comments, etc. with those photos. You can connect the two Macs with one in the Target Mode, probably your PB, and then run iPLM to move the photos to the G5 library.
    Now there is a way to have a library on your PB that reflects the one on your G5 but is only a fraction of the size. That's to have an alias based library on your PB that uses the Originals folder as its source of source files. (My 25,600 files, 27G, are represented by an iPhoto Library folder of only 1.75G). When the PB is not connected with the G5, say with a LAN, it will have limited capabilities which are in part: you'll only be able to view the thumbnail files, be able to add comments, create, delete or move albums around, add keywords (but with some hassle-but it can be done). You can't do anything that requires moving thumbnails around, work with books, slideshows or calendars. Once the two computers are networked together again the library will act as normal.
    Now while on the road you can have a "normal" library to import new full sized files, keyword them, add comments, etc. and then transfer to the G5 library. Once in the G5 library they will be represented in a roll(s) and corresponding folder in the Originals folder. You then fire up the "alias" library, and import those new folders in the G5 Originals folder.
    It may be a lot of work but it may be one way of doing it.
    I've not done any of the "sharing" with iPhoto so don't know if that's another possible candidate for transferring.
    P.S. FWIW I've created this workflow for converting from a conventional library to an alias based one.

  • Advice for real performanc​e of LV8.5 operate in the XP and Vista

    Hi all
    My company had purchased new computers for LabVIEW programming purpose.
    We may install the LV8.5 in these computers but OS are not decided yet. Also, we have the current PC is only XP licensed
    Therefore, can anyone give the advice for the real performance advantage of using :
    LV8.5 with Vista over LV8.5 with XP
    LV8.5 with Vista over LV7.1 with XP
    LV7.1 with Vista over LV7.1 with XP
    New computers detail:
    Intel(R) Pentium(R)Dual-Core processor E2160
    BCH-P111 -1.80GHz, 1MB L2 cache, 800MHz FSB
    2GB RAM
    Thanks
    Best Regards
    Steve So

    The biggest issue I have seen with 8.5 Vista vs. XP is that if you leave Vista in the standard theme, the fonts have changed.  I designed several front panels to have them be out of whack with XP.  So if you are going to be using code across platforms, you need to keep in mind they will look different unless you use the XP theme in Vista, or customize your fonts to make sure they remain the same between the systems.  The dialog font is a different size (13 on Vista vs. 11 on XP), and a different font (can't remember the difference).  That was the big one I noticed.
    8.5 over 7.1 is mostly going to be the learning curve to learn the new features.  Overall, I have appreciated the changes, but there are some things (mostly development related) that I have seen run a little slower in 8.5 than in 7.1, but have not noticed any runtime issues as of yet.  One big change between the versions is application building, which is more complex in 8+.  I do appreciate the new features, though, but NIs project still hasn't rubbed me the right way yet.
    NI doesn't support LV 7.1 with Vista.  I have used it and haven't seen any problems, but that doesn't mean one won't pop up.  If you're going to stay with 7.1, you better stay with XP.  8.5 is the first version NIs supports as Vista compatible.  You will also have to use a relatively new set of device drivers, so if you have old hardware you are trying to use in your new system, make sure it is cimpatible with the latest drivers.
    I have actually had more issues with other hardware drivers and software packages than I have with LabVIEW.  TestStand is not yet supported in Vista, and i found out the hard way, one of the ways it is incompatible and had to move back to XP for devlopment.

  • Unable to print remittance advice for certain quick payments

    Hi,
    This is regarding issue " Unable to print remittance advice for certain quick payments."
    Product version:11.5.10.2
    Description:
    -Customer has paid through the payment batch.But the payment batch data is not available in ap_inv_selection_criteria_all.
    -The status of the check is 'RECONCILLED'.
    -The payments have already been submitted to the bank and reconciled to bank statement lines.
    -While running "Send Separate Remittance Advices" concurrent program, some payments generated from Quick Payment are not available for selection for generation of remittance advice.
    Research:
    Search in the metalink but could not find any related issue.
    Could you please adivce me how to proceed on this issue.
    Thanks
    Subhalaxmi
    Edited by: user13536207 on Feb 13, 2012 12:43 AM
    Edited by: user13536207 on Feb 13, 2012 12:46 AM

    Found the problem.
    Paper size for those documents are actually A5 size.
    Solve it by adjusting the Scale to paper size in the printing option to the size that our printer is set to printout 
    which in my case is 'Letter'
    Hope this helps anyone who is encountering the same problem.

  • Seeking alternative advice for possible HD failure...

    My poor PB is just 4 months old and I'm not sure how, but I think the HD decided to quite (it clicks/whirs/clacks in ways similar to my previous notebook computer shortly before it quit).
    I cannot access anything on the HD itself, but can get to disk utility by way of the installation CD. When I try to run the utility I am not allowed to verify disk permissions or verify disk. When I try to verify, it says failure, could not unmount disk.
    If I try to repair disk permissions or repair disk, the computer starts the process, but just clicks and whirs FOREVER. It never actually does anything...
    the S.M.A.R.T. status shows verified, which should indicate the HD is ok (I assume).
    I need my computer immediately... what would be some advice for taking care of my problem? My current location is TOO FAR from an Apple Store to take it for repairs. Anything I can do on my own to solve this?
    I haven't tried it yet, (a bit afraid to) but I have considered erasing the disk. The file losses would be minimal, but if there is another route for solving this issue, I would rather go that way.
    Thank you for any and all advice you have!!!
    BeckyJ

    Welcome to Apple Discussions, BeckyJ.
    I think your PowerBook's hard drive is failing and there isn't really much you can do except replace the drive. Normally Apple will replace the drive under warranty - either sent in or at an Apple Authorised Service Provider.
    However as you need the computer immediately and don't wish to go via the warranty replacement route, then the only option available is to source a new drive (at your own expense) and replace the drive yourself. Installation instructions are available here. I do need to warn you that the process is not easy for anyone unfamiliar with working on the insides of a notebook computer and will invalidate the warranty.
    15" 1.25GHz/12" 1GHz PBs, PPC Mac minis, 12" iBooks G3/G4,   Mac OS X (10.4.5)   Cube, TAMs, iPods 2G/4G, iPs, AEBS, AX

  • Generic advice for roaming wifi?

    I just stayed at a hotel which offered free wifi access to guests. When I tried to connect, however, I was unable to do so. Reception smugly told me that "I seemed to be having great difficulty with this" and that I should bring them my device as it was "really very simple" but finally even the hotel admitted they had no clue. (Less than me, I think.)
    I was assured this worked great on Windows 7 and iPads.
    I've seen threads on not dissimilar topics but I've not found any general solutions. The problem was that I was meant to open a browser and get automatically redirected to a login page. Either on opening the browser (Windows) or on trying to search (iPad). They couldn't tell me the url and the magic failed in Firefox, chromium and Konqueror. I also tried taking my firewall down completely, rebooting etc. No go.
    I usually connect using wicd. wicd could see the network fine but saw it as being unsecured. I couldn't find a way for it to connect. It could try, but there was nowhere to put in the login and password so it kept failing to get a connection.
    The frustrating thing about this is that I couldn't search for suggestions and try them out because I didn't have a connection. So all I can do is ask for advice in retrospect and for prospective advice for when/if this happens again.
    Is it possible to connect to this kind of setup? If so, are there instructions somewhere? And/or anything I should install (while I have a connection) to be prepared (for when I don't)?

    There are many "professionally managed" wireless networks around here by companies with names like "wireless solutions" which is clearly an attempt at humor: a sarcastic reversal of what they actually are.  These all use that sort of browser log in.  I've found a vast majority of these redirect to the login page if you attempt to go to "google.com".  But they will not redirect from any other attempted url's that I've found.
    Perhaps they assume that google is everyone's homepage.  Or perhaps they don't assume anything and are just clueless.  But this works a majority of the time.  An exception is at the Barnes and Noble stores: I have to attempt to go to barnesandnoble.com to log in.
    As some off-topic humor, a handful of cafe's I've been to have good WPA2 networks, but they broadcast the password in their essid.  This is a bit like getting a nice safe, and engraving the combination on the door so you don't forget it.
    Last edited by Trilby (2013-12-07 03:05:27)

  • Asking for advice for Jabber deployment - multi CUCM cluster\AD domains

    I would like some design advice for deploying Jabber and CUPS in our company. We have 2 locations, west coast (SiteA) and east coast (SiteB). Each site have their own CUCM 7.15 clusters, Unity clusters, AD domains (trusted, but not in the same forest).
    At SiteA I have setup CUPS (8.6.3.10000-20) and jabber and have it working great.
    I would like to setup CUPS\Jabber for SiteB, but they need to be able to IM\call\etc to SiteA (And vice-versa).
    SiteA and SiteB both have CUCM LDAP sync turned on, and LDAP directory synced with both domains (although SiteA cannot authenticate to CUCM at SiteB, and vice-versa due to the fact you can only LDAP sync authentication with one domain, CUCM user database contain users from SiteA and SiteB).
    We have SIP trucks setup to pass internal calls and line status(BLF) between the trunks, and can communicate via internal extensions just fine.
    The problem I’m running into is my jabber-config files uses the EDI directory – which can only look at one domain, so I cannot search the other domain. I believe  changing to UDS fixes this, but I understand it would require me to upgrade both CUCM clusters to 8.6.2 - unless I’m mistaken.
    I’m aware the desktop sharing will not work until CUCM is upgraded to 8.6.1 or 8.6.2.
    I’m wondering if anyone has any advice, or can confirm I’m on the right track. Thanks in advance!

    The thing that's important to understand is how CUP and Jabber build the XMPP URI. The URI has a left- and right-hand side; the left is the username while the right is the XMPP domain. CUP uses the LDAP attribute specified in CUCM's LDAP System page, sAMAccountName by default, for the left-hand-side. The right-hand side is the FQDN of the CUP cluster. Jabber must use the same values as CUP when displaying search results. Take note that nowhere in this process does the entire XMPP URI originate from the directory source.
    In your case you have two separate CUP clusters in two separate domains. This won't work because when a user searches for a contact in the directory using Jabber, the client will build the XMPP URI as [email protected]. Even if you got the other domain's user objects into the search results the right-hand-side of the URI would be wrong and the presence subscription would never succeed since the other cluster is in another domain. As such your first task must be to move the CUP clusters into the exact same fully-qualified DNS domain. Once this is done you can use Inter-Cluster Peering to build a larger XMPP network in which all users have the same presence domain. If you intend to do Inter-Domain Federation in the future this must be your public DNS domain, not your internal active directory domain. If you use a non-public DNS domain TLS handshake will never succeed for inter-domain federation requests.
    Once you have Inter-Cluster Peering in place you can use Active Directory Lightweight Directory Services (the new name for ADAM) to front-end both forests. Both CUCM clusters would need to import the full list of users representing both domains and the sAMAccountNames must be unique across both domains.
    Finally, you can instruct Jabber to use UDS and query it's local CUCM cluster which will be able to return a search result from both domains. Since the CUP clusters are peered in the same domain the XMPP URI can be built properly, the presence subscription can be routed to the correct cluster, and life will be good.
    By this point hopefully it's clear that EDI won't cut it since it would be limited to only returning search results from the local forest.
    Please remember to rate helpful responses and identify helpful or correct answers.

  • HT204053 Is it possible to have two (or more) different icloud mail accounts (not alias) under the same apple id? If not what is you best advice for all family members to have their own e-mail and still share the purchases under the same apple id. Thanks

    Is it possible to have two (or more) different icloud mail accounts (not alias) under the same apple id? If not what is you best advice for all family members to have their own e-mail and still share the purchases under the same apple id. Thanks

    mannyace wrote:
    Thanks for the response.
    So I basically won't run into any trouble? I
    There should be no issues. Its designed to work like that.  You don't change Apple IDs just because you get a new device.
    mannyace wrote:
    Thanks for the response.
    Is there any chance that the phones can fall out of sync?
    Unlikely. But nothing is impossible.   Though I don;t see how that would happen. As long as both are signed into the Same Apple ID / iCloud Account they will be N'Sync. (Bad Joke)
    mannyace wrote:
    Thanks for the response.
    If I get a message or buy an app or take a photo on the iPhone 5, how do I get those things onto the iPhone 6?
    If you buy an App, you have 2 ways to get it to the iPhone6: If Automatic Downloads is enabled in Settings->iTunes & App Store, it will automatically download to the iPhone 6 when you buy it on the 5 and vice versa if you buy it on the 6, it will download to the 5.
    Alternatively, you can simply go to the App Store App->Updates->Purchased and look for the App there and download it. Purchased Apps will not require payment again. i.e They'll be free to download to the iPhone 6 once purchased.
    SMS Messages will sync over using Continuity as long as they are on the same Wifi network. Otherwise, restoring the iPhone 5 backup to the iPhone 6 will transfer all messages received up until the backup was made onto the iPhone 6.
    Images, can be transferred either through Photo Stream
    My Photo Stream FAQ - Apple Support
    Or any Cloud service you want such as Dropbox, or One Drive.
    mannyace wrote:
    Also, something i forgot to ask initially: Should I update the iPhone 5 to iOS 8 first or does that not matter?
    If you want the Continuity features as explained above you need to update the iPhone 5 to iOS 8. Otherwise its not all that important.

  • Creation of ACH pmt advice for EU C.Cd (PMW activated)

    Hi experts,
    I'm a little at loss with my 1st dealings with the payment medium workbench. I got a requirement to setup payment advice a EU company code that currently sends out ACH payments without advice.
    Currently In FBZP,
    1- The EU CCd is a paying company and the form is the same Z_REMITT_S used for the client's US company.
    2- The ACH payment method is defined for the country. The medium is the payment medium workbench and the format is Z_SEPA_CT.
         The US company uses the classic workbench and program RFFOUS_T for ACH.
    3- In Define Payment Method for Company code, I hit a snag because Under Form Data, there is only the "Drawer on the Form" segment; the entire "Forms" segment where you'd select your script is missing.
    Bottom line is How do I set up payment advice for ACH for a EU company paying EU vendors? (am I even asking the right question here?)

    maybe OP want to extract all numbers from his inbox using regular expressions?

  • Automatic creation of remittance advice for employee expense reimbursements

    Hello experts
    Is there a way to have remittance advices for employee expense reimbursements created automatically at the time of payment media run? In case of suppliers, in the supplier base you can heck "Advice Required" and then at the time of media run the remittance advice can be generated alongwith the payment. Is there a similar setting that can be done for employees?
    Thanks
    Gopal

    Hi
    Just to follow on from Ravi's reply:  most sites that I work at have the report RPRAPA00 scheduled to run on a periodic basis (define the job via transaction code SM36) to automatically create employee's vendor accounts.   A screen variant is usually saved for the program, and then the batch session is monitored on a regular basis to ensure that it has run successfully.
    Cheers
    Kylie

  • Can anyone help me with advice for a replacement hard drive

    Hi there,
    Can anyone help me with advice for a replacement hard drive and RAM upgrade for my Mac Book Pro 5,3
    Its 3 years old & running Snow Leopard 10.6.8
    I do a lot of audio & movie work so performance is important.
    The logic board was replaced last summer & I was advised to replace the hard drive then...oops
    Anyway it has limped on until now but is giving me cause for concern...
    I have found a couple of possibilities below...so if anyone does have a moment to take a look & help me out I would be most grateful
    http://www.amazon.co.uk/Western-Digital-Scorpio-7200rpm-Internal/dp/B004I9J5OG/r ef=sr_1_1?ie=UTF8&qid=1356787585&sr=8-1
    http://www.amazon.co.uk/Kingston-Technology-Apple-8GB-Kit/dp/B001PS9UKW/ref=pd_s im_computers_5
    Kind regards
    Nick

    Thanks guys that is so helpful :-)
    I will follow your advice Ogelthorpe & see how I get on with the job!!! Virgin territory for me so I may well shout for help once my MBP is in bits!! Is there a guide for duffers for this job anywhere??
    & yes in an ideal world I would be replacing my old MBP but I'm just not in a position to do that at the moment....let's hope things pick up in 2013
    All the very best
    Nick

  • Asking for advice--for beginning (but artistic) photographer.  Recommend Lightroom 5 or Photoshop Elements 12 (Windows 7 OS)?

    Asking for advice--for beginning (but artistic) photographer. Recommend Lightroom 5 or Photoshop Elements 12 (Windows 7 OS)?

    MarwanSati your install log appears to be free of errors.  I would recommend you post your inquiry about accessing this feature within the Photoshop Elements forum.

  • Payment advice for down payments

    hi ,
    anyone know how to generate the payment advice for downpayment made to Vendor..
    thanks in advance
    regds,
    raman

    Hi,
    Go to FBE1 and select account type k and create a payment advice for the down payment.
    regards
    srikanth
    Edited by: boddupalli srikanth on Apr 28, 2009 9:53 AM

  • Payment Advice for Payment method T- Transfer

    Hi,
    When I run F110 (Automatic payment program), I need to provide the payment advice for payment method T (bank transfer)
    to the vendor in the format provided by the client.
    My question is:
    1. Where to assign the payment advice form  in customisation for payment method T
    2. which program has to be assigned to the payment advice form.
    Very Important note:  Here we are ALSO using DMEE file to upload- Under payment method country -I have configure the same for use payment medium workbench
    Rgds,
    Vidhya

    Hi Vidhya,
    All this is done in a single screen transaction code FBZP.
    Where to assign the payment advice form in customisation for payment method T
    This is in Payment methods in Company codeSelect your payment method-Expand form data and assign the paymnet advice form.
    which program has to be assigned to the payment advice form.
    FPAYM_INT_DMEE(For DMEE)./ in the next form you may have F110_IN_AVIS.
    Thanks
    Aravind

Maybe you are looking for