How to generate reports of registered IP handsets and their corresponding extension on call manager 4.2.3

Hi
how to generate reports of registered IP handsets and their corresponding extension on call manager 4.2.3
I checked the route plan report and the generate report function on the BAT.. however it doesnt has the feature to generate only the registered IP phone with its coresponding extension
Thanks
Kind regards
Rachel

Call manager provides the called party with the extension or directory number of the calling party on a display. You can use the Calling Line ID Presentation field in the Gateway Configuration window to control whether the CLID displays for all outgoing calls on the gateway.Refer URL
http://www.cisco.com/en/US/products/sw/voicesw/ps556/products_administration_guide_chapter09186a008070e48b.html#wp1051056

Similar Messages

  • How to generate report output in csv file and send it to user email inbox

    Hi All,
    We have requiremnt to generate the csv file from the report (Bex query)automatically and need to send that file automatically to user email address every week.
    It should be done automatically and one more thing the file name should contain that particuar date
    for example if we generate file automatically today the file name should be like below.
    US_04_15_2009.CSV
    Any one have any ideas?
    Regards,
    Sirisha

    Hi Arun Varadarajan.
    Thanks for your reply.We are in BI 7.0.Can you tell me how to  broadcast the query as CSV.Please let me know  if there is any possiblity to display or change the file name dynamically  based on system date.
    Regards,
    Sirisha
    Edited by: sirisha Nekkanti on Apr 16, 2009 4:08 AM

  • How to generate report with dynamic variable number of columns?

    How to generate report with dynamic variable number of columns?
    I need to generate a report with varying column names (state names) as follows:
    SELECT AK, AL, AR,... FROM States ;
    I get these column names from the result of another query.
    In order to clarify my question, Please consider following table:
    CREATE TABLE TIME_PERIODS (
    PERIOD     VARCHAR2 (50) PRIMARY KEY
    CREATE TABLE STATE_INCOME (
         NAME     VARCHAR2 (2),
         PERIOD     VARCHAR2 (50)     REFERENCES TIME_PERIODS (PERIOD) ,
         INCOME     NUMBER (12, 2)
    I like to generate a report as follows:
    AK CA DE FL ...
    PERIOD1 1222.23 2423.20 232.33 345.21
    PERIOD2
    PERIOD3
    Total 433242.23 56744.34 8872.21 2324.23 ...
    The TIME_PERIODS.Period and State.Name could change dynamically.
    So I can't specify the state name in Select query like
    SELECT AK, AL, AR,... FROM
    What is the best way to generate this report?

    SQL> -- test tables and test data:
    SQL> CREATE TABLE states
      2    (state VARCHAR2 (2))
      3  /
    Table created.
    SQL> INSERT INTO states
      2  VALUES ('AK')
      3  /
    1 row created.
    SQL> INSERT INTO states
      2  VALUES ('AL')
      3  /
    1 row created.
    SQL> INSERT INTO states
      2  VALUES ('AR')
      3  /
    1 row created.
    SQL> INSERT INTO states
      2  VALUES ('CA')
      3  /
    1 row created.
    SQL> INSERT INTO states
      2  VALUES ('DE')
      3  /
    1 row created.
    SQL> INSERT INTO states
      2  VALUES ('FL')
      3  /
    1 row created.
    SQL> CREATE TABLE TIME_PERIODS
      2    (PERIOD VARCHAR2 (50) PRIMARY KEY)
      3  /
    Table created.
    SQL> INSERT INTO time_periods
      2  VALUES ('PERIOD1')
      3  /
    1 row created.
    SQL> INSERT INTO time_periods
      2  VALUES ('PERIOD2')
      3  /
    1 row created.
    SQL> INSERT INTO time_periods
      2  VALUES ('PERIOD3')
      3  /
    1 row created.
    SQL> INSERT INTO time_periods
      2  VALUES ('PERIOD4')
      3  /
    1 row created.
    SQL> CREATE TABLE STATE_INCOME
      2    (NAME   VARCHAR2 (2),
      3       PERIOD VARCHAR2 (50) REFERENCES TIME_PERIODS (PERIOD),
      4       INCOME NUMBER (12, 2))
      5  /
    Table created.
    SQL> INSERT INTO state_income
      2  VALUES ('AK', 'PERIOD1', 1222.23)
      3  /
    1 row created.
    SQL> INSERT INTO state_income
      2  VALUES ('CA', 'PERIOD1', 2423.20)
      3  /
    1 row created.
    SQL> INSERT INTO state_income
      2  VALUES ('DE', 'PERIOD1', 232.33)
      3  /
    1 row created.
    SQL> INSERT INTO state_income
      2  VALUES ('FL', 'PERIOD1', 345.21)
      3  /
    1 row created.
    SQL> -- the basic query:
    SQL> SELECT   SUBSTR (time_periods.period, 1, 10) period,
      2             SUM (DECODE (name, 'AK', income)) "AK",
      3             SUM (DECODE (name, 'CA', income)) "CA",
      4             SUM (DECODE (name, 'DE', income)) "DE",
      5             SUM (DECODE (name, 'FL', income)) "FL"
      6  FROM     state_income, time_periods
      7  WHERE    time_periods.period = state_income.period (+)
      8  AND      time_periods.period IN ('PERIOD1','PERIOD2','PERIOD3')
      9  GROUP BY ROLLUP (time_periods.period)
    10  /
    PERIOD             AK         CA         DE         FL                                             
    PERIOD1       1222.23     2423.2     232.33     345.21                                             
    PERIOD2                                                                                            
    PERIOD3                                                                                            
                  1222.23     2423.2     232.33     345.21                                             
    SQL> -- package that dynamically executes the query
    SQL> -- given variable numbers and values
    SQL> -- of states and periods:
    SQL> CREATE OR REPLACE PACKAGE package_name
      2  AS
      3    TYPE cursor_type IS REF CURSOR;
      4    PROCEDURE procedure_name
      5        (p_periods   IN     VARCHAR2,
      6         p_states    IN     VARCHAR2,
      7         cursor_name IN OUT cursor_type);
      8  END package_name;
      9  /
    Package created.
    SQL> CREATE OR REPLACE PACKAGE BODY package_name
      2  AS
      3    PROCEDURE procedure_name
      4        (p_periods   IN     VARCHAR2,
      5         p_states    IN     VARCHAR2,
      6         cursor_name IN OUT cursor_type)
      7    IS
      8        v_periods          VARCHAR2 (1000);
      9        v_sql               VARCHAR2 (4000);
    10        v_states          VARCHAR2 (1000) := p_states;
    11    BEGIN
    12        v_periods := REPLACE (p_periods, ',', ''',''');
    13        v_sql := 'SELECT SUBSTR(time_periods.period,1,10) period';
    14        WHILE LENGTH (v_states) > 1
    15        LOOP
    16          v_sql := v_sql
    17          || ',SUM(DECODE(name,'''
    18          || SUBSTR (v_states,1,2) || ''',income)) "' || SUBSTR (v_states,1,2)
    19          || '"';
    20          v_states := LTRIM (SUBSTR (v_states, 3), ',');
    21        END LOOP;
    22        v_sql := v_sql
    23        || 'FROM     state_income, time_periods
    24            WHERE    time_periods.period = state_income.period (+)
    25            AND      time_periods.period IN (''' || v_periods || ''')
    26            GROUP BY ROLLUP (time_periods.period)';
    27        OPEN cursor_name FOR v_sql;
    28    END procedure_name;
    29  END package_name;
    30  /
    Package body created.
    SQL> -- sample executions from SQL:
    SQL> VARIABLE g_ref REFCURSOR
    SQL> EXEC package_name.procedure_name ('PERIOD1,PERIOD2,PERIOD3','AK,CA,DE,FL', :g_ref)
    PL/SQL procedure successfully completed.
    SQL> PRINT g_ref
    PERIOD             AK         CA         DE         FL                                             
    PERIOD1       1222.23     2423.2     232.33     345.21                                             
    PERIOD2                                                                                            
    PERIOD3                                                                                            
                  1222.23     2423.2     232.33     345.21                                             
    SQL> EXEC package_name.procedure_name ('PERIOD1,PERIOD2','AK,AL,AR', :g_ref)
    PL/SQL procedure successfully completed.
    SQL> PRINT g_ref
    PERIOD             AK         AL         AR                                                        
    PERIOD1       1222.23                                                                              
    PERIOD2                                                                                            
                  1222.23                                                                              
    SQL> -- sample execution from PL/SQL block
    SQL> -- using parameters derived from processing
    SQL> -- cursors containing results of other queries:
    SQL> DECLARE
      2    CURSOR c_period
      3    IS
      4    SELECT period
      5    FROM   time_periods;
      6    v_periods   VARCHAR2 (1000);
      7    v_delimiter VARCHAR2 (1) := NULL;
      8    CURSOR c_states
      9    IS
    10    SELECT state
    11    FROM   states;
    12    v_states    VARCHAR2 (1000);
    13  BEGIN
    14    FOR r_period IN c_period
    15    LOOP
    16        v_periods := v_periods || v_delimiter || r_period.period;
    17        v_delimiter := ',';
    18    END LOOP;
    19    v_delimiter := NULL;
    20    FOR r_states IN c_states
    21    LOOP
    22        v_states := v_states || v_delimiter || r_states.state;
    23        v_delimiter := ',';
    24    END LOOP;
    25    package_name.procedure_name (v_periods, v_states, :g_ref);
    26  END;
    27  /
    PL/SQL procedure successfully completed.
    SQL> PRINT g_ref
    PERIOD             AK         AL         AR         CA         DE         FL                       
    PERIOD1       1222.23                           2423.2     232.33     345.21                       
    PERIOD2                                                                                            
    PERIOD3                                                                                            
    PERIOD4                                                                                            
                  1222.23                           2423.2     232.33     345.21                       

  • How to generate report for Service sheet - ECC 6.0

    Hi
    Can anyone let me know regarding how to generate reports for  service sheets entered
    regards
    Sanjay

    Hi,
    Get Service Entry Sheet with following T.codes:
    1.MSRV6
    2.ML84
    Regards,
    Biju K

  • Report to list all computers and their collection membership

    Hi
    I am currently working on a site where direct membership is used for collections but a need has arisen to move to AD Queries.
    I have created a simple powershell script that creates groups based on the contents of a csv file and another script which populates this with the members listed in another csv file.
    To help speed up the process is there a way to generate a report that lists ALL Computers and their Collection membership?
    The only reports I seem to find that are built in require an inputted value of either computer name of collection ID. I simply need a report that lists Computer Name is column 1 and Collection Name in column 2 for all computers and all collections.
    Many Thanks,
    Matt Thorley

    select 
    FCM.Name,
    C.Name
    from 
    dbo.v_Collection C
    join dbo.v_FullCollectionMembership FCM on C.CollectionID = FCM.CollectionID
    Thanks to Garth for original query. I just modified it :)
    Anoop C Nair (My Blog www.AnoopCNair.com)
    - Twitter @anoopmannur -
    FaceBook Forum For SCCM

  • Mac platform. I have the Creative Suite. I need to reinstall the app. How can I get rid of the app and it's extensions to reinstall it?

    Mac platform. I have the Creative Suite. I need to reinstall the app. How can I get rid of the app and it's extensions to reinstall it?

    Are you SURE you need to reinstall? Often people believe this but it rarely solves anything. Does a message say you must?

  • How to Generate Report Output to Flat File

    Hi All,
    how to generate a report's output to a flat file(fixed length file).
    Thanks and appreciated.

    Hi
    In the object navigator u have a node called builtin packages. in that you can see text_io package.and in help you can have a detailed exaplination abt that. if your version is 9i then search in web for webutil program which also does the same work.
    Thank you
    Sasi

  • HOW TO GENERATE REPORTS IN ENTERPRISE MANAGER 10.1.0.5

    Hi,
    We have installed EM 10.1.0.5 on windows.We have a requirement of delievering CAPACITY PLANNING MANAGEMENT reports through OEM.I am not able to find any OPTION for REPORT GENERATION in EM CONSOLE.
    Need assistance in generating REPORTS through OEM, also need description in detail about the CUSTOM REPORTS/ REPORT GENERATION through OEM 10.1.0.5.Would highly appreciate if anybody can give a quick workaround for the same.
    Thanks & Regards,
    Vamsi Manyam

    Thanx Bazza,
    I have tried creating custom reports.
    Can we use the UDM in custom reports.
    In the ELEMENTS, when i go with METRICS, I am not able to see the UDM in the drop down menu of the metrics.
    Can u please help me out as how to include the UDM in the METRICS(under ELEMENTS section of reports).

  • How to generate report from two tables using DAO design pattern?

    Hi,
    Iam using struts with DAO pattern for my application. According to DAO design im creating model class for each table in my database with getter,setter methods. i have no problem when im generating report from one table. but if have i have to join two tables whatis the better way for doing that? is it good practise to create a new model contains properties from both the tables?
    Please help me
    Thanks in Advance
    Rajesh

    Dear Rajesh,
    As per the pattern you are creating equivalent java objects for every database table under consideration in which each db field will become a private attribute and public getter and setter methods.
    If you have to display data from one table the above approach is sufficient enough.
    But in case your database is normalised ..lets take an example of Bank having Branch and Accounts tables. We dont need to repeat the whole information of the branch for every account in that branch. so we prefer to have a branch id in that table....this approach lot of insertion/deletion/updatation anomlies that may exists with the database...
    now lets come back to our topic....we shall create two java objects 1) Branch 2) Account.....
    When ever u just need to display simple report u can do it staright forward,,,,,now if u want to display branch information along with the account information....the two objects just created are not sufficient
    So i suggest u the following approaches
    1) Create an attribute of type Branch in the Accounts Object......
    This shall serve the purpose of displaying the Btranch information
    2) Create a collection object of type ( Vector or ArrayList) which can have objects of Account in the Branch Object,,,
    Now its upto u how shall u fill up the objects with appropriate sql queries.
    The method that i mentioned is followed by Oracle Toplink and Hibernate ....which provide Object to relation mapping layers.
    Any queries ...revert back to me...
    Mahesh

  • Generate report to show all users and groups in Shared Services in EPM 11x

    Hi,
    Is there any way to generate a report (like a migration report or job status report) which can be generated through workspace/shared services 11.1.1.3 so that my admin can look at all the users and groups created. Something that I can view and probably print out? Any suggestions?
    ~Adeeba

    Yes, I knew this one. This basically shows me the users and groups assigned specific provision access. Is there any way to view a report that shows which users and groups have access to dimensions of an individual planning application?
    ~Adeeba

  • How to generate report in pdf format through a JSP page

    I require to generate my report from my JSP page into a PDF format . How can i do it?

    Use a Java API which can create PDF files based on some collection of plain vanilla Java objects (List, String, Number, etc).
    Google can find them all. Just feed it with something like "Java PDF API" or so. A commonly used one is iText.
    That said, when talking about this in JSP context, ensure that you do NOT write raw Java code in JSP files using scriptlets. Raw Java code belongs in Java classes. In such case you need a Servlet. In JSP just use taglibs and EL to interact with backend Java code and data. Scriptlets are discouraged since over a decade.

  • How to generate report in a predefined naming convention for output file

    Hi Expert
    I have devloped one report in which i am getting the output as my required way.
    Now I need to name my report output in WCO.PM_sto.13-06-2011 format.
    where WCO is constant for all report output
    PM_sto is the parameter for which the report got generated
    and next part is the date of generation of the report.
    Each section is connected in a '.' in between them.
    Kindly let me know how can i achieve this.
    Regards
    Srikant

    If you are bursting the report,
    then you have flex to change and do what you asked for, you got to do it in Bursting query.

  • How to generate reports in text file without totals

    Hi!!!
    Does anybody knows how can I generate a report in text file
    (separated by |), but without the lines with totalizations ?
    In my application, the user can choose if he wants the output
    in HTML,PDF or a text file. So, the solution to this question
    must be implemented in code.
    Thanks a lot,
    Anderson.

    If you put a formatting trigger on any item or frame and return FALSE, it will disappear.
    So the totals need to be within a frame which has a trigger which returns false if text file is chosen.

  • How to generate reports for specific products sold in e-commerce

    Hello,
    I am going to start letting products from other manufactures be sold in my online store and do a percentage split of the profit with the manufacture. I was wondering how to tag those specific products and generate a report on how many products were sold and what the gross income was from those products. This will make the quartly accounting so much easier....
    Thank you for any help...

    Supplier - Choose a supplier that you source this product from. Setting this value is useful for when you report on your sales to see which supplier products are most popular.
    Commission Payable % - The commission percentage number is stored for each product in an order. If you have to pay commissions to suppliers for selling their products then setting this number allows you to run reports that calculate the final amounts for you.
    Yea I found this stuff eairlier but the question is how do you actually run the report and how do you set up a supplier? I don't see why this is so hard it should be in the custom reports section of the reports tab. Then make new eComerce report, then pick supplier then filter for sales by supplier. But there is no filter for sales... just a filter for status and country. And I would think that you would add a supplier to the affilate program but that is actually for something else entirely. Sorry this is probably very simple and I am over complicating it...
    Thanks for your help...  

  • Technical question on how to generate report

    Hi Guys:
    I have the following contents in my XML file:
    - <DATA>
    - <ROWSET>
    - <ROW>
    <EMPNO>2222</EMPNO>
    <ENAME>BLAH</ENAME>
    <JOB>SALESMAN</JOB>
    <MGR>7788</MGR>
    <HIREDATE>2006-11-27T00:00:00.000-06:00</HIREDATE>
    <SAL>100</SAL>
    <COMM>100</COMM>
    <DEPTNO>10</DEPTNO>
    </ROW>
    - <ROW>
    <EMPNO>1111</EMPNO>
    <ENAME>SANTA</ENAME>
    <JOB>PRESIDENT</JOB>
    <MGR />
    <HIREDATE>2006-11-16T18:28:30.000-06:00</HIREDATE>
    <SAL>10000</SAL>
    <COMM>100</COMM>
    <DEPTNO>10</DEPTNO>
    </ROW>
    - <ROW>
    <EMPNO>7369</EMPNO>
    <ENAME>SMITH</ENAME>
    <JOB>CLERK</JOB>
    <MGR>7902</MGR>
    <HIREDATE>1980-12-17T00:00:00.000-06:00</HIREDATE>
    <SAL>800</SAL>
    <COMM />
    <DEPTNO>20</DEPTNO>
    </ROW>
    </ROWSET>
    </DATA>
    If I want to generate for every EMPNO, I would display ENAME, JOB, MGR, HIREDATE, SAL, COMM, and DEPTNO in RTF. Here is what I wrote in the RTF:
    <?for-each:ROW?>
    <?EMPNO?>
    <?for-each:ROW?>
    <?ENAME?>
    <?JOB?>
    <?MGR?>
    <?HIREDATE?>
    <?SAL?>
    <?COMM?>
    <?DEPTNO?>
    <?end for-each?>
    <?end for-each?>
    As a result, only the EMPNO is being printed on the result but not the rest of the element: ENAME, JOB, MGR, HIREDATE, SAL, COMM and DEPTNO.
    What did I missing?
    Is there any way to write the RTF without changing the XML file?
    If not, assume I have a table call EMP that contain all the attributes: ENAME, JOB, MGR, HIREDATE, SAL, COMM and DEPTNO. How should I write the query?
    Is there any tutorials for that?
    I know I am asking a lot but I hope anyone call give me some suggestions on any of these questions so that I could start to work on my project. By the way, I am using XMLP Ver 5.6.2. Thanks for your help!

    try this...
    <?for-each:ROW?>
    <?EMPNO?>
    <?ENAME?>
    <?JOB?>
    <?MGR?>
    <?HIREDATE?>
    <?SAL?>
    <?COMM?>
    <?DEPTNO?>
    <?end for-each?>

Maybe you are looking for

  • I forgot the passcode for my iphone 4s, how do i get it back without losing all data on the phone?

    I forgot the passcod on my iphone4s, how do I get it back without losing all the data on the phone?

  • Can't delete or edit any files on Ipod

    i have a 60 gig 5th gen ipod. for the past few days i've been trying to fix this problem. i've looked everywhere and tried the 5 r's and everything but its not changing anything once i add files in itunes to my ipod, i can't edit them or delete them

  • FrameMaker has correct fonts, PDFs produced with Acrobat 9 don't.

    We're producing PDFs out of FrameMaker 9 into Acrobat 9, using the Frutiger Next font family. With the exception of a single character format, fonts are coming out correctly embedded in the PDFs. However, in this one case (Frutiger Next Pro Medium),

  • Design a Filter using the Digital FIR Filter.vi

    Hello, I was working with Digital FIR Filter.vi to create a bandstand filter. The problem I faced is regarding the FIR Filter Specification, the Frequencies given for the Upper and Lower Pass and Stop band. For a low pass Filter, the upper Stop Band

  • Multiline text in form item

    Hi, I am having the following issue. I have a form with several items, each of them containing a Text element. When the text is too long, the text element wraps the text in a second line, but the form only shows the first line. The curious part is th