Paying Sales Commissions

Hi All,
We have employees who get paid commission, do we need to set them up as vendor in BP?
Many thanks for your help.

Thanks Suda. That was very helpful.
Not a little bit more complicated.
We have one customer to whom we sell direct but we pay commission to an area Rep who origianlly handled this customer (before we took it on direct), and now we also pay commission to an inside sales person. The Rep is set up as a BP.
The commission we pay to the Rep is a fixed amount per unit, but the sales person is paid a percentage on the gross profit (sales price less purchase price and commission to rep). Can this be calculated automatically?
Again many thanks.

Similar Messages

  • Do iPhone App developers have to pay sales tax?

    Hello,
    I am an iPhone App developer in the United States. I would like to know who reports sales tax - Apple or a developer?
    Thank you!

    Not a W-2, but maybe a 1099 (miscellaneous income) - are App Store applications considered merchandise or a service?

  • How to get info from App buyer - Action Script 3 for iOS mobile

    Hello;
    I have a client that needs to track the salesperson (or store) who sells an Apple App. They need this information to be able to pay sales commissions and I want to make sure that commissions are only paid once for each sale.
    I will have a screen that appears when the App is installed that asks which salesman/store convinced them to buy the app... then the app will send us an email with the salesman's information...   How can this email (or other type of message) include a unique identifier - like the Apple ID - so I can prevent a buyer from uninstalling/reinstalling the app to be able to send another message and thereby causing us to pay a second commission for the same purchase?
    Thanks for all your help.
    -Rick

    do you want your 10 animations to play simultaneously or sequentially or something else?

  • Two billing for one sales order for same customer

    Dear All ,
    I have a requirement of posting a two billings for one sales order.
    One is for Sales and another is for commission...
    Entry could be
    Sales Entry - Db Customer
                        Cr  Sales
    Commission entry could be
    Db - Cusomter
    Cr- Sales commission income account (P/L)
    We are having third party sales scenario , In this case billing is MIRO dependent.
    Once the miro is done then only billing is possible ...
    Could you please advise on that ..
    Regards,
    Sukh

    Dear Ratish,
    Thanks for yr reply.
    I already did that but it is not serving business purpose.
    Comm payment  - comes diff time than sales payment.
    so ,I will post one entry customer will get hit with total amount Sales + commission
    like below
    Let say 10, 000 is the sales value and 500 is the commission
    So , This entry will get posted
    Customer Db- 10,500
    Sales Cr- 10,000
    Comm Income Cr- 500
    But, As I said sales amt will be paid before so We need to clear it partially and some time customer pays also diff amount due to some defect.
    So, We wont be knowing for which case we have or havnet received the payment against commission.
    As , Customer account is got hit with total amount( Sales+ Comm..value).
    Pls advise how to solve this.
    Regards,
    Sukh

  • Invoice request based on multiple sales order for same customer

    Hi Team,
    I just wanted to know if we can create manual invoice request based on multiple sales order for same customer?
    For project based invoice request i have create based on single invoice request.
    Appreciate your input here.
    Thanks,
    Nitin

    Dear Ratish,
    Thanks for yr reply.
    I already did that but it is not serving business purpose.
    Comm payment  - comes diff time than sales payment.
    so ,I will post one entry customer will get hit with total amount Sales + commission
    like below
    Let say 10, 000 is the sales value and 500 is the commission
    So , This entry will get posted
    Customer Db- 10,500
    Sales Cr- 10,000
    Comm Income Cr- 500
    But, As I said sales amt will be paid before so We need to clear it partially and some time customer pays also diff amount due to some defect.
    So, We wont be knowing for which case we have or havnet received the payment against commission.
    As , Customer account is got hit with total amount( Sales+ Comm..value).
    Pls advise how to solve this.
    Regards,
    Sukh

  • PL/SQL CLOB and comma seperated list

    Hi,
    i´am beginner!
    I have a table with a clob field with a comma separeted list. The content can be '', '44' or '44,55...' as an example.
    So how can i get the values in clob and search another table?
    Something like...
    select clob from table1
    each clob
    select * from table2
    where table2.id = (clob value)
    ... do somtheing further
    Thank you,
    Jochen

    Ok... it depends...
    If you know your CLOB is going to hold a list of values that are less than 4000 characters, you can simply treat the CLOB as a VARCHAR2 and perform one of the many techniques for splitting that string to give a varying IN list...
    e.g.
    SQL> ed
    Wrote file afiedt.buf
      1  select *
      2  from emp
      3  where ename in (
      4    with t as (select '&input_string' as txt from dual)
      5    select REGEXP_SUBSTR (txt, '[^,]+', 1, level)
      6    from t
      7    connect by level <= length(regexp_replace(txt,'[^,]*'))+1
      8*   )
    SQL> /
    Enter value for input_string: SCOTT,JAMES
    old   4:   with t as (select '&input_string' as txt from dual)
    new   4:   with t as (select 'SCOTT,JAMES' as txt from dual)
         EMPNO ENAME      JOB              MGR HIREDATE                   SAL       COMM     DEPTNO
          7788 SCOTT      ANALYST         7566 19-04-1987 00:00:00       3000                    20
          7900 JAMES      CLERK           7698 03-12-1981 00:00:00        950                    30
    SQL>(or alternatively read here: http://tkyte.blogspot.com/2006/06/varying-in-lists.html)
    If it's going to exceed the SQL VARCHAR2 limit of 4000 characters then you would most likely need to create a Pipelined function to split your CLOB into it's component values and return each one, thus allowing you to treat the results as a table of their own... e.g.
    Note: this example is for a pipelined function that splits a varchar2 string, but you could adapt it to use the DBMS_LOB package to split a CLOB in the same manner...
    SQL> CREATE OR REPLACE TYPE split_tbl IS TABLE OF VARCHAR2(4000);
      2  /
    Type created.
    SQL> CREATE OR REPLACE FUNCTION split (p_list VARCHAR2, p_delim VARCHAR2:=' ') RETURN SPLIT_TBL PIPELINED IS
      2      l_idx    PLS_INTEGER;
      3      l_list   VARCHAR2(4000) := p_list;
      4      l_value  VARCHAR2(4000);
      5    BEGIN
      6      LOOP
      7        l_idx := INSTR(l_list, p_delim);
      8        IF l_idx > 0 THEN
      9          PIPE ROW(SUBSTR(l_list, 1, l_idx-1));
    10          l_list := SUBSTR(l_list, l_idx+LENGTH(p_delim));
    11        ELSE
    12          PIPE ROW(l_list);
    13          EXIT;
    14        END IF;
    15      END LOOP;
    16      RETURN;
    17    END SPLIT;
    18  /
    Function created.
    SQL> SELECT column_value
      2  FROM TABLE(split('FRED,JIM,BOB,TED,MARK',','));
    COLUMN_VALUE
    FRED
    JIM
    BOB
    TED
    MARK
    SQL> create table mytable (val VARCHAR2(20));
    Table created.
    SQL> insert into mytable
      2  select column_value
      3  from TABLE(split('FRED,JIM,BOB,TED,MARK',','));
    5 rows created.
    SQL> select * from mytable;
    VAL
    FRED
    JIM
    BOB
    TED
    MARK
    SQL>... and once you can treat the values like a table it's just a case of using it like you would any table of values i.e. join on it or use it in an IN statment with a subselect etc.

  • Using a comma-delimited string in Dynamic SQL

    Hi --
    If I receive a comma-delimited string as an in parameter, can I simply use that (in string format) when building my dynamic sql?
    Thanks,
    Christine

    The problem is, that you can not use bind variables
    here, only literals. This causes
    eventual performance problems.And to avoid the inevitable database performance problems Dmytro mentions you can use a function to convert the string to a varray and select from that. This also avoids having to use dynamic sql.
    First you create a varray and conversion function.
    SQL> create or replace type tabstr_t as table of varchar2(255)
      2  /
    Type created.
    SQL> create or replace function tabstr (
      2      p_str in varchar2,
      3      p_sep in varchar2 default ','
      4      )
      5  return tabstr_t
      6  as
      7      l_str long default p_str || p_sep;
      8      l_tabstr tabstr_t := tabstr_t();
      9  begin
    10      while l_str is not null loop
    11          l_tabstr.extend(1);
    12          l_tabstr(l_tabstr.count) := rtrim(substr(
    13                  l_str,1,instr(l_str,p_sep)),p_sep);
    14          l_str := substr(l_str,instr(l_str,p_sep)+1);
    15      end loop;
    16      return l_tabstr;
    17  end;
    18  /
    Function created.Then you can use these in either regular sql.
    SQL> var s varchar2(100)
    SQL> exec :s := 'Smith,Scott,Miller'
    PL/SQL procedure successfully completed.
    SQL>
    SQL> select * from emp where ename in
      2      (select upper(column_value) from table(tabstr(:s)));
    EMPNO ENAME    JOB          MGR HIREDATE     SAL   COMM  DEPTNO
      7369 SMITH    CLERK       7902 17-DEC-80    800             20
      7788 SCOTT    ANALYST     7566 09-DEC-82   3000             20
      7934 MILLER   CLERK       7782 23-JAN-82   1300             10Or in pl/sql.
    SQL> var c refcursor
    SQL> begin
      2      open :c for
      3      select * from emp where ename in
      4          (select upper(column_value) from table(tabstr(:s)));
      5  end;
      6  /
    PL/SQL procedure successfully completed.
    SQL> print c
    EMPNO ENAME    JOB          MGR HIREDATE     SAL   COMM  DEPTNO
      7369 SMITH    CLERK       7902 17-DEC-80    800             20
      7788 SCOTT    ANALYST     7566 09-DEC-82   3000             20
      7934 MILLER   CLERK       7782 23-JAN-82   1300             10

  • Alternative sales commission calculation problem

    hi sir,
    I am a junior consultant trying to solve a problem for my Senior, the question goes as follows:
    We are trying to impute sales commissions to sales rep as a discount for every sale, in which for every sale a determined amount is imputed to the sales rep as a commission.
    the problem arises when the product is returned and customer asks for a refund. Then the commission should be refunded aswell. Could you please throw some light to wether we should clear that invoice the same month or the next one as a negative pendent discount, if so, how is the negative imputation applied?
    thanks a lot in advance,
    HF

    Bobsterslc wrote:
    Here is a screenshot of a piece of what I'm working on.
    Hi Bob,
    Here's what your screenshot looks like when embedded in a post, using the HTML code that Photobucket provides (third item in the list of codes provided).
    In your original post you said:
    I have a table that calculates sales commissions for a number of people and includes an overriding commission for the sales managers. I need to cap the sales commission at a fixed percentage, say 25%, for the sales people.
    I'm not sure what you mean by "I need to cap the sales commission at a fixed percentage."
    The first question that comes to mind is "25% of what?"
    Do you mean that the commission is not to exceed 25% of Total earnings?
    If so, your formula for B5 (the first cell where commission is calculated) would be:
    =MIN(formula1,B2/3)
    Where formula1 is whatever formula is used to calculate the commission when it is less than the cap, and B2 contains the salary/wages which must constitute at least 75% of the total compensation under this interpretation.
    Do you mean the commission rate is on a sliding scale that rises with increased sales, but does not exceed 25%?
    If so, you need to specify the rules that control the rate. Does it rise in steps? Does the 'new' rate at each step apply to total sales, or only to sales above that step? Are the steps the same size for everyone, directly related to the individual goals, or set by some other criteria?
    There's not enough information available fom your table to determine a pattern. For the first three columns, person B's commission is 12% of sales, person C's is under 4% and person D's is 30% of sales.
    For a more detailed response, we'll ned a more detailed specification of the question.
    Regards,
    Barry

  • What is the sale tax in Jersey City, NJ?

    I purchase the Ipad air 2 and ship it to Jersey City, any one know what the sale tax should charge? thanks

    I realize that. Just didn't want someone to get the wrong idea and think they could bypass the need to pay sales tax by purchasing from Amazon.
    Ah, gotcha'. In MN, you don't really get to bypass paying sales with what they call Use Tax (sales tax you're supposed to pay on taxable items when it wasn't applied by the seller). But virtually no one does since it would take an audit of your home finances and recorded sales receipts to prove you weren't charged sales tax and didn't pay it yourself afterwards.
    I've seen iPhones listed for sale there before.
    I'm sure I have in the past, too. But there doesn't seem to be any now.
    One has to be careful and pay close attention to make sure they're actually buying from Amazon and not some shady outfit operating out of their mother's basement.
    Yes! And I don't understand why they allow that. You're basically just garage sale shopping, or showing up at someone's home via a Craig's List ad, and hoping what you buy actually works. I'll still buy items from a third party, but only after I've checked their reputation by looking up reviews on them.

  • Sales tax exempt indicator?

    Is there an indicator in Project Systems that marks a project as "sales tax exempt"? 
    We have certain projects where we are exempt from paying sales tax for materials and we would like to mark these projects as Exempt.   I don't see any indicators in the Project Definition JC20N but didn't know if this would appear somewhere else or  as a config setting.  
    Ultimately we would like the tax exempt status to flow to AP where sales tax would be blocked when the clerk enters the invoice.
    Thanks for the help,
    Jeff

    this is controlled from the material master, sales tab, you can enter tax code
    when this material is selected for procurement via external activity or via item category N in internal activity then it should come up with the tax code entered in the material master
    Same works in SD when you choose the material in sales line item for AR side

  • How to make comma seperated file

    hi
    I have a select statement that looks like below. I want to make comma seperated file for the selected columns. How to write it?
    SELECT MM.DAL_NUMBER,
    '19-NOV-2009' as WSS_CE,
    CPN_INT,
    TRADE_DATE,
    MX_DATE "LAST_DATE",
    CUSTOMER_SPECIF CUST_GID,
    NAME_SHORT CUST_NAME_SHORT
    from my_table;
    if you could provide me with exact query.
    Thanks

    Slightly more generic approach...
    As sys user:
    CREATE OR REPLACE DIRECTORY TEST_DIR AS '\tmp\myfiles'
    GRANT READ, WRITE ON DIRECTORY TEST_DIR TO myuser
    /As myuser:
    CREATE OR REPLACE PROCEDURE run_query(p_sql IN VARCHAR2
                                         ,p_dir IN VARCHAR2
                                         ,p_header_file IN VARCHAR2
                                         ,p_data_file IN VARCHAR2 := NULL) IS
      v_finaltxt  VARCHAR2(4000);
      v_v_val     VARCHAR2(4000);
      v_n_val     NUMBER;
      v_d_val     DATE;
      v_ret       NUMBER;
      c           NUMBER;
      d           NUMBER;
      col_cnt     INTEGER;
      f           BOOLEAN;
      rec_tab     DBMS_SQL.DESC_TAB;
      col_num     NUMBER;
      v_fh        UTL_FILE.FILE_TYPE;
      v_samefile  BOOLEAN := (NVL(p_data_file,p_header_file) = p_header_file);
    BEGIN
      c := DBMS_SQL.OPEN_CURSOR;
      DBMS_SQL.PARSE(c, p_sql, DBMS_SQL.NATIVE);
      d := DBMS_SQL.EXECUTE(c);
      DBMS_SQL.DESCRIBE_COLUMNS(c, col_cnt, rec_tab);
      FOR j in 1..col_cnt
      LOOP
        CASE rec_tab(j).col_type
          WHEN 1 THEN DBMS_SQL.DEFINE_COLUMN(c,j,v_v_val,2000);
          WHEN 2 THEN DBMS_SQL.DEFINE_COLUMN(c,j,v_n_val);
          WHEN 12 THEN DBMS_SQL.DEFINE_COLUMN(c,j,v_d_val);
        ELSE
          DBMS_SQL.DEFINE_COLUMN(c,j,v_v_val,2000);
        END CASE;
      END LOOP;
      -- This part outputs the HEADER
      v_fh := UTL_FILE.FOPEN(upper(p_dir),p_header_file,'w',32767);
      FOR j in 1..col_cnt
      LOOP
        v_finaltxt := ltrim(v_finaltxt||','||lower(rec_tab(j).col_name),',');
      END LOOP;
      --  DBMS_OUTPUT.PUT_LINE(v_finaltxt);
      UTL_FILE.PUT_LINE(v_fh, v_finaltxt);
      IF NOT v_samefile THEN
        UTL_FILE.FCLOSE(v_fh);
      END IF;
      -- This part outputs the DATA
      IF NOT v_samefile THEN
        v_fh := UTL_FILE.FOPEN(upper(p_dir),p_data_file,'w',32767);
      END IF;
      LOOP
        v_ret := DBMS_SQL.FETCH_ROWS(c);
        EXIT WHEN v_ret = 0;
        v_finaltxt := NULL;
        FOR j in 1..col_cnt
        LOOP
          CASE rec_tab(j).col_type
            WHEN 1 THEN DBMS_SQL.COLUMN_VALUE(c,j,v_v_val);
                        v_finaltxt := ltrim(v_finaltxt||',"'||v_v_val||'"',',');
            WHEN 2 THEN DBMS_SQL.COLUMN_VALUE(c,j,v_n_val);
                        v_finaltxt := ltrim(v_finaltxt||','||v_n_val,',');
            WHEN 12 THEN DBMS_SQL.COLUMN_VALUE(c,j,v_d_val);
                        v_finaltxt := ltrim(v_finaltxt||','||to_char(v_d_val,'DD/MM/YYYY HH24:MI:SS'),',');
          ELSE
            v_finaltxt := ltrim(v_finaltxt||',"'||v_v_val||'"',',');
          END CASE;
        END LOOP;
      --  DBMS_OUTPUT.PUT_LINE(v_finaltxt);
        UTL_FILE.PUT_LINE(v_fh, v_finaltxt);
      END LOOP;
      UTL_FILE.FCLOSE(v_fh);
      DBMS_SQL.CLOSE_CURSOR(c);
    END;This allows for the header row and the data to be written to seperate files if required.
    e.g.
    SQL> exec run_query('select * from emp','TEST_DIR','output.txt');
    PL/SQL procedure successfully completed.Output.txt file contains:
    empno,ename,job,mgr,hiredate,sal,comm,deptno
    7369,"SMITH","CLERK",7902,17/12/1980 00:00:00,800,,20
    7499,"ALLEN","SALESMAN",7698,20/02/1981 00:00:00,1600,300,30
    7521,"WARD","SALESMAN",7698,22/02/1981 00:00:00,1250,500,30
    7566,"JONES","MANAGER",7839,02/04/1981 00:00:00,2975,,20
    7654,"MARTIN","SALESMAN",7698,28/09/1981 00:00:00,1250,1400,30
    7698,"BLAKE","MANAGER",7839,01/05/1981 00:00:00,2850,,30
    7782,"CLARK","MANAGER",7839,09/06/1981 00:00:00,2450,,10
    7788,"SCOTT","ANALYST",7566,19/04/1987 00:00:00,3000,,20
    7839,"KING","PRESIDENT",,17/11/1981 00:00:00,5000,,10
    7844,"TURNER","SALESMAN",7698,08/09/1981 00:00:00,1500,0,30
    7876,"ADAMS","CLERK",7788,23/05/1987 00:00:00,1100,,20
    7900,"JAMES","CLERK",7698,03/12/1981 00:00:00,950,,30
    7902,"FORD","ANALYST",7566,03/12/1981 00:00:00,3000,,20
    7934,"MILLER","CLERK",7782,23/01/1982 00:00:00,1300,,10The procedure allows for the header and data to go to seperate files if required. Just specifying the "header" filename will put the header and data in the one file.
    Adapt to output different datatypes and styles are required.

  • COMMISSION TO SALES EMPLOYEE WITH OUT HR MODULE

    Dear all,
    I have senario where i wanted to give a commission to each sales employee. Also i dosenot want to create Sales Employee?bcoz HR module is not implemented?
    Is it possible to give commission to sales employee?
    Plz send what are the customization for the same?

    Sales commissions can be configured frm SD if they are simple in nature. This is done through rebates. If the commission and management is complex in nature then it can be done through ICM ( Incentives and Commissions Management )
    The following procedure details the configuration of the Sales commission for Employee. The problems could e at any one of the following steps.
    You need to create a partner function for sales employee, a copy of the standard partner function available in SAP. Then do the appropriate partner determination, that is assignment to the sales document and item partner determination procedure. Next step is to create master data for all your sales employees as Vendors, assign these masters you created to the sales order at item level.
    We can see the orders sales employee wise in VA05 provided we add the sales employee partner function in the index list under sales and distribution, sales, lists, set updating of partner index.
    In the  pricing procedure, we need to maintain a condition for sales employee commissions and choose whether you want to enter the commissions percentage manually or prefer automatic determination. Here we need to get an input from the client as to whether they have fixed or variable commission percentages.
    Create an accrual account key for this and assign it to the condition type in the pricing procedure and remember that the condition type in the procedure should be statistical and not relevant for printing.
    Next step is to make the settlements after the Invoices have been posted and the relevant commissions accrued to a G/L Account.
    Now settlements could be manual as well as automatic. If you choose to make automatic settlements, there needs to be a ZREPORT which makes a vendor payment posting or if the settlement is manual, you need to might be run a BDC periodically to post the invoices for the so called Vendors (Sales Employee)
    regds
    Jude

  • Extracting Vistex (Rebate & Commissions) to BW

    We will be implementing Vistex to process rebates and calculate sales commissions as part of our implementation of ECC 5.0 and BW 3.5.  I would welcome comments from any one with experience with Vistex and BW.  Particularly regarding the extractors that were used or developed. We are not implementing CRM in this phase. 
    Thanks!

    Hello
    I have exactly the same question as Holly
    We are still in the blueprint phase, but I would like to get some information on BW extractors for Vistex, but I can not find any documentation ....
    Thanks for your help
    PY

  • Query on Mass Allocation - To calulate and book commision on prev qtr sales

    Hi
    Help required ASAP
    I have been assigned a task of booking sales commission on the basis of sales of last Quarter within 3rd day of next month for three regions e.g.: South, West and North. Sales comm percent is say 2%.
    I have been using usage based allocation uptill now and have been thinking to use mass allocations for this.
    Can anyone give me some clues to have a workaround ?
    Thanks
    Shanks

    I'm also having this problem. It's happening with my USB flash disk. I was almost buying another one when I tried it with Windows Vista on the same machine and it worked ok, then I tried Arch Linux (with kernel 2.6.30.5) on another machine and got the same error. After that I tried Ubuntu and it worked ok. Seems that Arch's kernel doesn't like my USB flash disk.
    Last edited by esdrasbeleza (2009-09-02 01:16:09)

  • Passing comma separated string

    1) This query works
    select a.GSDB_SITE_CODE
    from GFSTQ75_GSDB_SITE a
    where a.IS_ASSEMBLY_PLANT_FLAG = 'Y'
    and a.EFFECTIVE_OUT_DTS = '31-DEC-9999'
    and a.ISO3_COUNTRY_CODE IN ('RUS','AUS','SA')
    2) This query not working
    select a.GSDB_SITE_CODE
    from GFSTQ75_GSDB_SITE a
    where a.IS_ASSEMBLY_PLANT_FLAG = 'Y'
    and a.EFFECTIVE_OUT_DTS = '31-DEC-9999'
    and a.ISO3_COUNTRY_CODE IN (SELECT value_text from GFSTU25_PARAMETER_VALUE
    WHERE proj_acronym_code = 'CPM'
    AND parameter_code ='W130'
    AND parameter_qualifier_code='EU_COUNTRY_CODE3')
    0 records
    But the value_text returned is 'RUS','AUS','SA' from the below query.
    SELECT value_text from GFSTU25_PARAMETER_VALUE
    WHERE proj_acronym_code = 'CPM'
    AND parameter_code ='W130'
    AND parameter_qualifier_code='EU_COUNTRY_CODE3'
    thanks,
    vinodh

    Try this way.
    SELECT a.GSDB_SITE_CODE
      FROM GFSTQ75_GSDB_SITE a
    WHERE a.IS_ASSEMBLY_PLANT_FLAG = 'Y'
       AND a.EFFECTIVE_OUT_DTS = '31-DEC-9999'
       AND a.ISO3_COUNTRY_CODE IN (SELECT REGEXP_SUBSTR (value_text, '[^,]+', 1, LEVEL)
                                     FROM (SELECT value_text
                                             FROM GFSTU25_PARAMETER_VALUE
                                            WHERE proj_acronym_code = 'CPM'
                                              AND parameter_code ='W130'
                                              AND parameter_qualifier_code='EU_COUNTRY_CODE3')
                                              CONNECT BY LEVEL <= regexp_count(value_text,',')+1)some sample check done on SCOTT schema.
    SQL> SELECT *
         FROM emp
         WHERE deptno IN (SELECT REGEXP_SUBSTR ('10,20', '[^,]+', 1, LEVEL)
                            FROM dual
                            CONNECT BY LEVEL <= regexp_count('10,20',',')+1)
    EMPNO ENAME      JOB         MGR HIREDATE          SAL      COMM DEPTNO
    7369 SMITH      CLERK      7902 17/12/1980     800.00    200.00     20 
    7566 JONES      MANAGER    7839 02/04/1981    2975.00    200.00     20 
    7782 CLARK      MANAGER    7839 09/06/1981    2450.00               10 
    7788 SCOTT      ANALYST    7566 19/04/1987    3000.00               20 
    7839 KING       PRESIDENT                     5000.00               10 
    7876 ADAMS      CLERK      7788 23/05/1987    1100.00               20 
    7902 FORD       ANALYST    7566 03/12/1981    3000.00               20 
    7934 MILLER     CLERK      7782 23/01/1982    1300.00               10 
    8 rows selectedRegards,
    Lokanath Giri
    Edited by: Lokanath Giri on १६ मार्च, २०१२ ६:३१ अपराह्न

