Strategy for managing data over multiple drives

I have been looking at extending my hard drives and considering the very same options as The Hatter suggested in recent posts - ie Raptor vs Caviar SE16 2*750 vs Caviar RAID 2*750 .
I received a deal on the initial HDD set with my MacPro , so i currently have 2* 250 HDD’s and i have just started to move my itunes and iphoto files plus other media files ( incl photoshop data, movies, documents, etc) onto the separate drive, to see what performance benefits i will get. This is hopefully as a prelude to going to a more ruthless split of files along the lines of a formal strategy - hence my question on what strategy i should have ?
My dilemma is trying to find a clear explanation of where to start looking for the practical way to actually set up the OSX and apps on one boot disc/partition and the media/documents on another drive(s); and what to do with the other stuff that doesn't actually fit into either category - user/home/library/application support folders, presets and other application support files.
I have read posts with people saying not to move user and application support data/library files from the boot drive - in which case there is a lot of file data still likely to reside in the boot drive even after removing documents, and all media files ?
I am paranoid about not having a clear idea of the right strategy before starting the whole process
its more a strategy question than hardware, but i have not been able to really get this answered from the posts that i have searched.
cheers
graham

I personally wouldn't bother about going with Raptors. They are disproportionally expensive and do not perform any better than much larger drives in the 750GB/1TB sizes. With these large drives I cannot see any compelling reason to go with a Raptor. Compared to 500GB and smaller drives sure… but not with larger drives.
So presuming you're going with 2 x Western Digital RE2 750GB drives then you need to decide if you're using RAID or not. If you are then you'll have a 1.5TB volume to use which require no further effort.

