CUCM 9.0 Calabrio ONE recording conference fails

I have a CUCM 9 and UCCE 9 using Calabrio ONE recording. I have auto recording enabled on the phones. If I call in from PSTN to extension 'A' (auto recording enabled) extension 'A' trys to conference extension 'B' it works then when I try and join the call on extension "'B' gets a fast busy and drops.
If i try with any combination of phones with auto recording enabled trys to conference , the called extension gets fast busy and drops.
If not clear it is basically long as two phones have auto recording enabled when they try to conference it fail
Thanks.

When we had the same issue we found the the Partitions of lines of the phones was not contained in the Calling Search Space that was used for the Monitoring CSS.
We created a new Calling Search Space for the Monitoring CSS which contained the Route Partition of the phones and that resolved the issue.

Similar Messages

  • During Import if one record got failed so all records will not import?

    Hi All,
    I want to clear on the following situation:
    I have 10 records in a file and due to 2 records some structural reason import got failed.. So do MDIS will import 8 records and create a file with two records in error folder? or it will not import at all and create a file in the error folder?
    How does it works?  basically I want to know if because of any reason 1-2 records in a 1000 records file got failed do entire file willnot import or only those errored records are not imported?
    THanks
    Rajeev

    Hi Rajeev,
    have 10 records in a file and due to 2 records some structural reason import got failed.. So do MDIS will import 8 records and create a file with two records in error folder? or it will not import at all and create a file in the error folder?
    This totally depends on your business scenario,
    1. If you want that if there are expection in even one file also all the records should not be imported than also it is possible
    2. If you want that if the exception is there than only the exception records should be sent to the Exception Folder and rest of the records should be imported by MDIS service, this process is also possible.
    For implementing the second scenario you just have to set the property in Console -> Admin -> Ports
    Block on Structural Exception = No
    And if you want that the files should not be imported even if one file has exception then set
    Block on Structural Exception = Yes
    Hope this would be helpful.
    Best Regards,
    Parul Malhotra

  • DB_GET_BOTH_RANGE fails when there is only one record for a key

    Using the DB_GET_BOTH_RANGE flag doesn't seem to work when there is a
    single record for a key.
    Here's a sample Python program that illustrates the problem. If you
    don't know Python, then consider this to be pseudo code. :)
    from bsddb3 import db
    import os
    env = db.DBEnv()
    os.mkdir('t')
    env.open('t',
    db.DB_INIT_LOCK | db.DB_INIT_LOG | db.DB_INIT_MPOOL |
    db.DB_INIT_TXN | db.DB_RECOVER | db.DB_THREAD |
    db.DB_CREATE | db.DB_AUTO_COMMIT)
    data = db.DB(env)
    data.set_flags(db.DB_DUPSORT)
    data.open('data', dbtype=db.DB_HASH,
    flags=(db.DB_CREATE | db.DB_THREAD | db.DB_AUTO_COMMIT |
    db.DB_MULTIVERSION),
    txn = env.txn_begin()
    #data.put('0', '6ob 0 rev 6', txn)
    data.put('0', '7ob 0 rev 7', txn)
    #data.put('0', '8ob 0 rev 8', txn)
    data.put('1', '9ob 1 rev 9', txn)
    txn.commit()
    cursor = data.cursor()
    print cursor.get('0', '7', flags=db.DB_GET_BOTH_RANGE)
    cursor.close()
    data.close()
    env.close()
    This prints None, indicating that the record who's key is '0' and
    who's data begins with '7' couldn't be found. If I uncomment wither of
    the commented out puts, so that there is more than one record for the
    key, then the get with DB_GET_BOTH_RANGE works.
    Is this expected behavior? or a bug?

    You can use the DB_SET flag which will look for an exact key match. If
    you use it with the DB_MULTIPLE_KEY flag, it will return multiple keys
    after the point it gets a match. If you can post here how all your
    LIKE QUERIES look, I may be able to provide you with the suited
    combination of the flags you can use for them.I'm not doing like queries. I'm using BDB as a back end for an object
    database. In the object database, I keep multiple versions of object
    records tagged by timestamp. The most common query is to get the
    current (most recent version) for an object, but sometimes I want the
    version for a specific timestamp or the latest version before some
    timestamp.
    I'm leveraging duplicate keys to implement a nested mapping:
    {oid -> {timestamp -> data}}
    I'm using a hash access method for mapping object ids to a collection
    of time stamps and data. The mapping of timestamps to data is
    implemented as duplicate records for the oid key, where each record is
    an 8-byte inverse timestamp concatenated with the data. The inverse
    timestamps are constructed in such a way that they sort
    lexicographically in inverse chronological order. So there are
    basically 3 kinds of query:
    A. Get the most recent data for an object id.
    B. Get the data for an object id and timestamp.
    C. Get the most recent data for an object id who's timestamp is before
    a given timestamp.
    For query A, I can use DB->get.
    For query B, I want to do a prefix match on the values. This can be
    thought of as a like query: "like <inverse-time-stamp>%", but it can
    also be modelled as a range search: "get the smallest record that is >=
    a given inverse time stamp". Of course, after such a range search,
    I'd have to check whether the inverse time stamp matches.
    For query C, I really want to do a range search on the inverse time
    stamp prefixes. This cannot be modelled as a like query.
    I could model this instead as {oid+timestamp -> data}, but then I'd
    have to use the btree access method, and I don't expect that to scale
    as I'll have hundreds of millions of objects.
    We tried using BDB as a back end for our database (ZODB) several years
    ago and it didn't scale well. I think there were 2 reasons for
    this. First, we used the btree access method for all of our
    databases. Second, we used too many tables. This time, I'm hoping that
    the hash access method and a leaner design will provide better
    scalability. We'll see. :)
    If you want to start
    on a key partial match you should use the DB_SET_RANGE flag instead of
    the DB_SET flag.I don't want to do a key partial match.
    Indeed, with DB_GET_BOTH_RANGE you can do partial
    matches in the duplicate data set and this should be used only if you
    look for duplicate data sets.I can't know ahead of time whether there will be duplicates for an
    object. So, that means I have to potentially do the query 2 ways,
    which is quite inconvenient.
    As you saw, the flags you can use with cursor.get are described in
    detailed here.But it wasn't at all clear from the documentation that
    DB_GET_BOTH_RANGE wouldn't work unless there were duplicates. As I
    mentioned earlier, I think if this was documented more clearly and
    especially of there was an example of how one would work around the
    behavior, someone would figure out that behavior wasn't very useful.
    What you should know is that the usual piece of
    information after which the flags are accessing the records, is the
    key. What I advice you is to look over Secondary indexes and Foreign
    key indexes, as you may need them in implementing your queries.I don't see how secondary indexes help in this situation.
    BDB is
    used as the storage engine underneath RDBMS. In fact, BDB was the
    first "generic data storage library" implemented underneath MySQL. As
    such, BDB has API calls and access methods that can support any RDBMS
    query. However, since BDB is just a storage engine, your application
    has to provide the code that accesses the data store with an
    appropriate sequence of steps that will implement the behavior that
    you want.Yup.
    Sometimes you may find it unsatisfying, but it may be more
    efficient than you think.Sure, I just think the notion that DB_GET_BOTH_RANGE should fail if
    the number of records for a key is 1 is rather silly. It's hard for me
    to imagine that it would be less efficient to handle the non duplicate
    case. It is certainly less efficient to handle this at the application
    level, as I'm likely to have to implement this with multiple database
    queries. Hopefully, BDB's cache will mitigate this.
    Thanks again for digging into this.
    Jim

  • OIM reconciliation fails when more then one record in trusted source table

    I've create a reconciliation connector against an oracle table with 2 colums:
    user_id
    email
    When I run the connector with only one record exists in the table everything works fine and the user is propogated to the OIM user store. If I add a second record and run the reconciliation again I get:
    ERROR,18 Jun 2010 10:15:58,715,[XELLERATE.JMS],The Reconciliation Event with key -1 does not exist
    ERROR,18 Jun 2010 10:15:58,716,[XELLERATE.JMS],Processing Reconciliation Message with ID -1 failed.
    I'm fairly certain this is something simple.
    Does anyone have any thoughts?

    How about performing the update IN the database using a stored
    procedure?
    By using non-database fields on your form to get the
    information, you can then call the procedure in the database to
    perform the updates. If an error occurs in the procedure you
    rollback, if necessary, and send a message or status back to the
    form. If it succeeds you might wish to commit and then re-
    execute the form's query -- using either the original key values
    or the new key values...
    null

  • One record from AD DNS does not transfer

    I have AD DNS to Novell DNS transfer setup (AD primary, Novell NW 6.5.8 DNS
    secondary)
    It works fine, but one record does NOT get transfered
    I deleted the .jnl file for the zone
    unloaded/reloaded named
    used -zi zonename but the record is still not there and in addition the .jnl
    did NOT get re-created
    No idea what else to do
    Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    Loading from eDirectory
    Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    loaded
    Oct 05 09:18:58.000 general: dns/db: debug 1: Unable to open file
    brookgreen.local.db.jnl
    Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    journal rollforward completed successfully: no journal
    Oct 05 09:18:58.000 general: dns/zone: info: zone brookgreen.local/IN:
    loaded serial 266
    Seb

    I also get this daily:
    error: transfer of 'brookgreen.local/IN' from 10.0.0.14#53: failed while r
    eceiving responses: not exact
    Seb
    "Sebastian Cerazy" <sebastian.cerazy@(nospam)spgs.org> wrote in message
    news:uYUiq.6004$[email protected]..
    >I have AD DNS to Novell DNS transfer setup (AD primary, Novell NW 6.5.8 DNS
    >secondary)
    >
    > It works fine, but one record does NOT get transfered
    >
    > I deleted the .jnl file for the zone
    >
    > unloaded/reloaded named
    >
    > used -zi zonename but the record is still not there and in addition the
    > .jnl did NOT get re-created
    >
    > No idea what else to do
    >
    > Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    > Loading from eDirectory
    > Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    > loaded
    > Oct 05 09:18:58.000 general: dns/db: debug 1: Unable to open file
    > brookgreen.local.db.jnl
    > Oct 05 09:18:58.000 general: dns/zone: debug 1: zone brookgreen.local/IN:
    > journal rollforward completed successfully: no journal
    > Oct 05 09:18:58.000 general: dns/zone: info: zone brookgreen.local/IN:
    > loaded serial 266
    >
    >
    > Seb
    >
    >

  • Stuck on "Initializing Media Player Applet, Please Wait." under Recordings - Calabrio One Quality Management

    We're having an issue with a couple of users who cannot access the Recordings section of the Calabrio Quality Management web interface. Other users can login and view Recordings just fine and they seemingly are configured the same. Here is what the failed user experiences:
    1) User logs in to Calabrio Quality Management (Separate Logins) via the Cisco Unified Workforce Optimization page.
    2) User clicks Recordings button on the top part of the page
    3) After accepting a couple of Java Security prompts and enabling pop-ups, it just hangs on the following prompt:
    Initializing Media Player Applet, Please Wait...(This may take several minutes)
    What's odd is that on the same PC, I will log in with another user that is known to work, and they can access the page with no problems.
    Here are things I have tried to rectify the problem but have not succeeded:
    - Tried on IE 8, 10 and 11, Firefox, and Chrome
    - Cleared Java Temporary Internet Files
    - Checked users permissions Under Quality Manager Administrator
    - Validated PC settings (where the login is), all checks have passed
    We are running Calabrio One Quality Management 9.0.1.57. 
    Any ideas?
    Thanks,
    John

    Hey all,
    I spoke to Calabrio Support and this is a known issue with all versions of QM to date. The problem is when sometimes user searches are too big. The QM C1 auto-executes the most recent search and will cause the page to never load.The fix as follows:
    1) Log into the Windows Server that has the QM Software installed.
    2) Open "Quality Management Administrator" and log in. Expand 'Site Configuration', then click 'System Database' to find the SQL Instance Hostname/IP. You'll need it for Step 4.
    3) On Windows, Click 'Start >> All Programs >> Microsoft SQL Server 2008 R2 >> SQL Server Management Studio'
    4) SQL Server Authentication. Input the following:
    Server Type: Database Engine
    Server Name: <SQLInstance>\QM
    Authentication: SQL Server Authentication
    User: sa
    Password: *********
    Log in.
    5) Expand 'Databases'
    6) Right-click the database 'SQMDB', then click 'New Query'
    7) Enter this command:
    delete from Search where name='recentsearchforsystem'
    8) Click Execute
    9) Log into the Web interface again and test and verify access to Recordings is now working

  • How to show more than one record at a form-like style report?

    Hi All,
    I developed a form-like style report
    I want it to show more than one record at once (At the same page)
    I tried that by setting the value to "Maximum records per page" property for the repeating frame to 10
    but when I close the property palete and open it agian the value is returned to 1 !!!
    how to show more than one record at the same page?????
    Thank u

    Hi,
    there's perhaps another property like "page protect". If than 2 records didn't fit at one page there's a page break. Or is there any object inside the repeating frame with page-break properties? Sorry .. it's like looking into a chrystal ball ...
    Regards
    Rainer

  • Interactive forms- i see only one record -how can i see more?

    Hi experts,
    i have a table and the result is only one record instead of more records.
    how can i see more records?
    my code is:
    types: begin of structure_0021,
    favor type pa0021-favor,
    yy_id type pa0021-yy_id,
    fgbdt type pa0021-fgbdt,
    end of structure_0021.
    data: it_0021 type table of struct_0021,
             wa_0021 like line of it_0021.
    select favor yy_id fgbdt from pa0021 into corresponding fields of table it_0021
    where pernr = lv_pernr and
    subty = '2'.
    data: lo_nd_adobe2 type ref to if_wd_context_node,
            lo_nd_ls00212 type ref to if_wd_context_node,
            lo_el_ls00212 type ref to if_wd_context_element,
           ls_ls00212 type wd_this->element_ls0021.
    lo_nd_adobe2 = wd_context->get_child_node( name = wd_this->wdctx_adobe).
    lo_el_ls00212 = lo_nd_adobe2->get_element().
    lo_nd_ls00212 = lo_nd_adobe->get_child_node(name = wd_this->wdctx_ls0021).
    lo_el_ls00212 = lo_nd_ls00212->get_element().
    loop at it_0021 into wa_0021.
    lo_el_ls00212->get_static_attributes(importing static_attributes = ls_ls00212).
    endloop.
    lo_nd_ls00212->bind_table(new_items = it_0021).
    if anyone can help me - i will really appreciate it.
    i tried other thing and didnt succeed.
    thanks,
    Michal.

    Obvious question, but have you got 'Find My iPhone' set on both devices?  Settings>iCloud>Find My iPhone.

  • Master_detail for more than one record at a time

    Hi,
    How can i display master_detail records for more than one records at a time, for example, i have two tables A and B , A has username and role and B has username and profile. here i wanted to display 10 users at a time on my 6i form with username, role and profile.
    i have created a master-detail relation ship with these tables when i'm executing F8 on blcok A , it displays 10 records on BlockA but, only one at a time on block B, how can i display all corresponding records on block B at a time.
    Thanks for your help.Bcj

    Thanks Roberts, that was realy informative due to some doubts i would like to confirm my requirements , i have two blocks A and B and each master record has only one detail record. but i wanted to display at least 10 master_detail relationships(records) on the form at a time, i would like to know is it possible to do without creating any table or view for example,
    data in table A,
    username role
    AAA R1
    BBB R2
    CCC R3
    data in table B,
    username profile
    AAA P1
    BBB P2
    CCC P3
    i wanted to display it on form like below,
    username role profile
    AAA R1 P1
    BBB R2 P2
    CCC R3 P3
    Also would like to know that how can i select data from dba_users, any restriction is there on forms 6i, i can select it on sqlplus.
    Thanks Again, Bcj

  • Query running fine in one environment but failing in other environment

    Hi,
    I have a query which i am trying to execute in two different environments.
    Test :- Oracle Database 11g Release 11.2.0.1.0 - 64bit Production
    Prod:- Oracle Database 11g Release 11.2.0.1.0 - 64bit Production
    Now query executes finely in one environment and fails in other environment.
    It gives following error.
    ORA-01861: literal does not match format string
    01861. 00000 - "literal does not match format string"
    The query is too long and contains CHAR-DATE and DATE-CHAR conversions.
    The same query works fine on TEST environment and and fails on PROD environment.
    Any help related to it would be appreciated.
    Thanks,
    Mahesh

    MaheshGx wrote:
    Hi,
    I have a query which i am trying to execute in two different environments.
    Test :- Oracle Database 11g Release 11.2.0.1.0 - 64bit Production
    Prod:- Oracle Database 11g Release 11.2.0.1.0 - 64bit Production
    Now query executes finely in one environment and fails in other environment.
    It gives following error.
    ORA-01861: literal does not match format string
    01861. 00000 - "literal does not match format string"
    The query is too long and contains CHAR-DATE and DATE-CHAR conversions.
    The same query works fine on TEST environment and and fails on PROD environment.
    Any help related to it would be appreciated.
    Thanks,
    MaheshThat's called a bug. One caused by the person who developed the code. They relied on implicit conversion between strings and dates when
    production quality code will always use to_char and to_date functions with a format mask.

  • How can I display more than one record with result set meta data?

    Hi,
    My code:
        ArrayList<String> resultList = new ArrayList<String>();
        rs=ps.executeQuery();      
        ResultSetMetaData rsmd = rs.getMetaData();      
        while(rs.next()){      
         for(int k=1;k<=rsmd.getColumnCount();k++){            
            resultList.add(rs.getString(k)); 
        ps.close();       
        }catch(Exception e){                                 
        e.printStackTrace();      
        return resultList;
        public String test(ArrayList result)throws Exception{ 
        String data=         
            "<tr>"+ 
            "<td class=normalFont>"+result.get(0)+"</td>"+ 
            "<td class=normalFont>"+result.get(1)+"</td>"+ 
            "</tr>"; 
        return data; 
        }  All the things are wroking but the problem is that ArrayList is displaying just one record whereas I have more than 20 records to display. I tried with loop like: i<result.size(); and result.get(i) then its throwing exception
    java.lang.IndexOutOfBoundsException: Index: 0, Size: 0 I stuck here for the last more than 2 days. Please help me
    Best regards

    Raakh wrote:
    Still waiting .....I would have answered much earlier, but when I saw this little bit of impatience, I decided to delay answering for a while.
    ArrayList<String> list = new ArrayList<String>();
    list.add("abc");
    list.add("def");
    list.add("ghi");
    System.out.println(list.get(0));
    abc
    System.out.println(list.get(1));
    def
    System.out.printnln(list);
    [abc, def, ghi]That list has 3 items. Each one is a String.
    But here is what you appear to be doing:
    select * from person
    +-----+-------------+-------------+--------+
    | id  |  first name |  last name  | height |
    +-----+-------------+-------------+--------+
    |   1 | Joe         | Smith       | 180    |
    +-----+-------------+-------------+--------+
    |   2 | Mary        | Jones       | 144    |
    +-----+-------------+-------------+--------+
    for each row in ResultSet {
      for each column in ResultSet {
        list.add(that element);
    // which becomes
    list.add(1);
    list.add("Joe");
    list.add("Smith");
    list.add(180);
    list.add(2);
    list.add("Mary");
    list.add("Jones");
    list.add(144);
    System.out.println(list.get(0));
    1
    System.out.println(list.get(1));
    Joe
    System.out.printlN(list);
    [1, Joe, Smith, 180, 2, Mary, Jones, 144]That list has 8 items. Some of them are Strings and some of them are Integers. I would assume that, for this sample case, you would want a list with 2 items, both of which are Person objects. However, it really isn't clear from your posts what you are trying to do or what difficulty you're having, so I'm just guessing.

  • I have three computers backing up onto the same Time Machine.  The Hard drive of one has now failed, and I'd like to restore certain items (principally photographs) to one of the other two computers.  How can I do this?

    I have three computers backing up onto the same Time Machine.  The Hard drive of one has now failed, and I'd like to restore certain items (principally photographs) to one of the other two computers.  How can I do this?

    "You can also browse the original backup disk for past backups by using "Browse other Time Machine Disks"--to see this choice, hold the Option key then click the Time Machine menu in the Finder (to see the menu, "Show Time Machine status in the menu bar" must be selected in Time Machine preferences."
    Mac 101: Time Machine

  • If my iPod Touch 5 battery is failing, can I pay Apple to send me a refurbished one before I send them the one with a failing battery? I don't want to go without my ITouch.

    If my iPod Touch 5 battery is failing, can I pay Apple to send me a refurbished one before I send them the one with a failing battery? I don't want to go without my ITouch.  I really don't want to go without it but I dont want to have to purchase a new one.  The battery life is abysmal, and I am reluctant to upgrade my ios system to ios8 because all I ever see are complaints about upgrades killing the battery.  I am still on ios6.  When I upgraded my macbook pro (which is now DEAD) the battery got worse. 
    I am just sick of it.  I called apple about my itouch battery and the help was terrible.  All they were telling me to do was do a restart and UPGRADE TO THE LATEST IOS TO SEE IF THAT SOLVES THE BATTERY PROBLEM.  They would not even tell me what to do if that would not work.  Very rude.I kept asking and I finally had to find out myself through my own research that they cant replace the battery; instead they send you a refurbished ipod.  They never told me that on the phone and they kept giving me the run around when I kept asking them what I should do if the IOS upgrade did not work or made the battery worse.  Hopefully someone can answer my initial question.  Thanks guys.  I have a charger that I sometimes use plugged in to the ipod ( not all the time, I know that is bad for the battery)  and I thought my battery life should be better than it is because I sometimes use it on the charger  ( it should save the battery).

    Not that I know of. You can do the exchange at an Apple store if they have refurbished ones in stock
    - Make an appointment at the Genius Bar of an Apple store.
      Apple Retail Store - Genius Bar

  • HOW TO PRINT ONE RECORD PER ONE PAGE

    Hi I have report , with two queries. Each query has one group with the same data. lets say the queries are Q1 and Q2. The Groups are with column DeptNo, and DeptNo1 both pointing to the same column DEPTNO. Now I want to design it in such a manner that it shoudl print each group , one record per page, but same group on the same page. For Example
    ON PAGE 1
    DpetNo 10
    Emp1
    Emp2
    Emp3
    DeptNo1 10
    Emp1
    EMp2
    Emp3
    ON PAGE 2
    DeptNo 20
    Emp4
    Emp5
    DeptNo1 20
    Emp4
    Emp5
    ON PAGE 3
    DeptNo 30
    Emp6
    Emp7
    Emp8
    DeptNo1 30
    Emp6
    Emp7
    Emp8
    How the lay our will be ? What will be the conditions. I can set the property in each group to print one record per page. But how to make it so that it will print like above.
    Thanks
    FEROZ

    Hi Feroz,
    You can create a query Q0 to return DeptNo 10, DeptNo 20..... and make it as the parent of Q1 and Q2. Then you can print one dept per page.
    Regards,
    George

  • Read one record at a time

    Hi !
    One of our Java folks here need at function where he reads one record at at time in id order;
    create table url_recs (id number, url varchar2(4000));
    insert into url_recs values(1,'www.fona.dk');
    insert into url_recs values(2,'www.dr.dk');
    insert into url-recs values(17,'www.ihk.dk');
    select read_rec() from dual; - get id 1
    select read_rec() from dual; - get id 2
    select read_rec() from dual; - get id 17
    select read_rec() from dual; - get id 1 - "no more rows - start all over again)
    select read_rec(45) from dual; - get NULL (no rows with that id)
    select read_rec(1) from dual; - get id 1
    The purpose id for some "round robin" trying to get to some internal URL's.
    Can you give me a hint for creating the function(s)
    best regards
    Mette

    Will successive calls come on the same Oracle session? Or across different Oracle sessions?
    If you're going to call the function multiple times within the same Oracle session, you could store the last value returned in a package variable and select the record whose ID is greater than that value every time the function is called. That's unlikely to do exactly what the Java developer is hoping, though, because the Java calls are likely to bounce between multiple Oracle sessions due to connection pooling. And it'll likely require that the Java developer (or app server admin) adds some code when they get a connection from the pool where they reset the package state. Or it'll require that someone develop a method to keep the Java and Oracle session state in sync.
    Justin

Maybe you are looking for

  • Calling a method on click of a hyperlink which opens popup

    Hi, I am new to the technology. I have a hyperlink on .jspx page. Upon clicking it a pop up should open. I need to pass an object to a methd in the bean which will pre populate data in the pop up as soon as it opens. i.e. want to populate the data in

  • Install BootCamp windows 8 on external Boot Disk

    I have no internal hard disk, for other reasons. I need to install Windows 8 on an external hard disk, which is partitioned, and I boot from one partition (and the drive is GUID). My windows 8 is in the form of an iso, and I cannot burn it to a disk,

  • Converting report to PDF

    Hi all,        I am having two doubt . 1, i want to convert the classical report to PDF.I am using FM     CONVERT_ABAPSPOOLJOB_2_PDF.    The PDF file is coming correctly when the file is attached sent the mail . using this FM SO_NEW_DOCUMENT_ATT_SEND

  • Layout Status not updated following upgrade of RH5 project to RH7

    I have over thirty RH5 projects to upgrade to RH7 with two layouts for each: Microsoft HTML Help (Primary Layout) & Printed Documentation. While upgrading the first project I noticed that running the File > Batch Generate... option following the upgr

  • Process for new hard drive

    Hi everyone, I was hoping somebody could point me to some tutorials for upgrading the hard drive in my PowerBook G4 (1Ghz). I own an external drive (usb only) that is the same size as the drive in my PB (80gb), this is what I'd use to back up my hard