RoboHelp and Across

Our company uses RoboHelp with the
Across
Language Server for our help file localization. We have some
very large help projects (largest is approx 2800 topics) and are
experiencing a lot of overhead with the files in the Across system.
We generate the help file as a .CHM help file and then decompile it
and send the decompiled .htm files for translation and then
recompile them when we get them back.
Originally when we submitted our ~2800 .htm files for
localization, Across would crash while trying to import our files.
So the Across people built a custom merge tool to combine several
hundreds of topics together into a single file to get around this
problem. So now, translators work on translating 20 or so merged
files. These are then split into their respective .htm topics and
then sent back to me for recompilation as the target language help
file.
Now we're running into overhead problems where there's an
update to our help project. Rather than just sending them the .htm
topic. We have to find what merged file contains the topic and
merge those files together and then resubmit it. It's turning out
to be a lot of work.
I'm wondering if anyone else uses Across with RoboHelp and if
you have any best practices for improvements? Or if there's a
better authoring tool for localization in Across?

Hi James. You are right to be weary. I don't know this site but I'd be very surprised if you end up getting RHS9 for the advetised price. I know that Adobe do offer academic licences at reduced cost but not that reduced. Sorry I can't be more help.

Similar Messages

  • Across row validation in tabular form and across items in row validations.

    Hi,
    We are upgrading to APEX 4.0.
    I need to create a tabular form that will have a start date and an end date. FOr each new row or updated row I need ensure its start date is after the end date of all rows already entered and its end date is after the start date of row being entered. Also that if no end date is entered then no other rows can be found with a null end date.
    SO I need across field validations with in a row and across row validattions. That is I need rowset validations as well.
    Is it possible to do this with APEX? WHat kind of tabular solution would allow these type of validations. How might these validations be done?

    Okay, Here's a quick rundown on how to build a manual form using APEX_ITEM and collections. The process goes in 4 steps: gather the data, display the data, update based on user input, then write the changes. Each step requires it's own piece of code, but you can extend this out as far as you want. I have a complex form that has no less than a master table and 4 children I write to based on user input, so this can get as complex as you need. Let me know if anything doesn't make sense.
    First, create the basic dataset you are going to work with. This usually includes existing data + empty rows for input. Create a Procedure that fires BEFORE HEADER or AFTER HEADER but definitely BEFORE the first region.
    DECLARE
      v_id     NUMBER;
      var1     NUMBER;
      var2     NUMBER;
      var3     VARCHAR2(10);
      var4     VARCHAR2(8);
      cursor c_prepop is
      select KEY, col1, col2, col3, to_char(col4,'MMDDYYYY')
        from table1
        where ...;
      i         NUMBER;
      cntr      NUMBER := 5;  --sets the number of blank rows
    BEGIN
      OPEN c_prepop;
        LOOP
          FETCH c_prepop into v_id, var1, var2, var3, var4;
          EXIT WHEN c_prepop%NOTFOUND;
            APEX_COLLECTION.ADD_MEMBER(
            p_collection_name => 'MY_COLLECTION',
            p_c001 => v_id,  --Primary Key
            p_c002 => var1, --Number placeholder
            p_c003 => var2, --Number placeholder
            p_c004 => var3, --text placeholder
            p_c005 => var4 --Date placeholder
        END LOOP;
      CLOSE c_prepop;
      for i in 1..cntr loop
        APEX_COLLECTION.ADD_MEMBER(
            p_collection_name => 'MY_COLLECTION',
            p_c001 => 0, --designates this as a new record
            p_c002 => 0, --Number placeholder
            p_c003 => 0, --Number placeholder
            p_c004 => NULL, --text placeholder
            p_c005 => to_char(SYSDATE,'MMDDYYYY') --Date placeholder
      end loop;
    END;Now I have a collection populated with rows I can use. In this example I have 2 NUMBERS, a TEXT value, and a DATE value stored as text. Collections can't store DATE datatypes, so you have to cast it to text and play with it that way. The reason is because the user is going to see and manipulate text - not a DATE datatype.
    Now build the form/report region so your users can see/manipulate the data. Here is a sample query:
    SELECT rownum, apex_item.hidden(1, c001),  --Key ID
         apex_item.text(2, c002, 8, 8) VALUE1,
         apex_item.text(3, c003, 3, 3) VALUE2,
         apex_item.text(4, c004, 8, 8) VALUE3,
         apex_item.date_popup(5, null,c005,'MMDDYYYY',10,10) MY_DATE
    FROM APEX_COLLECTIONS
    WHERE COLLECTION_NAME = 'MY_COLLECTION'This will be a report just like an SQL report - you're just pulling the data from the collection. You can still apply the nice formatting, naming, sorting, etc. of a standard report. In the report the user will have 3 "text" values and one Date with Date Picker. You can change the format, just make sure to change it in all four procedures.
    What is critical to note here are the numbers that come right before the column names. These numbers become identifiers in the array used to capture the data. What APEX does is creates an array of up to 50 items it designates as F01-F50. The F is static, but the number following it corresponds to the number in your report declaration above, ie, F01 will contain the primary key value, F02 will contain the first numeric value, etc. While not strictly necessary, it is good practice to assign these values so you don't have to guess.
    One more note: I try to align the c00x values from the columns in the collection with the F0X values in the array to keep myself straight, but they are separate values that do NOT have to match. If you have an application you think might get expanded on, you can leave gaps wherever you want. Keep in mind, however, that you only have 50 array columns to use for data input. That's the limit of the F0X array even though a collection may have up to 1000 values.
    Now you need a way to capture user input. I like to create this as a BEFORE COMPUTATIONS/VALIDATIONS procedure that way the user can see what they changed (even if it is wrong). Use the Validations to catch mistakes.
    declare
      j pls_integer := 0;
    begin
    for j1 in (
      select seq_id from apex_collections
      where collection_name = 'MY_COLLECTION'
      order by seq_id) loop
      j := j+1;
      --VAL1 (number)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>2,p_attr_value=>wwv_flow.g_f02(j));
      --VAL2 (number)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>3,p_attr_value=>wwv_flow.g_f03(j));
      --VAL3 (text)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>4,p_attr_value=>wwv_flow.g_f04(j));
      --VAL4 (Date)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>5,p_attr_value=>wwv_flow.g_f05(j));
    end loop;
    end;Clear as mud? Walk through it slowly. The syntax tells APEX which Collection (p_collection_name), then which row (p_seq), then which column/attribute (p_attr_number) to update with which value (wwv_flow.g_f0X(j)). The attribute number is the column number from the collection without the "c" in front (ie c004 in the collection = attribute 4).
    The last one is your procedure to write the changes to the Database. This one should be a procedure that fires AFTER COMPUTATIONS AND VALIDATIONS. It uses that hidden KEY value to determine whether the row exists and needs to be updated, or new and needs to be inserted.
    declare
    begin
      --Get records from Collection
      for y in (select TO_NUMBER(c001) x_key, TO_NUMBER(c002) x_1,
                 TO_NUMBER(c003) x_2,
                 c004 x_3,
                 TO_DATE(c005,'MMDDYYYY') x_dt
               FROM APEX_COLLECTIONS
               WHERE COLLECTION_NAME = 'MY_COLLECTION') loop
        if y.x_key = 0 then  --New record
            insert into MY_TABLE (KEY_ID, COL1,
                COL2, COL3, COL4, COL5)
              values (SEQ_MY_TABLE.nextval, y.x_1,
                  y.x_2, y.x_3, y.x_4, y.x_dt);
        elsif y.x_key > 0 then  --Existing record
            update MY_TABLE set COL1=y.x_1, COL2=y.x_2,
                 COL3=y.x_3, COL4=y.x_4, COL5=y.x_dt
             where KEY_ID = y.x_key;
        else
          --THROW ERROR CONDITION
        end if;
      end loop;
    end;Now I usually include something to distinguish the empty new rows from the full new rows, but for simplicity I'm not including it here.
    Anyway, this works very well and allows me complete control over what I display on the screen and where all the data goes. I suggest using the APEX forms where you can, but for complex situations, this works nicely. Let me know if you need further clarifications.

  • Looking for documentation regarding RoboHelp and VSS (SourceSafe)

    We are considering using VSS (SourceSafe) as our source control for RoboHelp - has anyone had any success with
    RoboHelp and this tool?

    The config.xml has a schema - see the config.xml for the location. There is not much documentation in it since it is generated.
    Each of the elements is also accessible via a JMX MBean - there is a reference manual that describes the MBean values,
    http://download.oracle.com/docs/cd/E12840_01/wls/docs103/wlsmbeanref/core/index.html
    You can use that to understand the config.xml elements - you will have to map from MBean name to element name - i.e. DomainMBean to domain (in config.xml)

  • Differences between Robohelp and Robohelp Server

    I am in the process of evaluatinf Robohelp. I have found out
    there are 2 versions: Robohelp and Rohohelp Server. can someone
    list the differences in these products or direct me to a
    link/document where I can find this information?
    Thanks in Advance
    Rodman Veney

    Hi, Rodman
    You may find this article in the Adobe Developer Center
    helpful as well. It refers to RoboHelp Server 6, but virtually all
    information remains relevant for v7. As Rick says, "Pro" is simply
    the same as WebHelp or FlashHelp, but the content is published to
    the RoboHelp Server so that you can get the benefit of user
    feedback reports and the other features described here:
    http://www.adobe.com/devnet/robohelp/articles/rhserver.html
    Thanx
    John

  • RoboHelp and Images using SnagIt

    Hi,
    I am using RoboHelp HTML X5.0.2 on Windows XP Pro SP2.
    When I import an image (which I am using SnagIt to capture
    and resize) and generate the output to WebHelp the image is
    distorted and I am not sure whether IE or RoboHelp is trying to
    enlarge the image but when you view the source code from IE it
    shows a larger picture than what is viewed via SnagIt.
    Has anyone come across this problem before and if so what was
    the solution? Is there a better resolution to be taking screen
    shots with for online viewing? I have tried several and it doesn't
    seem to make a difference once I resize.
    Thanks,

    Also, if you're replacing an existing image with one of a
    different size, you need to right click the image and select
    Reset size to cancel any resulting distortion.
    If you look at the underlying code for images, you'll notice
    that RH "reserves" width & height dimensions as well as
    identifying the image's actual dimensions.
    However, it does not automatically reset those dimensions
    for you when you change them.
    Example, original:
    reserved space: style="width: 16px; height: 16px
    actual size: width=16 height=16
    Example, larger size:
    reserved space: style="width: 16px; height: 16px
    actual size: width=32 height=32
    You either need to manually change the 16px dimensions to
    32px, or use the
    Reset size option in the interface to have RH do it for you.
    Good luck,
    Leon

  • FAX server in 10.5 server and across subnets

    We can use 10.5 Server as a FAX server. Since I got this working a while ago, it has run reliably.
    This is how we are doing it. Hopefully this will help others get it working too.
    Our server: 10.5.2, Pro Intel 2x2.8 quad with a USB Apple faxmodem attached to the front USB port plugged into a standard phone line. Print service is set up and running and happens to be serving printers for us. Once the FAX seemed to get confused and not receive or send. I unplugged the USB fax, plugged it back in and it was fine again.
    At the server I opened a text edit document and told the server to fax from Print > PDF > Fax PDF. A fax printer was automatically created on the server. While the fax was printing I told the printer in the Dock to "keep in dock." Opened that fax printer, choose "info" icon in top of window and renamed the fax from "external modem" to a new name so that it would be easy for our staff to use and find it. The server now has a fax on it. As anyone who has tried this has found you CANNOT edit the FAX from ServerAdmin. You can now see it as a queue with the new name it was given but editing it not possible from SA.
    At the server still in System Preferences > Fax and print > the new fax appears in the bottom of the printers list under "Faxes." Select the fax. Select "receive options" and set up how the fax is to receive and place received faxes. Ours go in to a folder in a share point which is available and automounted to everyone on our network so anyone, anywhere can get the incoming faxes. The next point assumes that you will do the same.
    In 10.4 and once in 10.5 I had to delete the fax manually from System Preferences and recreate it as above when everything seemed to stop working and unplugging the modem and rebooting the server did not fix the stall. As long as everything is named exactly the same when you recreate the fax, no other changes or repeat of what is described below was needed.
    For each of the users in our OD:
    Tell them each to do the following: Open Applications > Applescript > Folder actions setup. Check off "enable folder actions," hit the + under the left box and select the folder in the share where the faxes are being received. Now select the fax folder in the left and hit the + under the right box and choose "add - new item alert." Save as necessary. The users who do this will now get notification when a new fax arrives and is deposited by the server in the Fax folder.
    Now to get the fax to the clients to fax out on. The following will also get all of your shared printers onto any off server's subnet clients. For us the fax did not even show up in local subnet clients as printers usually do. So I kept working and eventually came up with the following:
    Our network:
    Main location 192.168.1.* server is here.
    Remote locations connected via Verizon T1 and routers with no firewalling
    192.168.2.*
    192.168.3.*
    Our client machines :
    Intel white iMacs all running 10.5.2 with no special software for faxing. Our clients are bound to and controlled by our server.
    I have been trying to get our server to serve the FAX across our 2 remote subnets since 10.3. With the newer CUPS coming with 10.5 and Apple now owning it I hoped that there would be an easy solution to get non local subnet computers the ability to see shared faxes and printers. Sent a forum question and got the following which was great news
    Erich Wetzel wrote:
    Can anyone advise, now that Apple owns CUPS, how to allow my other
    two subnets to BrowsePoll our server for its printers?
    The simplest way is to change the "Allow from @LOCAL" lines to be
    "Allow from all".  You can also use the web interface and check the
    "Allow printing from the Internet", which does the same.  If you
    don't want to open up that much, just add "Allow from" lines for
    each subnet.
    Once you make this change, *do not* toggle the printer sharing box,
    or you'll have to make the changes all over again.
    Michael Sweet, Easy Software Products           mike at easysw dot com
    Michael,
    Thanks for the reply, sounds like you have my solution.  Small problem, upon selecting "allow printing from internet" in the web interface and committing the changes, the server restarts and the check box is empty again.  In quick tests, the other options can be turned on and off as you would expect.  Is there something particular to the Apple 10.5.1 install that would not permit internet printing or not permit this change?
    I think the check box state in the web interface is a known bug in
    CUPS 1.3.4.
    I used the web interface for cups on the server and manually added the networks as described by Michael above. I don't know if it is required but I restarted the server. Open > Safari > browse to localhost:631 and you will get the CUPS web interface. The CUPS web interface is available on servers and clients. You can also browse to an IP or FDQN:631 to get the web interface from a receptive other machine.
    The server was now supposedly ready to accept "browsepoll" requests from clients. I had played with this before so I was somewhat familiar with what to do next. Essentially each client needs to be told to contact the server and ask it for its printers. That is what browsepoll does in CUPS.
    At the client, be logged in as an admin user OF THE CLIENT. Using Terminal and a text editor, edit as root /etc/cups/cupsd.conf
    A few lines down look for:
    # Show shared printers on the local network.
    Browsing On
    BrowseOrder allow,deny
    BrowseAllow all
    After that we added :
    #*added by Erich*
    BrowseProtocols all
    BrowseRemoteProtocols all
    BrowsePoll yourserver:631
    BrowsePort 631
    #*added by Erich*
    where "yourserver" is either the IP address or FDQN of your server as seen by the client machine.
    Save the file. Reboot the client. The CUPS system on the client will now ask your server CUPS system for its printers directly and repeatedly until it gets them. If it does not get any you will not be notified in anyway other than log messages on the client, see Console > /var/log > cups to review them, and the fact that you don't get your server's printers being available on the client.
    This last piece came from a discussion started by Alessandro Dellavedova : check the starting post
    http://discussions.apple.com/thread.jspa?messageID=5702731&#5702731
    If you go to Safari > Localhost:631 on the client, CUPS should now see both the printers and the fax which are being hosted by your server.
    Here's the fun part for me, with no additional playing I was now able to see the fax we created long ago in the print dialog printer list. You do not have to go to Print > PDF > Fax PDF, you can but do not have to. Just select the fax from the printer list and the dialog changes to fax appropriate options. Now we were able to print any document to the fax directly.
    Odd behavior I have yet to figure out. I do not see the fax in the System Preferences > print and fax pane on the client machines. However, I can now fax through our server from all of our clients no matter what subnet they are on.
    Making the same additions to the cupsd.conf file on remote machines which VPN via the internet to your network will get them the printers and fax in the same way. I do this with a powerbook and Imac from home so i can print at and fax from work.
    This is what I did to get it working for us. Hope this helps.
    -Erich

    This is Great! Thanks a lot, this was exactly what I was looking for!

  • Corrupted Frame files not importing correctly to RoboHelp and can't save MIF as FM

    Hi,
    I have Adobe Technical Communication Suite 3.0, which has FrameMaker 10.0.2.249 in it.
    I created a user guide in FrameMaker, some of the chapters for which I imported from Word, and little bits of text here and there of which I copied and pasted from Word.
    a) When I created a RoboHelp project and imported the Frame files, a little bit of content disappeared. A sentence here, a bulleted item there, not all the content I copied and pasted.
    b) I thought I would save the Frame files as .MIF and then reopen them in Frame to get rid of any corruption. They saved as .MIF just fine and they open again with Frame just fine. However, when I try to Save As .FM, I get the message that .MIF cannot be saved as .FM.
    I checked the extension in the Save As box and it has no mention of .MIF.
    What to do? Any suggestions either for a) or b)?

    This is a bug in the Save As dialog. If the filename is yourfile.FM, you
    can choose MIF as the filetype in the Save as Type box, FrameMaker
    changes the filename to yourfile.mif and saves as mif.
    But, for some reason, if you have a filename of yourfile.MIF and choose
    FM in the Save as Type dialog box, you get that error message and the
    save doesn't happen. The workaround is to delete the MIF extension in
    the filename. Then the save works fine and the file is renamed with an
    FM extension.
    In other words, saving FM to MIF works as expected. FrameMaker renames
    the file extension and saves in the new format. But, in a MIF to FM
    save, FrameMaker refused to rename the MIF extension. (Maybe there is a
    reason for this?) You have to delete the extension or the save won't happen.
    I'm going to report this as a bug.
    Mike Wickham

  • RoboHelp and Eclipse

    Hi,
    We have been generating XML Help and then with a script changing tag names so that we can incorporate the Help into Eclipse.
    However, in RoboHelp 9, RoboHelp adds BOM characters to the html files and Eclipse doesn't seem to handle these characters correctly (even though they are legal).
    Is there a way to prevent RH from adding these characters?
    I also saw that RH9 supports Eclipse Help - it has the same BOM characters so we couldn't really try it out. Is there any details somewhere on how to integrate the Eclipse Help that RH generates with Eclipse? Wehn we just add the files it doesn't seem to work. Are there instructions anywhere?
    Thanks,
    Rakefet

    Contact me via my site.

  • How to uninstall/deactivate Robohelp and Robodemo

    I'm planning to get rid of some old computers and my
    understanding is that I somehow need to deactivate my software to
    free the license so that I can reactivate on new computers.
    On one computer I have Robohelp X4.1 and Robodemo 2
    On another computer I have Robohelp X5 and the
    Roboscreencapture utility.
    I wrote to customer support, but they haven't replied. I had
    hoped there might be a menu item to 'transfer license' or
    'deactivate', but I can find nothing on menus. Any advice will be
    appreciated. thank you,
    david

    I think what you are referring to is something that for
    RoboHelp was only introduced properly with RH6. With that you can
    activate on two PCs but any futher attempts will be rejected until
    you deactivate (not uninstall) one of the existing installations.
    X5 required activation but it didn't check the number of
    activations so you should also be OK on X4, or at least that is my
    experience.
    I can't speak for RoboDemo. My guess would be that if it
    isn't on the help menu, then you will be OK. Can you not try
    installing a copy on another PC to see if it whinges?
    Recently I spoke at the activation people about another
    application with proper activation (as in RH6) and found they were
    very helpful. I think the link you would require is
    http://www.adobe.com/activation.

  • RoboHelp and SharePoint

    I'm using RoboHelp HTML 10 with SharePoint as my version control.
    When team members attempt to check in files, they receive the following message:
    The message appears for several items to check in, so team members have to click Yes many times to actually check in. I'm not sure if this is a RH configuration issue or a SharePoint issue. Is there a way to stop the message?
    I set SharePoint settings as instructed here: http://help.adobe.com/en_US/robohelp/robohtml/WS1b49059a33f77726-5aab66613798e5ec9b-7ffe.h tml
    I have the following Version Control settings in RH:

    My first hunch would be to check whether versioning is enabled in the library or whether it somehow got unchecked.
    Is the file to be checked in already available in SharePoint?
    Can you also try removing the project CPD and try again?
    Greet,
    Willam

  • Robohelp and Firefox display issues

    I am using Robohelp 11, generating a Webhelp output. When I display the help in Firefox, the TOC is missing. This works fine in IE and Chrome. This also worked fine back in December, I believe when I had FF v34.05 installed, now with v35.0, the TOC/Index/Search info from my help systems is missing. Either let me go back to v34.0.5 or fix this asap. I need this for hundreds of customers!

    Thanks. I have had this problem in the past with IE, have been given a java script to add to my help and it solved it!

  • TCS 5 RoboHelp and FrameMaker links work and then stop

    Hi,
    I installed TCS 5 after installing a trial of RoboHelp 11.  After I installed, I opened a project from TCS 4 and I was able to update an existing linked FM book and Link to new files.    The FM files were converted ot FM 12 and the RoboHelp project was converted to RoboHelp 11.
    Now, when I reopen the RoboHelp project, I cannot update or link to FrameMaker documents.
    I am running Windows 7. I run both RH and FM as administrator and I have owner permissions to the Adobe folder.
    I tried uninstalling and reinstalling TCS 5 and the behavior is consistent.  Is there some registry entry or something i should look for?
    Lauren

    First my client, then I saw the exact same thing.
    One day the project worked perfectly, then the next day the linking options were all unavailable. It's as if Rh decided it was no longer associating with Fm.
    Oddly, another client team member was unaffected.
    I'm trying to track down the issue. Did you resolve the linking problem?

  • Words under icons and across top of screen have turned into boxes?

    I have 7 Macs that I work on between work and home and I have never run across this before... one of our Mac Mini's (Tiger 10.4.11) suddenly has empty little boxes instead of words underneath the icons on the desktop and in the dropdowns under the Apple icon. Also across the top of the screen. Does anyone know how this may have happened and how I get back to words? I don't have a clue where to start. Thanks for your help!

    "Try Disk Utility
    1. Insert the Tiger Mac OS X Install disc, then restart the computer while holding the C key.
    2. When your computer finishes starting up from the disc, choose Disk Utility from the Installer menu. (In Mac OS X 10.4 or later, you must select your language first.)
    Important: Do not click Continue in the first screen of the Installer. If you do, you must restart from the disc again to access Disk Utility.
    3. Click the First Aid tab.
    4. Select your Mac OS X volume.
    5. Click Repair. Disk Utility checks and repairs the disk."
    http://docs.info.apple.com/article.html?artnum=106214
    Then Safe Boot , (holding Shift key down at bootup), run Disk Utility in Applications>Utilities, then highlight your drive, click on Repair Permissions, reboot when it finishes.
    If many Permission are repaired, or any Directory errors are found, you may need to re-apply some the latest/biggest updates again, or even do an A&I if you have enough free disk space.
    The combo update for PowerPC-based Macs...
    http://www.apple.com/support/downloads/macosx10411comboupdateppc.html
    The combo update for Intel-based Macs...
    http://www.apple.com/support/downloads/macosx10411comboupdateintel.html
    Repair Permissions before & after re-install, then reboot again each time.
    If all the above fails, then it appears to be time for a relatively painless Archive & Install, which gives you a new/old OS, but can preserve all your files, pics, music, settings, etc., as long as you have plenty of free disk space and no Disk corruption, and is relatively quick & painless...
    http://docs.info.apple.com/article.html?artnum=107120
    Just be sure to select Preserve Users & Settings.

  • Robohelp and TFS

    Is anyone successfully working with Robohelp 8 and TFS 2010?

    Hello again
    I've been advised of another link you might find useful.
    Click here to view
    Cheers... Rick
    Helpful and Handy Links
    RoboHelp Wish Form/Bug Reporting Form
    Begin learning RoboHelp HTML 7, 8 or 9 within the day!
    Adobe Certified RoboHelp HTML Training
    SorcerStone Blog
    RoboHelp eBooks

  • Robohelp and Office 2003 suddenly not working

    Hi.
    I'm working in the IT department for my company. I don't use
    Robohelp myself, but one of my collegues do.
    I'm trying to figure out why his Robohelp with Office 2003
    suddenly stopped working. Seems like there may have come an Office
    update that Robohelp wasn't happy about. But that's a guess.
    Symptoms: What we are seeing, is that the RTF file just keeps
    growing. Up to around 150-200 mb, and then Word stops responding.
    Just freezes. Before the problem, the file stayed much smaller. The
    projects are not only new ones, but also older ones, that have been
    compiled before.
    Measures taken so far: We have reinstalled his computer. with
    a fresh Windows XP. A new Office 2003 with SP2 and other updates.
    Then Robohelp with all updates. Both X501's and X502.
    Is anyone else experiencing this? And better yet, does anyone
    have a cure?
    Thanks - Peter

    It's Robohelp for Word.
    My collegue seems to have found out, that it has something to
    do with the graphics format, that some screenshots are stored as in
    Word. He's experimenting a bit currently, to see exactly what's
    going on.

Maybe you are looking for