Similar Messages

  • Need a strategy for managing email on multiple devices

    I have multiple email addresses and multiple devices (iPad, iPhone, and MacBook Pro). I currently have all mail pushed to all devices. The problem I have is managing messages from one device to another.
    I would like to be able to delete a message on one device and have it deleted across all devices. I am thinking the only way this is possible is by stopping the push of messages to my devices and reading email only via iCloud. Or, is there another way?
    Suggestions?

    If you want to keep the same addresses, you will need to contact the providers for each and see if they offer an IMAP service.
    It's a fairly simply concept, IMAP accounts do exactly what you want, POP accounts don't. Whether or not all your providers offer an IMAP account is another matter.

  • Node strategy for managing many data points

    Earlier with the older JavaFX there were issues where rendering many nodes could really slow the scenegraph down. Is there now some strategy for how to let the scenegraph efficiently render only the nodes for data that actually intersects the visible screen?
    In the scenario I'm thinking of nodes decorate data and are more of a temporary thing, so they need to be reusable or else created and disposed of quickly when visualizing the data points.

    >
    Is there now some strategy for how to let the scenegraph efficiently render only the nodes for data that actually intersects the visible screen?
    >
    [url http://en.wikipedia.org/wiki/Hidden_surface_determination]A variety of strategies have been in existence for a while now, JavaFX just hasn't gotten all of them implemented yet. It looks like JavaFX already uses dirty rectangles. I don't know if or how much culling has been implemented, but I'm sure it will be there sooner or later.

  • How To Managed Serialized Data Over Multiple Application Versions

    Lately I've been struggling with deciding how to deal with serialized data between application versions. Assume you have some software that has to be able to save data files. As the application evolves, the data format changes. The application needs to be able to load data saved from prior application versions.
    When I first started out I just used a Serializable class. It was quick and easy. However, as newer versions used slightly different data formats, I had to come up with a means to upgrade the data to the latest version. Initially I created a process where the latest data class knows how to upgrade from prior data class versions. Then, when loading data in the application, if the class doesn't match the latest data class version, it checks to see if it matches one of the versions that can be upgraded.
    This sort of works, but still has one glaring problem. The old data classes must be etched in stone; never altered. For ever and ever. You can get away with certain simple updates to older data classes by defining a serialVersionUID and keeping it's value the same. But this doesn't always work. What if my overall package structure changes? I have to ensure that the old data classes remain in the same older package structures. Not ideal.
    So I've started considering other ways to serialize data...a process where the data can be broken down into core Java classes. There are serializers for serializing to XML, but I don't feel that XML is an appropriate storage format for the data. I'm also considering using a custom built serializer that uses introspection in some fashion.
    Before I go any further, however, I'd like to solicit some suggestions. Do you know of any serialization packages that might help me? Do you have any suggestions on what might be a good custom solution? Will Externalizable make this easier? (I've never used Externalizable before...looks like maybe it could help, but even that appears to be vulnerable to refactors that change package structure).
    Thanks for your thoughts.

    I've continued to work on my own custom serialization process as described in my previous post. Here is how it currently works:
    In the example there is a class named ExampleSubClass identified by the String "xsub" of version "1.0". It is saved and then reloaded into a class named RevisedExampleSubClass identified by the String "xsub" of version "1.1". The String "xsub" identifies what the class represents, which allows the class and package to change as needed. Fields can be added, removed, or converted through the optional serialConvert method.
    public class ExampleSubClass extends ExampleSuperClass {
         private static final String serialId = "xsub";
         private static final String serialVersion = "1.0";
         ExampleAggClass exNullAggClass = null;
         String exString;
         ExampleNonXCSerialClass nonXCSerialClass;
         String exNum;
         ExampleAggClass conAggClass;
    public class RevisedExampleSubClass extends ExampleSuperClass {
         private static final String serialId = "xsub";
         private static final String serialVersion = "1.1";
         ExampleAggClass exNullAggClass = null;
         String newStringA;
         String newStringB;
         String exString;
         Integer exNum;
         ExampleNonXCSerialClass nonXCSerialClass;
         String conAggString;
         private void serialConvert(Converter converter, String fromVersion) {
              if (fromVersion.equals("1.0")) {
                   converter.addField("newStringA", String.class, "new string!");
                   // intentionally not adding newStringB to see if warning is thrown
                   converter.convertField("exNum", new ConvertScript<String,Integer>(String.class, Integer.class) {
                        @Override
                        public Integer convert(String fromValue) {
                             return new Integer(fromValue);
                   converter.convertField("conAggClass", "conAggString", new ConvertScript<ExampleAggClass, String>(ExampleAggClass.class, String.class) {
                        @Override
                        public String convert(ExampleAggClass fromValue) {
                             return fromValue.getAggString();
    // and then in some other class...
         ExampleSubClass example = new ExampleSubClass();
         System.out.println("Serializing class...");
         XCObjectOutputStream xcoos = new XCObjectOutputStream(new FileOutputStream(file));
         xcoos.writeObject(example);
         xcoos.close();
         System.out.println("Deserializing class...");
         XCObjectInputStream xcois = new XCObjectInputStream(new FileInputStream(file), RevisedExampleSubClass.class);
         RevisedExampleSubClass resc = (RevisedExampleSubClass) xcois.readObject();There is still a little more work to do to fully support arrays and collections, and I need to develop a rigorous test suite for it. But so far it's looking good.
    Edited by: Skotty on Jul 18, 2010 5:31 PM

  • Spread Data Over Multiple Months & Years with Data from Multiple Years

    Hello Everyone,
    I have a complex calculation for spreading values over several months spanning mulitle years. Because we have a 36 month rolling Forecast, a more sophisticated calc is required as opposed to hard coding months or years.
    Heres the description:
    Users enter the following data,
    FY11     BegBalance     Number of BOD Members     10
              BOD Options Vesting Months     20
              BOD Options Accounting Value     10
              BOD Options- Number of Shares     100
              BOD Grant Month     Aug
    FY12     BegBalance     Number of BOD Members     5
              BOD Options Vesting Months     10
              BOD Options Accounting Value     5
              BOD Options- Number of Shares     200
              BOD Grant Month     Oct
    FY13     BegBalance     Number of BOD Members     20
              BOD Options Vesting Months     8
              BOD Options Accounting Value     20
              BOD Options- Number of Shares     100
              BOD Grant Month     Feb
    Based on the above;
    "BOD Stock" is calculated as following/month=Number of BOD Members*BOD Options Accounting Value*BOD Options- Number of Shares/ BOD Options Vesting Months
    Start month for the above is based on "BOD Grant Month". So, for instance considering data for FY11:
    The total "BOD Stock" value is $10000 (originating from FY11) with start month of AUG in FY11 and the number of months to spread over is 20 months. So, essentially the "BOD Stock" per month (originating from FY11) is $500 starting from AUG FY11 to Mar FY13.
    Similarly, the total "BOD Stock" value is $5000 (originating from FY12) with start month of OCT in FY12 and the number of months to spread over is 10 months. So, essentially the "BOD Stock" per month (originating from FY12) is $500 starting from OCT FY12 to JUL FY13.
    The challange I am facing is because of the number of months to spread. Because I have data to spread from multiple years and each year's data spills into the following years, each year should accumulate data from prior years. For instance;
    FY11 should include only FY11
    FY12 should include FY11 and FY12
    FY13 should include FY11, FY12 and FY13.
    Could anyone suggest a smarter way to do this without writting code for each year, maybe using @MDALLOCATE function? The following shows how data should be spread and accumulated.
                             BegBalance     Jan     Feb     Mar     Apr     May     Jun     Jul     Aug     Sep     Oct     Nov     Dec     Period
    FY11     Number of BOD Members          10     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Vesting Months          20     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Accounting Value     10     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options- Number of Shares     100     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Grant Month               Aug     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
              BOD Stock               10000     #mi     #mi     #mi     #mi     #mi     #mi     #mi     500     500     500     500     500     #mi
    FY12     Number of BOD Members          5     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Vesting Months          10     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Accounting Value     5     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options- Number of Shares     200     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Grant Month               Oct     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
              BOD Stock               5000     500     500     500     500     500     500     500     500     500     1000     1000     1000     #mi
    FY13     Number of BOD Members          20     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Vesting Months          8     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options Accounting Value     20     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Options- Number of Shares     100     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
         BOD Grant Month               Feb     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi     #mi
              BOD Stock               40000     1000     6000     6000     5500     5500     5500     5500     5000     5000     #mi     #mi     #mi     #mi
    Appreciate your inputs!
    Edited by: user10678366 on Oct 12, 2010 3:21 PM

    Why not use substitution variables for Years? you could have something like &Year1, &Year2, &Year3
    Cheers

  • Get only one record for an id for a date if multiple record exists

    Hi,
    I need help with below mentioned scenario.
    DB Version: 11.2.0.3.0.
    Requirement:
    Fetch account records that were created after last run of program
    Get latest record for an account on a given date if there are multiple records for same account.
    If there is a gap of more than 1 day from last run of program, then get latest record for an account for each date if there are multiple records for same account.
    Create table t_test
      Id           number not null,
      cust_id      number not null,
      cust_Acct_id number not null,
      ins_date     date   not null
    insert into t_test values
    (1, 12345, 678905, to_date('05/31/2012 12:05:10 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (2, 12345, 678905, to_date('05/31/2012 05:25:46 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (3, 12345, 678905, to_date('05/31/2012 11:48:00 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (4, 12345, 678905, to_date('06/01/2012 12:05:10 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (5, 12345, 678905, to_date('06/01/2012 05:25:46 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (6, 12345, 678905, to_date('06/01/2012 11:48:00 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (7, 12345, 678905, to_date('06/02/2012 12:05:10 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (8, 12345, 678905, to_date('06/02/2012 05:25:46 PM','MM/DD/YYYY HH:MI:SS PM'));
    insert into t_test values
    (9, 12345, 678905, to_date('06/02/2012 11:48:00 PM','MM/DD/YYYY HH:MI:SS PM'));
    create table t_log
      id            number not null,
      prgrm_id      number not null,
      last_run_date date   not null
    insert into t_log values
    (1,1009,to_date('5/30/2012 07:05:12 AM','MM/DD/YYYY HH:MI:SS PM'));Result required:
    id cust_id cust_acct_id ins_date
    3 12345 678905 '05/31/2012 11:48:00 PM'
    6 12345 678905 '06/01/2012 11:48:00 PM'
    9 12345 678905 '06/02/2012 11:48:00 PM'
    I tried below sql but it will return only id 9 record.
    select
        id,
        cust_id,
        cust_acct_id,
        ins_date
    from
        select
            id,
            cust_id,
            cust_acct_id,
            ins_date,
            row_number() over (partition by cust_acct_id order by ins_date desc) rn
        from
            t_test t
        where
            t.ins_date > (
                          select
                              last_run_date
                          from
                              t_log l
                          where
                              l.prgrm_id = 1009
    where rn = 1;Thanks in advance.

    Try:
    SQL> select
      2      id,
      3      cust_id,
      4      cust_acct_id,
      5      ins_date
      6  from
      7      (   
      8      select
      9          t.id,
    10          t.cust_id,
    11          t.cust_acct_id,
    12          t.ins_date,
    13          row_number() over (partition by cust_acct_id, trunc(ins_date) order by ins_date desc) r
    n
    14      from
    15          t_test t
    16      ,   t_log l 
    17      where
    18          t.ins_date >= l.last_run_date
    19      and l.prgrm_id = 1009
    20      )
    21  where rn = 1;
            ID    CUST_ID CUST_ACCT_ID INS_DATE
             3      12345       678905 31-05-2012 23:48:00
             6      12345       678905 01-06-2012 23:48:00
             9      12345       678905 02-06-2012 23:48:00But I now see that Bob already nailed it, while I was testing it ;)

  • XI for managing data conversions

    My customer is considering using XI for managing their data conversions.  This is a very large implementation with many source data systems.  We will also have a very large volume of data to migrate.  For example, we'll have around 8 million materials.  For these materials, we're thinking we can extract this data and map it to an idoc structure and pass into SAP via XI.  First, has anyone used XI for data conversions?  Second, have you dealt with this volume of transactions?  Can XI handle this?  Any thoughts or comments would be greatly appreciated.
    Regards,
    Chris

    Hi Chris,
    SAP XI is used for those exact purposes.  Of course as volume increases, your customer will have to increase memory and hardware.  They have also consider the whether the messages are synchronous.  In case of migration, I think they will be asynchronous.  SAP has a customer who before going live, performed some massive load tests that will simulate an average "real" working day, of 1,200,000 (million, two hundreds thousands) transactions, and it worked smoothly yet fast.  Your customer will most likely have to break up 8 million material into daily batches for now.
    Enjoy!
    John Ta

  • Changing locale settings of DB2 for storing data in multiple languages

    hi friends,
    i want to know how to store data in multiple languages in the same
    DB2 database. i am developing a e-commerce application which stores
    data of users around the globe. i know that i need to create a database
    with characterset UTF-8. But how will i change the locale (language and territory) of the user session. (i am asking something corresponding to to Oracle's ALTER SESSION nls_language command). i want to insert data through JDBC.
    please help me.
    Binu Joseph

    But how will i change the
    locale (language and territory) of the user session.Store all keywords in a database, using the local name (e.g. us-en) as the primary key. Your servlet should determine the user's locale (ServletRequest.getLocales()) and use it as the primary key for an SQL select.
    Now use the fields obtained from the DB to populate your HTML page.

  • Regarding ssis - Divide data over multiple files

    Hi,
    I have input data like this
    filename       id
    a                   1
    a                  2
    b                 3
    c                3
    i want to send the data different excel sheets
    all 'a' should go one excel file
    b should go one excel file
    if other time z is there  z should go one file    these should happen dynamically
    please help me

    See similar logic explained here
    It even creates the excel sheets on the fly
    http://visakhm.blogspot.in/2013/09/exporting-sqlserver-data-to-multiple.html
    Please Mark This As Answer if it solved your issue
    Please Mark This As Helpful if it helps to solve your issue
    Visakh
    My MSDN Page
    My Personal Blog
    My Facebook Page

  • What is the best app for managing data usage on an iPhone 4S?

    What app are most of you using to manage your data usage on an iPhone 4S.

    Assuming that DonXX means 'monitor' rather than 'manage', my experience may be of relevance.
    I have a data usage problem with my iPhone 4. It started for me when I 'upgraded' to ioS 6. This may or may not be a coincidence. I went from an average monthly data usage of 150MB/month (a 2 year average) to 8.1 GB up/download in 28 days. To try and track down which app is The Ravenous Bugblatter Beast of Traal, I've just installed the Onavo Count app. This claims to monitor the data usage of each app. My sights at the moment are on Skype. I only use iCloud for Calendar syncing.

  • Strategy for big data

    Dear experts,
    Currently i'm facing Big Data problem. We have an about 1TB transaction record for Per Month.
    Now I'm trying to create Data Marts for that. And Install Obiee. What is the Strategy And Steps?
    Please Advice...
    BR,
    Eba

    Denis,
    In this case you can do it two ways.
    1. Proxies - You will have to develop a custom report which will collect all the data that needs to be sent and call the PROXY will the collected as input.
    2. IDOCs - If you are dealing with standard IDOCS, this is easier. You can activate the configuration to send the IDOCS for contracts for all the operations that you have mentioned. Do the required outbound configuration in WE20 to mention the target system as XI.
    I am not sure why are you even thinking of scheduling a BPM in XI that will invoke the RFC. SAP as such has got the scheduling capabilities. I would rather suggest you to use that.
    Regards,
    Ravi

  • Strategy for managing edited photos

    I have never used a non-destructive editor before. So I am wondering what a good strategy would be for managign allthe originals plus the edited versions. It seems to me that could get out of control very quick.
    I am using version 5 and I mostly intend to clean up my photos and post them to Flickr or something like that. Usually full resolution.
    Thanks

    There are a few different approaches you can take in seperating the edited photos from the un-edited ones.
    The first thing to note is that all edits are non-destructive, so it's not necessary to organize them seperately from un-edited copites of the image.
    If you like to compare edited from non-edited versions you can view before and after shots in the Develop module:
    You can also save you edits as a Snapshot to come back to and view later:
    Photos with an adjustment applied will have the following icon, so that you can immediately know if they are edited or untouched:
    These are all great ways of distingishing edits you've made to your images. However, if you'd still like to seperate them, you can create seperate collections for your edited photos:
    To do this, I would start by creating a Collection Set for all the images in that upload.
    From there, you can create collections that will be organized underneath that Collection Set
    From there, you can make as many collections as you would like.
    For example:
    All images - unedited
    Best images - unedited
    Best of the Best - unedited
    Best of the Best - edited
    or however you would like to organize them!
    JUST REMEMBER that all of these collections and groups that you are making are not effecting how your images are being organized on the back end. It's up to you to choose the right place for your images, and if you move them or remove them they will not be available in Lightroom as Lightroom does not save copies of your images, and only meta data for your oranizations and adjustments.
    Hope this helps!
    Julia

  • What is the best approach for transferring DAT to Hard Drive?

    Hi,
    I've got 10 60 min DATS of my 1970s rock band transferred from live reel to reel recording of gigs. I want to get rid of the DAT machine on Ebay and before I do get these DATS transferred for storage on CDs or DVDs.
    I have an external hard drive to transfer to before burning to disc.
    Does it make sense to use Logic Pro to transfer the DATS through the computer to the hard drive? Or is there a better / easier / faster way to do it?
    I'll want to go back and find songs later and use Logic Pro to EQ and mix them onto a CD by track at some point.
    Each DAT is 60 minutes worth of material and ideally I'd like to be able to run through the transfer and mark where songs start as the "in between" stuff is there also.
    Thanks,
    Bob

    Hey, thanks for the reply.
    Few more comments....
    Could you suggest a Mac stereo editor/recorder.
    What is s/pdif? I'm new to computer recording.
    Slave recorder to the DAT....I'm hooking the DAT into the iMac through an interface...is this what you mean?
    Got you on separate recordings....I want to do that later...Just get the whole tape onto the hard drive then onto a CD or DVD. When I have more time I'll run through and find songs, etc.
    Again, thanks,
    Bob

  • Best iTunes strategy for a family with multiple Windows accounts

    On our previous Windows 7 PC, I set up separate Windows accounts for each of our family members. Since iTunes can't be run concurrently on more than one Windows account, I also set up another Windows account named "iTunes," the sole purpose of which is to have iTunes running in a way that everyone can access it without having to log into each others' accounts. When you want to use iTunes, you log into the "iTunes" Windows account; when you want to do something else on the computer, you log into your personal Windows account.
    Two questions: (1) Is there a better way to do this? and (2) Am I right that iTunes still can't be run concurrently on more than one Windows account?
    Thanks.

    This is a user to user support forum. Your fellow users can offer solutions or workarounds based on their experience with the application. If you think it should work differently drop a line to iTunes Feedback.
    For reasons unknown Apple haven't chosen to allow iTunes to be suspended in one profile and active in another. My recollection is that this applies even if each profile has a different library, although it is some time since I've committed a personal test.
    I'm not sure why my suggestion make less sense that your current approach?. As I understand it currently everybody is either signed into their own account when they can do something other than work with iTunes, or they sign into the special iTunes account where they can't access any of their other stuff. You don't have to disable fast user switching. Follow exactly the same steps, but make sure everyone closes iTunes before turning the computer over to another user. Disabling fast user switching helps to enforce that action.
    tt2

  • Best strategy for deleting data

    For example: I should delete a lot of data from big databases. There are a lot of indexes and I know about the problem with the Bayer trees which must reorganized by the DMBS at every delete. If there a faster way to delete a big pile of data from the tables?

    Hi,
    go through the asktom post, its clearly explained.
    http://asktom.oracle.com/pls/asktom/f?p=100:11:0::::P11_QUESTION_ID:5033906925164]
    Regards,
    Vijayaraghavan K

Maybe you are looking for

  • Photos are not dispayed correctly

    All the pictures taken holding my camera vertically (portrait) are shown on the wrong side on my Iphone even if I rotated them on the computer before, Does anybody have a solution to that? Many thanks

  • Download issues concerning huge movie files

    I have downloaded the Lord of the Rings trilogy in its entirety already, yet every single time I open my iTunes, it automatically downloads it again and again! I don't need it, I have it already. What could I do to stop this?

  • How to set the field SKB1-FDLEV as requestred-entry in G/L Master data?

    Hi All, Could anyone tell me how to set the field SKB1-FDLEV as requestred-entry in G/L Master data? Thanks Gandalf

  • Weblogic managed servers question

    Hi all, I'm trying to set up a 3 machines , one having weblogic admin server and two machines having managed weblogic servers.what i'm not undersatnding is : 1. Do i have to install the weblogic software on all machines with the same domain name .? 2

  • Template not Updating Site

    In a table cell in my template, I first deleted the contained library item, THEN introduced a new library item. When asked to update all pages based on the template, I clicked YES. But no pages were updated. The cell in this case contains an editable