Best way to refresh (transport) Apex installation/configuration

Hello,
We have a development, test and a production environment.
In the DVLP and TEST our developers has access (apex account) to the Apex dvlp environment for developing the Apex code and testing it.
In our production, they have no account.
Every x days, we do a refresh: this means we restore our full prod database to our TEST or DVLP environment.
The result: our Apex configuration (accounts, ...) in our TEST has been overwritten.
The apexexport -istance exports only the apex program code but not our configuration
Does anybody have a good solution for this?
Kind regards

Hello Erik,
Why do you copy the PROD database over your TST and DEV every x days?
You probably only need the data of the 'real' tables don't you? So in that case, export only that schema (or schemas) and import these in TST en DEV and the APEX Repository won't be messed up. (You also might lose some work you've done in DEV and not promoted to PROD yet...).
Greetings,
Roel
http://roelhartman.blogspot.com/

Similar Messages

  • Access-SQL Server (Client Server Configuration) Best Way To Refresh SQL Server Records ?

    We are using Access 2013 as the front end and SQL Server 2014 as the back end to a client server configuration.
    Access controls are bound to the SQL fields with the same names. When using Access to create a new record in a Form, the data are not transferred to SQL if the form is exited to display a different Form or Access is closed. If the right or left arrow navigation
    buttons at the bottom of the form are first used to display either the previous or next record, then the data in the new record are correctly transferred to SQL.
    What is the best way to refresh the new SQL record prior to the closing of the new record in the bound Access form ? We have tried Requery of the entire form and with all of the individual controls without success. We are looking for a method of refreshing
    SQL that functions in a manner similar to that of what happens with the navigation buttons.
    Thank you very much for your assistance.
    Robert Robinson
    RERThird

    Hi Stefan,
    I had added the code to set me.dirty = False in response to the On Dirty event and didn't realize that it was working properly. I had tried other several approaches and must have become confused somewhere along the line.
    I retested the program. On Dirty is working and the problem is solved.
    Thank you very much for your assistance.
    Robert Robinson
    RERThird

  • Best way to refresh page after returning from task flow?

    Hello -
    (Using jdev 11g release 1)
    What is the best way to refresh data in a page after navigating to and returning from a task flow with an isolated data control scope where that data is changed and commited to the database?
    I have 2 bounded task flows: list-records-tf and edit-record-tf
    Both use page fragments
    list-records-tf has a list.jsff fragment and a task flow call to edit-record-tf
    The list.jsff page has a table of records that a user can click on and a button which, when pressed, will pass control to the edit-record-tf call. (There are also set property listeners on the button to set values in the request that are used as parameters to edit-record-tf.)
    The edit-record-tf always begins a new transaction and does not share data controls with the calling task flow. It consists of an application module call to set up the model according to the parameters passed in (edit record X or create new record Y or...etc.), a page fragment with a form to allow users to edit the record, and 2 different task flow returns for saving/cancelling the transaction.
    Back to the question - when I change a record in the edit page, the changes do not show up on the list page until I requery the data set. What is the best way to get the list page to refresh itself automatically upon return from the edit-record-tf?
    (If I ran the edit task flow in a popup dialog I could just use the return listener on the command component that launched the popup. But I don't want to run this in a dialog.)
    Thank you for reading my question.

    What if you have the bean which has refresh method as TF param? Call that method after you save the data. or use contextual event.

  • JPA -- Best way to refresh a List association?

    Hi,
    I need to refresh a OneToMany association.
    For example, I have two entities: Header & Detail.
    @Entity
    @Table(name="HEADERS")
    public class Header implements Serializable {
        @OneToMany(mappedBy="header")
        private List<Detail> details;
    @Entity
    @Table(name="DETAILS")
    public class Detail implements Serializable {
        @ManyToOne(fetch=FetchType.LAZY)
        @JoinColumn(name="HDR_ID", referencedColumnName="HDR_ID")
        private Header header;
    }So, I fetch the Header along with all its Details.
    At a later point of time, I know that some Detail rows in the database have been changed behind my back. I need to re-fetch the list of Details. What should I do?
    1. I could add a cascade parameter to the @OneToMany association. I could specify:
    @OneToMany(mappedBy="header", cascade={CascadeType.REFRESH})Then I could run:
    entityManager.refresh(header);The trouble is that, since all the Details are already in the cache, the cached entities will be returned, not the ones fetched from the database. So, I won't refresh a thing. A query will be sent to the database indeed, but I will get the cached (i.e. stale) entities. I don't know of a way to specify something like
    setHint(TopLinkQueryHints.REFRESH, HintValues.TRUE)dynamically for associations, so that the values in the cache would be replaced with the ones fetched from the database.
    2. I could try to turn off the caching for the while Entity class. The trouble is that for some reason this doesn't work (see my other question here JPA -- How can I turn off the caching for an entity? Besides, even if it worked, I don't want to turn off the caching in general. I simply want to refresh the list sometimes.
    Could anyone tell me what's the best way to refresh the association?
    Best regards,
    Bisser

    Hi Chris,
    First, let me thank you that you take the time to answer my questions. I really appreciate that. I wish to apologize for my late reply but I wasn't around the PC for a while.
    TopLink doesn't refresh an entity based on a view. I will try to explain in more detail. I hope you'll have patience with me because this might be a bit longer even than my previous post. I will oversimplify my actual business case.
    Let's assume we have two tables and a view:
    create table MASTERS
      (id number(18) not null primary key,
       master_name varchar2(50));
    create table DETAILS
      (id number(18) not null primary key,
       master_id number(18) not null,   -- FK to MASTER.ID
       price number(7,2));
    create view DETAILS_VW as
      select id, master_id, price
      from details;Of course, in real life the view is useful and actually peforms complex aggregate calculations on the details. But at the moment I wish to keep things as simple as possible.
    So, I create Entities for the tables and the view. Here are the entities for MASTERS and DETAILS_VW, only the essential stuff (w/o getters, setters, sequence info, etc.):
    @Entity
    @Table(name="MASTERS")
    public class Master {
         @Id
         @Column(name="ID", nullable=false)
         private Long id;
         @Column(name="MASTER_NAME")
         private String masterName;
         @OneToMany(mappedBy="master", fetch=FetchType.LAZY, cascade=CascadeType.REFRESH)
         private List<DetailVw> detailsVw;
    @Entity
    @Table(name="DETAILS_VW")
    public class DetailVw {
         @Id
         @Column(name="ID")
         private Long id;
         @ManyToOne(fetch=FetchType.LAZY)
         @JoinColumn(name="MASTER_ID", referencedColumnName="ID")
         private Master master;
         @Column(name="PRICE")
         private Double price;
    }So, now we have the tables and the entities. Let's assume one master row and two detail rows exist:
    MASTER:  ID=1, MASTER_NAME='Master #1'
    DETAIL:  ID=1, MASTER_ID=1, PRICE=3
    DETAIL:  ID=2, MASTER_ID=1, PRICE=8And now let's run the following code:
    // List the initial state
    Master master = em.find(Master.class, 1L);
    List<DetailVw> detailsVw = master.getDetailsVw();
    for (DetailVw dv : detailsVw) {
         System.out.println(dv);
    // Modify a detail
    EntityTransaction tx = em.getTransaction();
    tx.begin();
    Detail d = em.find(Detail.class, 2L);
    d.setPrice(1);
    tx.commit();
    // Refresh
    System.out.println("----------------------------------------");
    em.refresh(master);
    // List the state AFTER the update
    detailsVw = master.getDetailsVw();
    for (DetailVw dv : detailsVw) {
         System.out.println(dv);
    }And here are some excerpts from the console (only the essentials):
    DetailVw: id=1, price=3
    DetailVw: id=2, price=8
    UPDATE DETAILS SET PRICE = ? WHERE (ID = ?)
         bind => [1, 2]
    SELECT ID, MASTER_NAME FROM MASTERS WHERE (ID = ?)
         bind => [1]
    SELECT ID, PRICE, MASTER_ID FROM DETAILS_VW WHERE (MASTER_ID = ?)
         bind => [1]
    DetailVw: id=1, price=3
    DetailVw: id=2, price=8You see, the UPDATE statement changes the DETAILS row. The price was 8, but was changed to 1. I checked the database. It was indeed changed to 1.
    Furthermore, due to the refresh operation, a query was run on the view. But as you can see from the console output, the results of the query were completely ignored. The price was 8, and continued to be 8 even after the refresh. I assume it was because of the cache. If I run an explicit query on DETAILS_VW with the hint:
    q.setHint(TopLinkQueryHints.REFRESH, HintValues.TRUE);then I see the real updated values. But if I only refresh with em.refresh(master), then the DetailVw entities do not get refreshed, even though a query against the database is run. I have tested this both in JavaSE and in OC4J. The results are the same.
    An explicit refresh on a particular DetailVw entity works, though:
    DetailVw dvw = em.find(DetailVw.class, 2L);
    em.refresh(dvw);
    System.out.println(dvw);Then the console says:
    DetailVw: id=2, price=1So, the price is indeed 1, not 8.
    If you can explain that to me, I will be really thankful!
    Best regards,
    Bisser

  • Best way out of Forms 11gR2 installation mishap

    I misinterpreted the Cert Matrix when I read that you can install Forms 11gR2 on Oracle Linux 5 (UL3+), thinking OEL6U3 would be OK. Originally, I missed the footnote at the bottom. Now I cannot get passed the pre-requisite screen for Oracle Fusion Forms and Reports 11gR2.
    What is the best way to resolve this installation problem? Reinstall with OEL5 UL+, or is there something that can be done to save this?
    Any help is deeply appreciated. Below is my environment and log file. Thank you in advance.
    Installed so far -- All 64-Bit
    Oracle Linux 6 Update 3
    jdk1.6.0_33
    wsl1036 + Patch 14142550_1036
    I am failing on 3 reroutes: Not Certified, Packages, and Kernel. It doesn't even seem to be checking the Packages and Kernel.
    The following is from my log file
    Inside startPreReqOperation...prereq
    contextFile:/tmp/OraInstall2012-08-09_04-42-18PM/prereq/oui/agent_prereq_context.xml
    The entry point is: oracle.installType.all
    Check Name:CertifiedVersions
    Check Description:This is a prerequisite condition to test whether the Oracle software is certified on the current O/S or not.
    $$$$$DEBUG>>>>CertifiedVersions
    Expected result: One of enterprise-5.4,enterprise-4,enterprise-5,redhat-5.4,redhat-4,redhat-5,SuSE-10,SuSE-11
    Actual Result: redhat-6.3
    Check complete. The overall result of this check is: Failed <<<<
    Check Name:Packages
    Check Description:This is a prerequisite condition to test whether the packages recommended for installing the product are available on the system.
    Check complete. The overall result of this check is: Not executed <<<<
    Check Name:Kernel
    Check Description:This is a prerequisite condition to test whether the minimum required kernel parameters are configured.
    Check complete. The overall result of this check is: Not executed <<<<
    ...

    Michael,
    Thank you. It worked. We are still in development and wanted to learn Weblogic Server as we are coming from the Application Server.
    Over the weekend, I will reinstall using OEL5.
    Thank you again for your help. It is appreciated.
    Edited by: Mika_ on Aug 10, 2012 10:19 AM

  • Best way to repair a corrupt installation

    Hello,
    I am trying to fix a problem for a non-technical friend, and I'm fairly new to the Mac myself, so I thought that it would be safest to ask for advice before I begin. It looks like I'm going to have to reinstall the OS, and since my friend can't find the disks for most of her 3rd party software, and she is unsure about her Mac disks, I'd like to try to preserve as much of her old installation as possible. She does have a Time Machine backup on an external drive.
    Here is the problem. My friend has a Macbook Pro running Leopard with all updates installed. Safari has suddenly stopped working for her. It appears to launch (the menu bar appears), but no window opens. If she tries to close Safari, an error message appears saying something like "Do you really want to close Safari? 0 tabs are open." Her Safari preferences seem fine, except when I look at plug-ins. For every string in the plug-ins panel there is a message saying "Localized string not found". Her plug-ins folder is empty (I deleted it anyhow, but it didn't help). I uninstalled Safari, deleted her preferences folder, and downloaded and installed a fresh copy, but this didn't help. I did not look at "/library/Internet Plug-Ins", but I'll do so before doing anything more drastic. The folks at the Apple store scratched their heads over this one, but couldn't figure it out. Their recommendation is to reinstall the OS.
    So, since she doesn't have everything she needs for a complete reinstall, what is the best way to recover the system with minimum disruption? She has bought a Snow Leopard upgrade, and I'm tempted to just give that a try to see if it fixes the problem. However, I've always believed that upgrading a system with known problems is just asking for more problems.
    I thought of trying an archive and install, assuming my friend can find her original disk (or that the Snow Leopard upgrade DVD will let me do this).
    This should preserve her preferences, but does it preserve installed applications? I believe that I could use Magration Assistant and get applications back from Time Machine. I have made a Time Machine backup of the system, and I'll probably do a disk image as well before I start.
    The safest thing would be an erase and install, but I'm not sure that the Snow Leopard upgrade DVD will permit this. I do have my old Tiger disk from my own Macbook Pro if she can't find her installation disks; I could do a clean Tiger install and then upgrade to Snow Leopard I suppose. I assume that if I did this, I could then pull everything she'll need from Time Machine. Is this correct?
    I'd appreciate any suggestions.

    If you have a bootable backup (this would be a clone and safer than TM -- use free Carbon Copy Cloner or "Restore" from Disk Utility), you don't have too much to risk, since you can always reverse clone back to the Mac. Just install Snow Leopard over the current Leopard by selecting the upgrade option. Everything should still be there and I would think it would install all the correct files for its version of Safari.
    Then use Software Update to see what needs updating, but run those updates separately, _or much better,_ download the standalones from Apple Downloads. You should update the OS either to the current 10.6.6 (if you don't mind having the App Store welded to your system) or to 10.6.5 using the Combo updates. The 10.6.6 has only one minor security patch and there's no emergency to install it right now.
    10.6.5 Combo
    http://support.apple.com/kb/DL1324
    10.6.6 Combo
    http://support.apple.com/kb/dl1349
    10.6 system requirements. (More than 1GB RAM preferable)
    -Mac computer with an Intel processor
    -1GB of memory
    -5GB of available disk space
    -DVD drive for installation
    Or just reapply the 10.5.8 Combo, which may fill in and fix the corrupted Safari files. (Personally, I would go with the 10.6 upgrade.) Verify and if necessary repair the disk and then repair Permissions before running any update or upgrade.
    http://support.apple.com/downloads/MacOS_X_10_5_8_ComboUpdate
    Message was edited by: WZZZ

  • Oracle APEX Installation/configuration in Oracle 11g

    Hi,
    I installed oracle 11g and planing to configure Oracle Application Express(APEX). which one is better in this..
    Scenario 1: Downloading from OTN and Configuring the Embedded PL/SQL Gateway
    Scenario 2: Downloading from OTN and Configuring Oracle HTTP Server
    Scenario 3: Install from the Database and Configure the Embedded PL/SQL Gateway
    Scenario 4: Install from the Database and Configure Oracle HTTP Server
    I am not installed apache tomcat web server..
    --kishore                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

    Hi,
    Your question is very generic, so here is a generic answer... download it from OTN because doing so you will have the latest version and use the embedded PL/SQL gateway because it is easier and simpler to use than the separate HTTP server.
    I hope this helps...
    Luis

  • VBA - Best way to refresh on open (not all queries)

    I have an AO template with many queries. However, I only want a specific query to refresh on open. Using SAPExecuteCommand's refresh crashes Excel at times. Is there an ideal way to accomplish this?
    Reason I'm even doing this is to "initialize" the prompt variables, which apparently requires first refreshing the query. I do not use the prompt dialog but instead use VBA to set the prompts. Before I can set the prompts, I have to force one of the queries to refresh. Kind of a catch 22 situation. Is there anyway to SAPExecuteCommand "initialize variables"? Refreshing the query on workbook open frequently crashes AO/Excel.
    Thanks in advance...

    Hi John,
    You're using the right Analysis API call for refreshes, but the reason you're getting the errors, sometimes, is that the workbook open event doesn't guarantee that Analysis is completely loaded and/or aware of the workbook.
    Have you tried adding a Workbook_SAP_Initialize routine to your workbook? If you add this to your workbook, you can trigger a refresh more reliably. Analysis calls the routine, if it is present, after the workbook is opened, or after Analysis is loaded, while the workbook is open.
    You may find that calling your code from this callback routine means you don't have to refresh before initializing the prompts too....
    Add this code to your workbook in the ThisWorkbook module.
         Public Sub Workbook_SAP_Initialize()
           MsgBox "Analysis just initialized " & ThisWorkbook.Name
         End Sub
    You can find more info on Workbook_SAP_Initialize in the user guide....
    Andrew

  • BEST WAY TO REFRESH A MATERIALIZED VIEW

    Hi, I have a Materialized View that was created after two Base Tables, Table A is a Dynamic Table, this means that it have Insert's, update's and delete's, and a Table B that is a Fixed Table, this means that this table do not change over time (it's a Date's Table). The size of the Table related to the Materialized View is to big (120 millions rows) so the refresh has to be very efficient in order to not affect the Data Base performance.
    I was thinking on a Fast Refresh mode but It would not work because the log created on the B table is not usefull, the thing is that I created the two materialized view log's (Tables A and B) and when I execute the dbms_mview.refresh(list =>'MV', method => 'F')+ sentence I got the error
    cannot use rowid column from materialized view log on "Table B" ... remember that this table don't change over time ...
    I need to mantain the Materialized view up to date, but do not know how ... Please Help !!!!!

    The Materialized View name is test_sitedate2
    The Table B name is GCO01.FV_DATES .... is a Fixed Table ... do not change over time ...
    The Code of the MV is
    CREATE MATERIALIZED VIEW TEST_SITEDATE2
    REFRESH FORCE ON DEMAND
    AS
    SELECT site_id, date_stamp
    FROM gco01.fv_site, gco01.fv_dates
    where fv_dates.date_stamp >= fv_site.start_date
    and fv_dates.date_stamp >= to_date('01/03/2010', 'dd/mm/yyyy')
    and fv_dates.date_stamp < to_date('01/04/2010', 'dd/mm/yyyy');
    Each table gco01.fv_site and gco01.fv_dates have it's materiallized view log created
    The error is ....
    SQL> execute dbms_mview.refresh(list =>'test_sitedate2', method => 'F');
    begin dbms_mview.refresh(list =>'test_sitedate2', method => 'F'); end;
    ORA-12032: cannot use rowid column from materialized view log on "GCO01"."FV_DATES"
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 2254
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 2460
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 2429
    ORA-06512: at line 1
    Thank's

  • Best way to refresh 5 million row table

    Hello,
    I have a table with 5 million rows that needs to be refreshed every 2 weeks.
    Currently I am dropping and creating the table which takes a very long time and gives a warning related to table space at the end of execution. It does create the table with the actual number of rows but I am not sure why I get the table space warning at the end.
    Any help is greatly appreciated.
    Thanks.

    Can you please post your query.
    # What is the size of temporary tablespace
    # Is you query performing any sorts ?
    Monitor the TEMP tablespace usage from below after executing your SQL query
    SELECT TABLESPACE_NAME, BYTES_USED, BYTES_FREE
    FROM V$TEMP_SPACE_HEADER;
    {code}                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Oracle Text/Oracle Internet File System Installation/Configuration

    Hi,
    I have installed Oracle9i Database v9.0.1.0.0 on Linux. I would like to install Oracle 9i Internet File System as well. In the Oracle Internet File System pre-installation process, the pre-requisite for installing this is Oracle Text ( but optional ). How do I know that Oracle Text has been installed in the Oracle Universal Installer? If Oracle Text is installed, what is the best way to find out, it is configured properly?
    Why am I asking this is, when I install Oracle Internet File System, I'm getting an error
    "Unable to verify Oracle Text configuration. The following error occured:
    oracle.ifs.utils.action.ActionFailedException : Oracle Text seems to be misconfigured".
    Please help.
    Thanks
    Sriram

    I think the problem is your database configuration.
    You can reconfigure your database, it will hellp your database
    have Oracle Text .
    Before that, you need use Universal Installer, In Installed Products Tree, sure that you see
    Oracle Text in the Oracle Database 9i node.

  • What is the "best" way to configure iTunes on an iMac with personal user acounts so each user can access the media library but sync devices on their personal user account?

    I am trying to determine the best way to set up our imac so each user account can access the same media (songs, movies etc.) through itunes and also back up and manage their personal devices under their own personal user account.  There are 4 users on our iMac.  Me, my wife, and our 2 children.  We have built an extensive library of music/media together using the same iTunes store account.  I would like to establish a seperate apple id and iTunes store account for each of us going forward but have the ability for each of us to share our purchases.  What is the best way to configure our system and devices in order to allow shared access to media and at the same time allow for individual management of devices including contacts, apps, photos, etc. Please help, I would like to do this once!
    Thank you in advance! 

    OK, seeing as no-one replied (presumably because a lot of this information is on the forums in bits elsewhere) here's how I've got on so far.
    Applications - just went through them.  About the only one I needed was my media server app.  Just downloaded and re-installed, had a quick look back though my email to find the license key and it all went on fine.  Installation never seemed quite right on my old machine so solved that problem too. 
    Movies - New iMovies just copied across the clips and projects into their respective folders.  Seems to have worked but haven't checked it all that thoroughly.  Some duplicate footage here but I can trim this out at some point when I get a chance to go through here. 
    Documents - Just copied these across. 
    Photos - used an app called iPhoto Library Manager.  You can download for free but have to pay to use the part that consolidates your libraries.  Possibly if I was willing to spend a bit more time I could have got away without using this but given I didn't know the state of my different libraries and just how many duplicates I had this was too much of a convenience to ignore.  Also got my library into a state where I can now spend a few hours organising it a bit better with Faces / Events etc. 
    Not attempted Music or iPhone sync yet as been stuck trying to solve a problem with my power adapter. 

  • Best way to show a hierarchical tree report in APEX 4.2

    I have a hierarchical query spanning four levels over two tables.  The query works great and also includes hierarchical sum columns (i.e. the parent shows the sum of all children) using functions.
    I'm wondering what the best way to display this data to users is?
    At the moment I'm thinking I would have a collection holding my report with an extra 'show' column.  Then I would include HTML to set the correct show/hide values and refresh the report when a node is clicked.  I feel this would probably work but it can't be the best way.
    I stripped down my query to the columns needed (no sum columns) and the APEX tree regions work nicely for this.  Is there any alternative jquery plugin or anything that people have experience with that will give me the native 4.2 tree structure whilst also allowing me to display extra columns with links?
    If I need to provide any more info just let me know!

    The best you can do is to concatenate multiple columns into single with some separator. I have not tested give a try it might resolve your issue.
    with data as (
    select 'M'              as link_type,
          null            as parent,
          'All Categories' as id,
          'All Categories' as name,
          null            as sub_id
      from demo_product_info
    union
    select distinct('C')    as link_type,
          'All Categories' as parent,
          category        as id,
          category        as name,
          null            as sub_id
      from demo_product_info
    union
    select 'P'              as link_type,
          category parent,
          to_char(product_id) id,
          product_name    as name,
          product_id      as sub_id
      from demo_product_info
    union
    select 'O' as link_type,
          to_char(product_id) as parent,
          null                as id,
          (select c.cust_first_name || ' ' || c.cust_last_name
              from demo_customers c, demo_orders o
            where c.customer_id = o.customer_id
              and o.order_id    = oi.order_id ) || ', ordered'
          ||to_char(oi.quantity) as name,
          order_id as sub_id
      from demo_order_items oi
    select case when connect_by_isleaf = 1 then 0
                when level = 1            then 1
                else                          -1
          end    as status,
          level,
          name ||'--->' || parent  as title, ---- This way you can concatenate multiple columns
          case when link_type = 'M' then '#IMAGE_PREFIX#Fndtre11.gif'
                  when name = 'Mens' then '#IMAGE_PREFIX#wparea.gif'
                  when name = 'Womens' then '#IMAGE_PREFIX#wtpaint.gif'
                  when name = 'Accessories' then '#IMAGE_PREFIX#wpaste.gif'
                  when link_type = 'P' then '#IMAGE_PREFIX#cartHL.gif'
                  when link_type = 'O' then '#IMAGE_PREFIX#Fndtre13.gif'
          else null
          end    as icon,
          id    as value,
          'View' as tooltip,
          null  as link
    from data
    start with parent is null
    connect by prior id = parent
    order siblings by name
    Br,
    Zaif

  • Best Way to Configure Multi-boot System With GRUB/GRUB2

    Hello again,
    Sorry for posting so much, but I'm really enjoying Arch so far! I had been reading a lot about Cinnamon so I wanted to try it (without installing the dependencies on my Arch installation), so I decided to install Mint, that went fine, and then I was hoping to add the entry to GRUB. I couldn't figure out how to do this, so I decided to try and install GRUB2 because it can autodetect other OS'. Well it didn't work and then I found myself without a bootloader. I couldn't figure out how to reinstall grub to the MBR (I tried the solution in the wiki and a couple of other places). I decided to reinstall Mint, and now I am booting into Arch through Mint's GRUB2. Two questions:
    1) How can I fix grub through Arch to have that as my bootloader again? Nothing seems to work that I've tried.
    2) What is the best way to configure grub or grub2 from Arch to allow myself options to multiboot other OS's in the future? I want to learn as much about UNIX as possible so I was planning on installing some other Linux distros and some other non-Linux UNIX OS's. I know this is a really newbie question, but I'm at a loss, I thought it was easier than it turned out.
    PS. I didn't really like Cinnamon that much. I've been using Xfce and Openbox since I started using Linux (about a month ago), and it just seems too complicated! I don't like how little options you are given for customization. But that's just my opinion, everyone is different, I can see how it would be an improvement over GNOME3.
    Thank You!

    I have Arch Linux and Debian Testing installed side by side on my laptop.
    Arch uses Grub (legacy) and Debian uses Grub2. The way I have set it up is to have Arch's Grub on the MBR and then chainload Debian's Grub2 from there.
    Debian's Grub2 is installed on its own partition rather than on the MBR
    This is the line I use to chainload Grub2 from Grub (legacy)
    # (4) Debian chainload
    title Debian chainload
    root (hdX,X)
    chainloader +1
    Additionally just for kicks, I also have an entry in Grub2 to get back to Grub.
    menuentry "Arch Linux chainload" {
    insmod part_msdos
    insmod ext2
    set root='(hd0)'
    chainloader +1
    boot
    Note that the (hd0) above always points to the MBR.
    I do not have to bother with one bootloader interfering with the other and the OS entries on each are handled separately on their own.
    This setup has worked well for me for quite a while now. Before I started with Arch, I used a similar setup when I tried out various distros (Fedora,opensuse,etc.) alongside Ubuntu
    Hope it helps !

  • Best way to get SharePoint workflow to trigger InDesign XML refresh and PDF export?

    What is the best way to get a SharePoint workflow to trigger the refresh of an XML datasource within an InDesign document, and generate a PDF export? The datasource would be hosted by SharePoint.
    Would InDesign Server be required?

    My understanding of the license is that Adobe requires you to use InDesign Server for this sort of thing.
    But the implementation is probably the same either way. Periodically poll, or find some way to trigger it.

Maybe you are looking for