How to increase the limit of 5 recently bookmarked folders

Hi, I saw this issue was raised several times over many years, but no solution as yet. When one adds a bookmark, firefox shows a very useful menu of the most recently added folders in the bookmark tree. It shows the last 5, but it would be wildly more useful if it could be tweaked to show 10 or 20.
Its not an about:config option due to a design decision by Mozilla, as far as I found out. And none of the bookmark addons do exactly that. There is a patch here,
"Makes the number of recent bookmarks folder to be an about:config option. "
https://bugzilla.mozilla.org/attachment.cgi?id=571412&action=edit
from the thread:
https://bugzilla.mozilla.org/show_bug.cgi?id=482027
But I don't know how can I use this piece of code? does it require recompliation of Firefox? I use Version 27 on Windows 7, 64 Bit. Will this mean I will have to recompile and re-integrate the fix every time I upgrade FF? thanks

Thank you, but it doesn't seem to work - I don't see any faint arrows and the expanded bookmark window that comes with this addon still only shows 5 most recently added folders (attached immage to clarify - I want a larger list of recently added folders, not an expanded bookmark tree)

Similar Messages

  • How to increase the limit of maximim connections that the iMS will accept

    how to increase the limit of maximim smtp connections that the iMS will accept & route the mails for specific domain on different mta like iMS will accpet mails on 192.168.1.5|25 & route all @mydomain.com's mails towards 192.168.1.55|25. although I am able to route the mails but to know how to increase the limit of maximum connection & maximum chiild processes per connection.
    Thanks

    Best thing for you to do is read the tuning guide, found here:
    http://ims.balius.com/downloads.php#tuning_guide
    Please note, this site does not work with IE. It's not a Sun site, but has the best tuning guide available.
    You may end up increasing maxjobs for your channels, increasing the POOL that the jobs are pulled from, etc. It's all well covered in the guide, as are some OS related tuning tips.
    Strongly recommended.

  • How to increase the limit keys?

    Hi,
    I have problem in PA4. The table GLPCAX has been already partitioned and it has 21 parts. The problem is that 21st part of the table gradually increasing size 47GB.
    We don't know how to re-balance or increase the limit key values in SAP side? Can you please provide us an OSS note to increase the limit key
    values.
    Thanks,
    Rajesh

    Hi Rajesh,
    i don't know how to do it in SAP. But we rebalance the table on z/OS, if it is necessary:
    REORG TABLESPACE "<database>"."<tablespace>" PART (1:<n>) REBALANCE
         COPYDDN(CP1)
         SORTDATA LOG NO SORTKEYS
         SHRLEVEL REFERENCE
         TIMEOUT TERM
         STATISTICS TABLE(ALL)  SAMPLE 25 UPDATE ALL
    hth
    Kay

  • How to increase the limit of open socket sonnections under Windows 2000

    Hello,
    I'm testing a java proxy. On a linux machine the proxy handles about 160 requests per second.
    On a windows machine it only handles about 12 requests per second. On the other hand apache on the same machine can handle 10 times as many requests.
    I think that the amount of open Socket TCP/IP connections available to the java proxy is limited, when I run the program on the windows machine.
    I was wondering where and how I can increase the maximum number of open file descriptors (in my case Socket's) ??
    In linux you have to change the hard limit of the user. How can I increase the number of possible TCP connections available to a java program?
    Fritz

    In your proxy have you implemented the connection keep allive feature.
    I think that your problem is with the owerhead of establishing the connection again and again.
    Normaly a proxy should use the same socket connection to handle all the requests comming from one client.
    And also it should maintane a pool of socket connections to the recently visited web sites and reuse them.
    Becouse every client normaly sends multiple requests to the server rapidly to request pages from same site becouse once a page is downloaded it should download all the related files such as images.
    If you do not keep the connection allive you will slow down the server

  • How to increase the limit of "maximum open files" in C?

    The default limit for the max open files on Mac OS X is 256 (ulimit -n) and my application needs about 400 file handlers.
    I tried to change the limit with setrlimit() but even if the function executes correctly, i'm still limited to 256.
    Here is the test program I use (compiled with gcc):
    #include <stdio.h>
    #include <sys/resource.h>
    main()
    struct rlimit rlp;
    FILE *fp[10000];
    int i;
    getrlimit(RLIMIT_NOFILE, &rlp);
    printf("before %d %d
    ", rlp.rlim_cur, rlp.rlim_max);
    rlp.rlim_cur = 10000;
    setrlimit(RLIMIT_NOFILE, &rlp);
    getrlimit(RLIMIT_NOFILE, &rlp);
    printf("after %d %d
    ", rlp.rlim_cur, rlp.rlim_max);
    for(i=0;i<10000;i++) {
    fp = fopen("a.out", "r");
    if(fp==0) { printf("failed after %d
    ", i); break; }
    and the output is:
    before 256 -1
    after 10000 -1
    failed after 253
    I cannot ask the people who use my application to poke inside a /etc file or something. I need the application to do it by itself.

    There is no reason to have more than 256 files open. Whatever you are doing, you are doing it wrong.
    The setrlimit() function only applies to new processes. It does not affect the current process. You can either run "ulimit -n 10000" in the shell and then start your program or split your program into two segments:
    #include <stdio.h>
    #include <stdlib.h>
    #include <sys/resource.h>
    #include <unistd.h>
    int main(void)
    struct rlimit rlp;
    int r;
    r = getrlimit(RLIMIT_NOFILE, &rlp);
    if (r == -1)
    perror("getrlimit()");
    exit(1);
    printf("before %d %d
    ", (int) rlp.rlim_cur, (int) rlp.rlim_max);
    rlp.rlim_cur = 10000;
    /* I'm curious how anyone ever expected it to work or got it to work
    without setting the max, because it sure seems to be required. */
    rlp.rlim_max = 10000;
    r = setrlimit(RLIMIT_NOFILE, &rlp);
    if (r == -1)
    perror("setrlimit()");
    exit(1);
    r = getrlimit(RLIMIT_NOFILE, &rlp);
    if (r == -1)
    perror("setrlimit()");
    exit(1);
    printf("after %d %d
    ", (int) rlp.rlim_cur, (int) rlp.rlim_max);
    return execl("/tmp/f", "/tmp/f", NULL);
    And the source to the "f" program is:
    #include <stdio.h>
    int main(void)
    FILE *fp[10000];
    int i;
    for(i = 0; i < 10000; i++)
    fp = fopen("a.out", "r");
    if (fp == NULL)
    perror("fopen()");
    fprintf(stderr, "i == %d
    ", i);
    return 1;
    return 0;
    [jdaniel@Pele:584] /tmp $ a.out
    before 256 256
    setrlimit(): Operation not permitted
    [jdaniel@Pele:585] /tmp $ sudo a.out
    before 256 256
    after 10000 10000
    fopen(): Too many open files
    i == 9997
    As you can see, it is convoluted and a real hassle. It isn't a bug in MacOS X 10.6 or any other version.
    So, I repeat my question yet again. Why do you want to open more than 256 files? It is, of course, a rhetorical question. Don't do it. If you feel you need more than 256 open files, review your architecture and correct it.

  • How to increase the limit of how many emails we can send at once for a buisiness

    I want to send regular catalogs out to my customers (approx 600 email addresses at the moment) and I believe the maximum limit is 200 per hour or something right now. I am unsure if everyone is getting my e-mails and want to know either if all the email will eventually go through or if there is a more effective way to do this? I've tried the mail merge but that isn't working for me.

    Thunderbird does not set limits. Your email provider does. Ask them.

  • How to Increase the # of Recently Opened Files in DW CS6 ???

    Can anyone please give a detailed instruction on how to increase the number of Recently Opened files in Dreamweaver CS6? I have read the forums everywhere and do not see a solution here that works. For me there is no: Menus/MM/File_RecentFiles.htm
    I mean I have a "Menus" directory but no "MM" directory inside that... also, if I create one... I still need a sample "File_RecentFiles.htm" to copy. Or maybe someone knows another solution?

    I don't have DWCS6, just DWCS4 and DWCC. When I go to Program Files(x86) > Adobe >  Adobe Dreamweaver CC (or Dreamweaver CS4) > configuration > Menus > MM > and then open the file named "File_RecentFiles.htm" at either location, this is the code...
    <!-- MENU-LOCATION=NONE -->
    <html xmlns:MMString="http://www.macromedia.com/schemes/data/string/">
    <HEAD>
    <!-- Copyright 2000, 2001, 2002, 2003, 2004, 2005 Macromedia, Inc. All rights reserved. -->
    <TITLE><MMString:loadString id="Menus/MM/File_RecentFiles/title" /></TITLE>
    <SCRIPT LANGUAGE="javascript" SRC="../../Shared/MM/Scripts/CMN/string.js"></SCRIPT>
    <SCRIPT LANGUAGE="javascript" SRC="File_RecentFiles.js"></SCRIPT>
    <SCRIPT LANGUAGE="javascript">
    <!--
    //--------------- LOCALIZEABLE GLOBALS---------------
    var MENU_RecentFile  = dw.loadString('Menus/MM/File_RecentFiles/MENU_RecentFile');
    //--------------- END LOCALIZEABLE   ---------------
    // -->  
    </SCRIPT>
    </HEAD>
    <BODY>
    </BODY>
    </HTML>
    EDIT: It appears you should definitely have this file, unless something is wrong with your installation, or perhaps you are in the wrong directory?

  • How to increase the the max limit column in pivot view in BIEE 11G?

    Hi Experts,
    How to increase the the max limit column in pivot view in BIEE 11G?
    When the number of column exceed 256 in pivot view, it will generate the following error message as below:
    Exceeded configured maximum number of allowed output prompts, sections, rows, or columns.
    Error Details
    Error Codes: IRVLJWTA:OI2DL65P
    Location: saw.httpserver.processrequest, saw.rpc.server.responder, saw.rpc.server, saw.rpc.server.handleConnection, saw.rpc.server.dispatch, saw.threadpool.socketrpcserver, saw.threads
    SQL Issued: 13678~vid1ptgt0v5ubh39gesnauuhl6
    For example:
    ----------------Day
    Country-----20120101---20120102---..........20121231
    China--------10000---------20000----......

    Try increasing the Max Rows in Instanceconfig.xml
    Path:-Middleware\instances\instance1\bifoundation\OracleBIPresentationServices\instanceconfig.xml
    <ServerInstance>
    <Views>
    <Pivot>
    <MaxVisibleColumns>300</MaxVisibleColumns>
    <MaxVisiblePages>1000</MaxVisiblePages>
    <MaxVisibleRows>500</MaxVisibleRows>
    <MaxVisibleSections>25</MaxVisibleSections>
    <DefaultRowsDisplayed>30</DefaultRowsDisplayed>
    </Pivot>
    </Views>
    </ServerInstance>
    Try adding this in the config file and restart the services.
    Mark as correct if it is helpful.
    Thanks.

  • How to increase the per-process file descriptor limit for JDBC connection 15

    If I need JDBC connection more that 15, the only solution is increase the per-process file descriptor limit. But how to increase this limit? modify the oracle server or JDBC software?
    I'm using JDBC thin driver connect to Oracle 806 server.
    From JDBC faq:
    Is there any limit on number of connections for jdbc?
    No. As such JDBC drivers doesn't have any scalability restrictions by themselves.
    It may be it restricted by the no of 'processes' (in the init.ora file) on the server. However, now-a-days we do get questions that even when the no of processes is 30, we are not able to open more than 16 active JDBC-OCI connections when the JDK is running in the default (green) thread model. This is because the no. of per-process file descriptor limit exceeded. It is important to note that depending on whether you are using OCI or THIN, or Green Vs Native, a JDBC sql connection can consume any where from 1-4 file descriptors. The solution is to increase the per-process file descriptor limit.
    null

    maybe it is OS issue, but the suggestion solution is from Oracle document. However, it is not provide a clear enough solution, just state "The solution is to increase the per-process file descriptor limit"
    Now I know the solution, but not know how to increase it.....
    pls help.

  • How can I increase the limit of iTunes Genius Mixes?

    How come my macbook is limited to 6 Genius Mixes, while I've seen screenshots of people having about 12 mixes available? is there anything I can do to increase the limit?

    Twelve is normal. You might try turning Genius off and back on to refresh it and see if it will then give you more. If you have content only from a very few genres, though, it's possible it can't find enough variety to generate more than six. Or if you have a lot of unusual tracks, particularly ones not sold in the iTunes Store, there may not be Genius data available on which iTunes can base a mix.
    Regards.

  • How to increase the heap size of the container in whioch BPEL is running ?

    Hi All,
    I recently raised an SR they have asked me to do the following,
    Can you please try and start the container running the BPEL process with max
    heap space (-Xmx) of 2 GB and the eden space (-Xmn) at about 60% of 1228m and
    the option -XX:+AggressiveHeap set. (even though this option is recommended for
    multi processor machines say 4)
    can anyone kindly explain me how to increase the Heap size and Eden size of BPEL container ?
    Thank You

    Hi Deepak I cant see any attribute or element in the oc4j_opmn.xml file regarding heap memory. In the server properties I changed the size of heap memeory how can I rollback.
    I am getting the following error
    Configuration information
    Running in C:\product\10.1.3.1\OracleAS_1
    Operation mode:Startup, App Server, No Enterprise Manager, Single Instance
    Oracle home:C:\product\10.1.3.1\OracleAS_1
    Oracle home name:Unnamed
    Instance name:SOA.01hw117905.India.TCS.com
    Instance type:allProducts
    Version:10.1.3.4.0
    Uses infrastructure:false
    Not an infrastructure instance, no infrastructure information available
    Components:[j2ee, apache, orabpel, oraesb, owsm, Wsil]
    2009-08-19 09:08:51.863--Begin log output for Mid-tier services (SOA.01hw117905.India.TCS.com)
    2009-08-19 09:08:51.863--Processing Step: starting OPMN
    2009-08-19 09:09:00.394--Processing Step: starting OPMN managed processes
    2009-08-19 09:09:35.19--End log output for Mid-tier services (SOA.01hw117905.India.TCS.com)
    An unknown OPMN error has occured
    oracle.appserver.startupconsole.model.ConsoleException: An unknown OPMN error has occured
         at oracle.appserver.startupconsole.control.OPMNController.doStart(OPMNController.java:121)
         at oracle.appserver.startupconsole.control.Controller.start(Controller.java:69)
         at oracle.appserver.startupconsole.control.GroupController.doStart(GroupController.java:47)
         at oracle.appserver.startupconsole.control.Controller.start(Controller.java:69)
         at oracle.appserver.startupconsole.view.controller.ControllerAdapter.start(ControllerAdapter.java:30)
         at oracle.appserver.startupconsole.view.controller.MasterControlAdapter.run(MasterControlAdapter.java:94)
         at oracle.appserver.startupconsole.view.Runner.main(Runner.java:39)
    Caused by: oracle.ias.opmn.optic.OpticControlException: Error from opmn during process control operation
         at oracle.ias.opmn.optic.AbstractOpmnEntity.runCommand(AbstractOpmnEntity.java:174)
         at oracle.ias.opmn.optic.AbstractOpmnEntity.start(AbstractOpmnEntity.java:110)
         at oracle.appserver.startupconsole.control.OPMNController.doStart(OPMNController.java:89)
         ... 6 more
    Exception caused by
    Error from opmn during process control operation
    oracle.ias.opmn.optic.OpticControlException: Error from opmn during process control operation
         at oracle.ias.opmn.optic.AbstractOpmnEntity.runCommand(AbstractOpmnEntity.java:174)
         at oracle.ias.opmn.optic.AbstractOpmnEntity.start(AbstractOpmnEntity.java:110)
         at oracle.appserver.startupconsole.control.OPMNController.doStart(OPMNController.java:89)
         at oracle.appserver.startupconsole.control.Controller.start(Controller.java:69)
         at oracle.appserver.startupconsole.control.GroupController.doStart(GroupController.java:47)
         at oracle.appserver.startupconsole.control.Controller.start(Controller.java:69)
         at oracle.appserver.startupconsole.view.controller.ControllerAdapter.start(ControllerAdapter.java:30)
         at oracle.appserver.startupconsole.view.controller.MasterControlAdapter.run(MasterControlAdapter.java:94)
         at oracle.appserver.startupconsole.view.Runner.main(Runner.java:39)
    <?xml version='1.0' encoding='WINDOWS-1252'?>
    <response>
    <msg code="-82" text="Remote request with weak authentication.">
    </msg>
    <opmn id="01hw117905:6200" http-status="206" http-response="2 of 3 processes started.">
    <ias-instance id="SOA.01hw117905.India.TCS.com">
    <ias-component id="default_group">
    <process-type id="home">
    <process-set id="default_group">
    <process id="172" pid="2176" status="Alive" index="1" log="C:\product\10.1.3.1\OracleAS_1\opmn\logs\\default_group~home~default_group~1.log" operation="request" result="success">
    <msg code="0" text="">
    </msg>
    </process>
    </process-set>
    </process-type>
    <process-type id="oc4j_soa">
    <process-set id="default_group">
    <process id="173" pid="5556" status="Stopped" index="1" log="C:\product\10.1.3.1\OracleAS_1\opmn\logs\\default_group~oc4j_soa~default_group~1.log" operation="request" result="failure">
    <msg code="-21" text="failed to start a managed process after the maximum retry limit">
    </msg>
    </process>
    </process-set>
    </process-type>
    </ias-component>
    <ias-component id="HTTP_Server">
    <process-type id="HTTP_Server">
    <process-set id="HTTP_Server">
    <process id="171" pid="2724" status="Alive" index="1" log="C:\product\10.1.3.1\OracleAS_1\opmn\logs\\HTTP_Server~1.log" operation="request" result="success">
    <msg code="0" text="">
    </msg>
    </process>
    </process-set>
    </process-type>
    </ias-component>
    </ias-instance>
    </opmn>
    </response>

  • How to increase the attachment size of a portal

    Hi,
    We have a portal developed using JSP.
    We have an option for attaching files. Now the maximum limit is only 5 MB. So we thought of using FTP so that we can increase the attachment limit. But we are not able to attach files more than 1 MB.
    Could you please help us in resolving this. Any idea how to increase the attachment size limit?
    Thanks in advance

    Hi,
    See what Patrick Yee has posted.
    how to create own page format in smartforms immmedia
    Svetlin

  • How to increase the size of sort_area_size

    How to increase the size of sort_area_size and what size should be according to the PROD database
    Thanks

    user10869960 wrote:
    Hi,
    Many Thanks Charles
    Oracle does not recommend using the SORT_AREA_SIZE parameter unless the instance is configured with the shared server option. Oracle recommends that you enable automatic sizing of SQL working areas by setting PGA_AGGREGATE_TARGET instead. SORT_AREA_SIZE is retained for backward compatibility."
    --How can i know the instance is configured with the shared server option or not?This might be a tough question to answer. A shared server configuration may be enabled, but the clients may still connect using dedicated sessions, in which case PGA_AGGREGATE_TARGET would still apply.
    From
    http://download.oracle.com/docs/cd/B19306_01/server.102/b14237/dynviews_2088.htm
    V$SESSION includes a column named SERVER which will contain one of the following for each of the sessions: DEDICATED, SHARED, PSEUDO, or NONE. As a quick check, you could query V$SESSION to see if any sessions are connected using a shared server connection.
    From:
    http://download.oracle.com/docs/cd/B19306_01/server.102/b14231/manproc.htm
    There are several parameters which are used to configure shared server support, as well as several views to monitor shared server.
    As Robert mentioned, when the WORKAREA_SIZE_POLICY is set to AUTO, the SORT_AREA_SIZE setting is not used, unless a shared server configuration is in use.
    --What default value is WORKAREA_SIZE_POLICY and SORT_AREA_SIZE ?From:
    http://download.oracle.com/docs/cd/B19306_01/server.102/b14237/initparams157.htm
    "Setting PGA_AGGREGATE_TARGET to a nonzero value has the effect of automatically setting the WORKAREA_SIZE_POLICY parameter to AUTO. This means that SQL working areas used by memory-intensive SQL operators (such as sort, group-by, hash-join, bitmap merge, and bitmap create) will be automatically sized. A nonzero value for this parameter is the default since, unless you specify otherwise, Oracle sets it to 20% of the SGA or 10 MB, whichever is greater."
    Actually I am facing performence issue since long time till now i did not get the solution even i have raised SRs but i could not.When the issue occur system seems hang.what i monitored whenever hdisk0 and hdisk1 use 100% the issue occur.
    Regards,
    SajidWhen you say that you have had a performance issue for a long time, is it a performance problem faced by a single SQL statement, a single user, a single application, or everything on the server? If you are able to identify a single user, or SQL statement that is experiencing poor performance, I suggest starting with a 10046 trace at level 8 (wait events) or level 12 (wait events and bind variables) to determine why the execution appears to be slow. If you have not yet determined a specific user or SQL statement that is experiencing performance problems, you might start with either a Statspack Report or an AWR Report (AWR requires a separate license).
    If you believe that temp tablespace usage may be a contributing factor to the performance problem, you may want to periodically run this query, which will indicate currently in use temp tablespace usage:
    {code}
    SELECT /*+ ORDERED */
    TU.USERNAME,
    S.SID,
    S.SERIAL#,
    S.SQL_ID,
    S.SQL_ADDRESS,
    TU.SEGTYPE,
    TU.EXTENTS,
    TU.BLOCKS,
    SQL.SQL_TEXT
    FROM
    V$TEMPSEG_USAGE TU,
    V$SESSION S,
    V$SQL SQL
    WHERE
    TU.SESSION_ADDR=S.SADDR
    AND TU.SESSION_NUM=S.SERIAL#
    AND S.SQL_ID=SQL.SQL_ID
    AND S.SQL_ADDRESS=SQL.ADDRESS;
    {code}
    The SID and SERIAL# returned by the above could then be used to enable a 10046 trace for a session. The SQL_ID (and CHILD_NUMBER from V$SESSION in recent releases) could be used with DBMS_XPLAN.DISPLAY_CURSOR to return the execution plan for the SQL statement.
    You could also take a look in V$SQL_WORKAREA_ACTIVE to determine which, if any, SQL statement are resulting in single-pass, or multi-pass executions, which both access the temp tablespace.
    Charles Hooper
    IT Manager/Oracle DBA
    K&M Machine-Fabricating, Inc.

  • How to increase the width of the Crystal Report

    Hello All
    How to increase the width of the Crystal report template in the CR designer in .NET 2005 editor ?
    I need to design a report which has to accomodate more number of columns.So achieve that i need to redesign the report having more width.
    CrystalReports version 10.2.3600.0
    Thanks in advance
    Srivatsa

    HI Srivatsa,
    You can make a wider report by creating virtual pages. Virtual pages are the extra pages to the right of the main page that get created to accommodate cross-tabs that are wider than a single page. By inserting a cross-tab in a report then suppressing it, you can create a report that is multiple pages wide.
    Insert and Suppress a Cross-Tab
    1. On the 'Insert' menu, click 'Cross-Tab'.
    2. In the Cross-Tab Expert, click any field and move it into the 'Columns' box, and click any field and move it into the 'Summarized Fields' box. Do not move any fields into the 'Rows' box.
    3. Click the 'Customize Style' tab and select the following check boxes:
    " Suppress Empty Rows
    " Suppress Empty Columns
    " Suppress Row Grand Totals
    " Suppress Column Grand Totals
    4. Click the 'OK' button and then insert the cross-tab into the Report Header section.
    5. On the 'Report' menu, click 'Format Sections'. Click 'Report Header' and select the 'Underlay Following Sections' check box.
    When you run the report you will not see the cross-tab, but you will be able to scroll to the right and see multiple virtual pages.
    ====================
    NOTES:
    " As there are no rows to the Cross-Tab, it does not carry on to Page 2 and the virtual pages do not appear past the first page.
    " To increase or decrease the number of virtual pages do one of the following:
    - Limit the number of records for the field in the 'Column' box of the 'Cross-Tab Expert' using the 'Select Expert'.
    - Change the width of the 'Column' field in the Cross-Tab by moving the edges of the field.
    ====================
    How to Insert Fields on Virtual Pages
    You cannot drag-and-drop a field onto a virtual page, you can only do so on the main page. To get a field to appear on a virtual page:
    1. Insert the field on the main page.
    2. Click the 'Preview' tab.
    3. Drag the right edge of the field to the right, onto the virtual page.
    4. Drag the left edge of the field to the right, onto the virtual page.
    Hope this helps!!
    Regards,
    Shweta

  • How to increase the row height of the table in the smartform

    Hi,
    Can any one say,
    How to increase the row height of the table in the smartform.
    It is presently show the row width very small, i want to increase the row with of the table in the smartform.
    Plase say how can we increase the row height in the smartform.

    Hi Ravi,
         In Smartforms , Select the Table and you can adjust the cell hieghts in OUTPUT OPTIONs TAB.
        Reward points if that Helps.
    Manish

Maybe you are looking for

  • How do I get the startup page with tabs like "tools" etc.?

    == Issue == I have another kind of problem with Firefox == Description == I have re-installed Firefox but how can I get a normal startup page with a normal toolbar (tabs like "Tools", slot for writing web address etc.)? == Firefox version == 3.6.6 ==

  • How to open a defult workbook from Discoverer Plus

    Hi all, Is it possible in Discoverer Plus for a user to open a pre defined worksheet in a workbook when he logs in without having to select the workbook and then select the worksheet? Please advise how to achive this. Any help will be greatly appreci

  • How do I convert pdf to word document

    I have a pdf file and I want to convert it to a word document. How do I do this.

  • IBook not appearing in library....

    I just purchased a book from the iBook store however it is not showing up in my library........how long should this reasonably take?

  • Working position of  the Time Capsule, Vertical or horizontal

    Positioning of the Time Capsule. (500 GB) I use the Time Capsule in a vertical position right from the start (green light above). Now after two weeks using, at the time of a back up the HD makes a terrible noise. When putting the Time Capsule horizon