Maybe you are looking for

  • Photoshop CS3 error saving files - Could not save ... because the fileis already in use or was left

    I have a problem with Adobe Photoshop CS3 that only started happening last night. Heres a description of the problem. When I try and save a Photoshop file, I get the following error message:- Could not save (filename). because the file is already in

  • For OS X 10.4.11, Aperture 2 & either A700 or D300 camera owners a question

    I was wondering if any of the Sony A700 or Nikon D3/D300 owners who have Aperture 2 installed on their OS X 10.4.11 systems can only see their RAW files in Aperture? Or can you see them in Finder and iPhoto as well? (I'm curious as to whether the Ape

  • Why can't I fast forward my podcasts?

    I've just installed the new (disastrous) version of iTunes and I can't fast forward my episodes! This means that if I don't listen/watch an episode until the end and just click on something else on iTunes (for example, another episode of another podc

  • [solved] Can't build libitl, plz help

    I try to install itools http://aur.archlinux.org/packages.php?ID=20954 i get error with libitl ( one f Dependencies ) yaourt -S libitl ln -sf ../../prayertime/src/prayer.h ../../build/itl/prayer.h ln -sf ../prayertime/src/prayer.o ../../build/prayer.

  • Harder to find the regular Creative Suite on the website

    On the website, if I click on "Adobe Creative Suite" I end up on a page for the Cloud products, and it's hard to find the "regular" Creative Suite. I know it's important to make users aware of the Cloud products, but also it's important to make it ea