Preventing duplication

Is there a way to prevent duplication of a dvd created in iDVD from Final Cut Pro? I have a montage that the high school students will buy one and make 20 copies for their friends instead of buying each as a support for the class that created the montage. Any suggestions?

Nope.
If you put the flag on in *DVD Studio Pro* for no copies or copy once, you need to play it off to a DLT tape and send it for replication to to an approprite facility. They can then put that function it into practice.
iDVD is not designed for stuff like that. It is foolproof DVD authoring for folks that want to send a movie of their newborn to their parents or grandparents.

Similar Messages

  • How can prevent duplication of condition types in sales order??

    How can prevent duplication of condition types in sales order.
    While we want Amount field Changeable by user.
    Please give me solution.

    Dear Rohit,
    Can you explain your scenario in detail with an example or any screen shot so that we will help you in easy way ...
    Regards,
    C.B Reddy

  • How to prevent duplication on a column with condition

    Hello everyone,
    I need some advice here. At work, we have an Oracle APEX app that allow user to add new records with the automatic increment decision number based on year and group name.
    Says if they add the first record , group name AA, for year 2012, they get decision number AA 1 2013 as their displayed record casein the report page.
    The second record of AA in 2013 will be AA 2 2013.
    If they add about 20 records , it will be AA 20 2013.
    The first record for 2014 will be AA 1 2014.
    However, recently , we get a user complaint about two records from the same group name have the same decision number.
    When I looked into the history table, and find that the time gap between 2 record is just about 0.1 seconds.
    Besides, we have lookup table that allows admin user to update the Start Sequence number with the restraint that it has to be larger than the max number of the current group name of the current year.
    This Start sequence number and group name is stored together in a table.
    And in some other special case,user can add a duplicate decision number for related record. (this is a new function)
    The current procedure logic to add new record on the application are
    _Get max(decision_number) from record table with chosen Group Name and current year.
    _insert into the record table the new entered record with decision number + 1
    _ update sequence number to the just added decision number.
    So rather than utitlising APEX built-in automatic table modification process, I write a procedure that combine all the three process.
    I run some for loop to continuously execute this procedure, and it seems it can autotically generate new unique decision number with time gap about 0.1 second.
    However, when I increase the number of entry to 200, and let two users run 100 each.
    If the time gap is about 0.01 second, Duplicate decision numbers appear.
    What can I do to prevent the duplication ?
    I cannot just apply a unique constraint here even for all three columns with condition, as it can have duplicate value in some special condition. I don't know much about using lock and its impact.
    This is the content of my procedure
    create or replace
    PROCEDURE        add_new_case(
      --ID just use the trigger
      p_case_title IN varchar2,
      p_year IN varchar2,
      p_group_name IN VARCHAR2,
      --decisionnumber here
      p_case_file_number IN VARCHAR2,
      --active
      p_user IN VARCHAR2
    AS
      default_value NUMBER;
        caseCount NUMBER;
      seqNumber NUMBER;
      previousDecisionNumber NUMBER;
    BEGIN
      --execute immediate q'[alter session set nls_date_format='dd/mm/yyyy']';
      SELECT count(*)
            INTO caseCount
            FROM CASE_RECORD
            WHERE GROUP_ABBR = p_group_name
            AND to_number(to_char(create_date, 'yyyy')) = to_number(to_char(date_utils.get_current_date, 'yyyy'));
            SELECT max(decision_number)
            INTO previousDecisionNumber
            FROM CASE_RECORD
            WHERE GROUP_ABBR = p_group_name
            AND to_number(to_char(create_date, 'yyyy')) = to_number(to_char(date_utils.get_current_date, 'yyyy'));
            IF p_group_name IS NULL
            THEN seqNumber := 0;
            ELSE   
            SELECT seq_number INTO seqNumber FROM GROUP_LOOKUP WHERE ABBREVATION = p_group_name;
            END IF;
        IF caseCount > 0 THEN
               default_value := greatest(seqNumber, previousdecisionnumber)+1;
        ELSE
               default_value := 1;
        END IF; 
      INSERT INTO CASE_RECORD(case_title, decision_year, GROUP_ABBR, decision_number, case_file_number, active_yn, created_by, create_date)
      VALUES(p_case_title, p_year, p_group_name, default_value, p_case_file_number, 'Y', p_user, sysdate );
      --Need to update sequence here also
      UPDATE GROUP_LOOKUP
      SET SEQ_NUMBER = default_value
      WHERE ABBREVATION = p_group_name;
      COMMIT;
    EXCEPTION
    WHEN OTHERS THEN
        logger.error(p_message_text => SQLERRM
                    ,p_message_code => SQLCODE
                    ,p_stack_trace  => dbms_utility.format_error_backtrace
        RAISE;
    END;
    Many thanks in advance,
    Ann

    Why not using a sequence for populating the decision_number column ?
    Sequence values are guaranteed to be unique so there's no need to lock anything.
    You'll inevitably have gaps and no different groups will have the same decision_number in common.
    Having to deal with consecutive numbers fixations you can proceed as
    with
    case_record as
    (select 2012 decision_year,'AA' group_abbr,1 decision_number from dual union all
    select 2012,'BB',2 from dual union all
    select 2012,'AA',21 from dual union all
    select 2012,'AA',22 from dual union all
    select 2012,'BB',25 from dual union all
    select 2013,'CC',33 from dual union all
    select 2013,'CC',34 from dual union all
    select 2013,'CC',36 from dual union all
    select 2013,'BB',37 from dual union all
    select 2013,'AA',38 from dual union all
    select 2013,'AA',39 from dual union all
    select 2013,'BB',41 from dual union all
    select 2013,'AA',42 from dual union all
    select 2013,'AA',43 from dual union all
    select 2013,'BB',45 from dual
    select decision_year,
           group_abbr,
           row_number() over (partition by decision_year,group_abbr order by decision_number) decision_number,
           decision_number sequence_number -- not shown (noone needs to know you're using a sequence)
      from case_record
    order by decision_year,group_abbr,decision_number
    DECISION_YEAR
    GROUP_ABBR
    DECISION_NUMBER
    SEQUENCE_NUMBER
    2012
    AA
    1
    1
    2012
    AA
    2
    21
    2012
    AA
    3
    22
    2012
    BB
    1
    2
    2012
    BB
    2
    25
    2013
    AA
    1
    38
    2013
    AA
    2
    39
    2013
    AA
    3
    42
    2013
    AA
    4
    43
    2013
    BB
    1
    37
    2013
    BB
    2
    41
    2013
    BB
    3
    45
    2013
    CC
    1
    33
    2013
    CC
    2
    34
    2013
    CC
    3
    36
    for retrieval (assuming decision_year,group_abbr,decision_number as being the key):
    select decision_year,group_abbr,decision_number -- the rest of columns
      from (select decision_year,
                   group_abbr,
    -- the rest of columns
                   row_number() over (partition by decision_year,group_abbr order by decision_number) decision_number
              from case_record
             where decision_year = :decision_year
               and group_abbr = :group_abbr
    where decision_number = :decision_number
    DECISION_YEAR
    GROUP_ABBR
    DECISION_NUMBER
    2013
    AA
    4
    if that's acceptable
    Regards
    Etbin

  • How can I prevent duplication of incoming emails?

    I need to find out what is causing about 40% of emails received from being duplicated and then fix it once and for all. I don't leave messages on the server. I read the article on this topic but it seems hit and miss try this try that; I want something a bit more professional please.

    As You have no idea of the cause then no one can offed more than try this try that. that is what diagnosing the problem is all about.
    I have problems with outlook.com. As far as I can work out it is because it is a crappy service? Who are you have problems with?
    Have you tried without your anti virus scanning incoming mail. It is the number one cause, but again it is try this try that.
    There is nothing black and white in computer issues after "Is the power turned on?"

  • FSCM DM -Auto Closing cases - where work is still required and duplications

    Hi,
    We have linked SAP4.6c to ECC6 to implement FSCM Dispute management.
    We have a scenario when we have created a Dispute case linked to an open item in 4.6c ( IDOC accross to ECC6 creates a dispute case),  the BIZ can be working on the Dispute case.. when the customer pays the invoice in full and does not make a deduction against the document, so no parital or residual item created.  Idoc automatically creates and sends the information accross in to ECC6 Class changes to SOLV_INV.
    This of course will close the dispute case in ECC6 - _however there may still be a need for the Dispute Case to be worked upon and a credit raised, but of course the status will be closed - and in our instance the BIZ does not work on CLOSED cases.
    Does anyone know of a method we can implement where by we can control the status of the dispute case / or show on an attribute on the case that the previous status was still outstanding resolution? Is there a Standard method in ECC6 that I have missed ??
    We have another issue whereby we have a ( bespoke method admittedly) where by we create a dispute case in R/3, that has no Links in 4.6c to any FI postings ( This sends the idoc in to ECC6 to create a NON FI Linked dispute Case).  We are now looking for a method on ECC6 to run and check for any duplicates in ECC6 on the customer/ xreffing external ref value - and linking the 2 cases  ( preventing duplication of effort working on 2 seperate cases?)
    Thank you for any advice you might be able to offer, and appricate that the 2nd issue is bespoke - but wonder if anyone else has had an issue with duplications - and how they handle them.
    Regards
    Angela

    Can you please elaborate on your first scenario, and the rationale behind working on a Dispute case when there is no deduction made? I mean there is no disputed amount left, then why would one want a Dispute case to be open and not closed.
    If you have a valide business scenario, then this can be done if you have Enph2 implemented or higher with help of Customer Disputed obj.
    For the second Q, again with Enph2, you have fuctionality to create proposals to find duplicates if any. There is also a BADI around this fucntionality to help with finding duplicates.

  • Check for Duplication

    Hi,
    I'm using forms6i.
    I have a database block say 'Teacher' with columns 'Tid' and 'Tname'.
    I have created a Layout for this block.
    My requirement is to prevent duplication of the records.
    Say if teacher has a record
    1 , Divya
    And if again the user tries to enter same record 1,Divya, I should stop the user.
    I dont want to check this from the database, because in real scenario this may not be a database block.
    Instead i want to check at form level.
    Any help is appreciated.
    Thanks

    Hi,
    Thanks for the responses, Since i'm not permitted to do in the way that francois's link shows,
    I thought of doiing using pl/sql tables.
    Now what i'm doing is, in post query, i'm appending the columns in a record and storing in the pl/sql table.
    and in when validate item , i will check whether the entered values(combination of column values) already exist in the pl/sql table. If exists an alert is shown , otherwise it is again added to pl/sql table.
    Based on the :system.record_status i'm checking whether user is trying to add a new record or modifying the existing value.
    So far so good.
    But what problem i'm facing now is, if user try to modify the newly created record, then the status again shows as 'insert', and the modified record is again added to pl/sql as new record.
    Hope what i explained is clear.
    Please help me a way to find whether the user is modifying or creating a records.
    For this purpose only i thought of taking the count of the number of records displayed in the form, and compare it with number of records in the pl/sql table. So if count is same, then the user is trying to modify, if the count doent match then the user is creating a new record.
    Thanks

  • Need advice on preventing duplicate entries in People table

    Hi,
    In my database, I have a "People" table where I store basic information about people e.g. PersonId, FirstName, LastName, Gender, etc.
    There will be lots of entries made into this table and I want to prevent duplicate entries as much as humanly possible. I'd appreciate some pointers on what I should do to minimize duplicates.
    My primary concerns are:
    Duplicate entries for the same person using the person's full name vs. given name e.g. Mike Smith and Michael Smith
    Making sure that two separate individuals with identical names do get entered into the table and get their unique PersonId's.
    Not even sure how I can even possibly know if two individuals with identical names are two different people without having additional information but I wanted to ask the question anyway.
    Thanks, Sam

    Thank you all very much for your responses.
    There are three separate issues/points here.
    It is clear that it is impossible to prevent duplicates using only a person's first, middle and last names. Once I rely on an additional piece of information, then things get "easier" though nothing is bullet proof. I felt that this was self evident but
    wanted to ask the question anyway.
    Second issue is "potential" duplicates where there are some variations in the name e.g. Mike vs Michael. I'd like a bit more advice on this. I assume I need to create a table to define variations of a name to catch potential duplicates.
    The third point is what Celko brought up -- rather nicely too :-) I understand both his and Erland's points on this as typical relational DB designs usually create people/user tables based upon their context e.g. Employees, Customers, etc.
    I fundamentally disagree with this approach -- though it is currently the norm in most commercial DB designs. The reason for that is that it actually creates duplicates and my point is to prevent them. I'm going for more of an object based approach in the DB
    design where a person is a person regardless of the different roles he/she may play and I see no reason in repeating some of the information about the person e.g. repeating first, last name, gender, etc in both customer and employee tables.
    I strongly believe that all the information that are directly related to a person should be kept in the People table and referenced in different business contexts as necessary.
    For example, I assign every person a PersonId in the People table. I then use the PersonId as part of the primary key in the Customers or Employees table as well. Obviously, PersonId is also a foreign key in Customers and Employees tables. This prevents the
    need for a separate CustomerId and allows me to centralize all the personal data in the People table.
    In my opinion this has three advantages:
    Prevent duplication of data
    Allow global edits e.g. if the last name of a female employee changes, it is automatically updated for her within the context of "Customer" role she may play in the application.
    Last but not least, data enrichment where a person may enter additional data about himself/herself in different contexts. For example, in the employee context, we may have the person's spouse information through "Emergency Contacts" which may come handy
    within the context of customer for this person.
    Having everyone in the People table gives me these three advantages.
    Thanks, Sam

  • Duplicate production order due to sales order on credit block

    Dear Experts !
    Need feedback on the following scenario:
    - Sales order is entered for material which is produced in-house specific to the sales order (ie customer's logo is on product).
    - Schedule line in sales order creates a production order specific to the sales order.
    - Customer runs into credit check a few days later and consequently the schedule line in the sales order is removed due to credit block, however the linked production order still remains and is produced by factory.
    - Sales order is released from credit check and a new schedule line is created resulting in another production order being released.
    Any ideas on how to prevent duplication of production order?
    Thanks in advance!
       -Alvin

    Hello,
    Apologies for the confusion, let me explain it a bit more.
    - Sales order is entered for material with planning strategy group of make-to-order, the schedule line initiates new production order for make-to-order material.
    - A few days later - the customer goes over credit limit or has overdue invoices, etc..
    - During background rescheduling (or any sales order change) the sales order gets a credit block due to static check.
    - Sales order block deleted schedule line in sales order, however the production order remains active.
    - Once the sales order is released from credit block, a new schedule line is created which initiates a new production order.
    - Duplicate production order is now being made in shop floor.
    I hope the above explains my scnario a little clearer.
    Thanks and regards,
    Alvin

  • A "FIX" for Users of PC Suite 6.83 and Removing th...

    To conduct the fix immediately, just skip down to about the 3rd paragraph below called "The FIX" for me! This other stuff is some backgroung I wanted to give.
    Bottomline...6.83 has a serious problem when you istall it, and I spoke with a Nokia technical rep 2 days ago and he confirmed it. Unfortunately, Nokia doesn't have a clue to what is the root cause problem. The Nokia rep recommended that I "NOT" use version 6.83. Since they are having so many issues with it, I don't understand why they don't just remove it from their website? No matter what you try you will not get it to work properly!
    Now when you try to uninstall 6.83, you also get into trouble. You can unistall the PC Suite 6.83 core application , but the cable driver portion remains. Now when you try to remove the cable driver, under ADD / REMOVE Programs, you get the following error" The feature you are trying to use is on a network resource that is unavailable". Again, the Nokia rep was clueless as to why I was receiving the error message and had no additional help for me in removing the cable driver. It just seemed no matter what I tried I could not remove the cable driver nor could I reinstall PC Suite either version 6.83 or 6.82. Finally, last night I stumbled upon a note from another digruntled nokia 6.83 user that led me to search the following Microsoft info regarding a little program called "Windows Installer Cleanup Utility".
    My setup:
    Phone - Nokia 9300
    Cable - Nokia DKU-2
    PC Suite - 6.83
    PC OS - Win XP SP2
    "THE FIX" for me:
    1. Go to (ADD / Remove Programs) and uninstall PC Suite 6.83. This only removes the core program and "not" the cable driver
    2. Now go to the following MS website and download and Run the "Windows Installer Cleanup Utility".
    (http://download.microsoft.com/download/e/9/d/e9d80355-7ab4-45b8-80e8-983a48d5e1bd/msicuu2.exe)
    Once you download this small MS utility, go down to my item #3 below for further immediate instructions!
    Article ID : 290301
    Last Review : November 13, 2006
    Revision : 5.1
    This article was previously published under Q290301
    Warning The Windows Installer CleanUp Utility is provided "as is" to help resolve installation problems for programs that use Microsoft Windows Installer. If you use this utility, you may have to reinstall other programs. Caution is advised.
    On This Page
    SUMMARY
    Microsoft has updated the Windows Installer CleanUp Utility. With the Windows Installer CleanUp Utility, you can remove a program's Windows Installer configuration information. You may want to remove the Windows Installer configuration information for your program if you experience installation (Setup) problems. For example, you may have to remove a program's Windows Installer configuration information if you have installation problems when you try to add (or remove) a component of your program that was not included when you first installed your program.
    The Windows Installer CleanUp Utility does not perform the following functions: • Remove Windows Installer
    • Remove files of any programs that are installed by Windows Installer, such as Microsoft Office 2003
    The Windows Installer CleanUp Utility does perform the following functions: • Provides a dialog box in which you can select one or more programs that were installed by Windows Installer
    To do this, select the programs that you want in the Installed Products list in the Windows Installer CleanUp dialog box. After you make this selection, the utility removes only the Windows Installer configuration information that is related to those programs.
    • Removes the files and registry settings that make up the Windows Installer configuration information for programs that you select
    If you use this utility to remove the Windows Installer configuration information for your program and you plan to reinstall the program, you should reinstall the program in the same folder where you originally installed it. This prevents duplication of files on your hard disk or disks.
    Back to the top
    MORE INFORMATION
    This version of the Windows Installer CleanUp Utility works correctly in all 32-bit versions of Microsoft Windows. The 32-bit versions of Microsoft Windows are as follows: • Microsoft Windows Vista
    • Microsoft Windows Server 2003
    • Microsoft Windows XP
    • Microsoft Windows Millennium Edition
    • Microsoft Windows 2000
    • Microsoft Windows NT 4.0 with Service Pack 3 or later
    • Microsoft Windows 98
    • Microsoft Windows 95
    This version of the Windows Installer CleanUp Utility works correctly in all 64-bit versions of Microsoft Windows. The 64-bit versions of Microsoft Windows are as follows:• Microsoft Windows Server 2003
    • Microsoft Windows XP
    • Microsoft Windows Vista
    The following file is available for download from the Microsoft Download Center:
    Download the Windows Installer Cleanup Utility package now. (http://download.microsoft.com/download/e/9/d/e9d80355-7ab4-45b8-80e8-983a48d5e1bd/msicuu2.exe)
    Back to the top
    3. Now go to START/PROGRAMS/Windows Installer Cleanup Utility. When you run this utility, a window will open up that lists all the of the programs that you have installed. It looks a little bit like the add/remove program window. Now Select the "Nokia Connectivity Cable Driver" and the "PC Connectivity Solution programs, then run the utility. It only takes about 15-30 seconds to run.
    4. Now go back to the Add /Remove Programs in Control Panel and try and remove "Nokia Connectivity Cable Driver" and the "PC Connectivity Solution programs now. They should now uninstall!
    5. Next I restarted my computer.
    6. DO NOT install 6.83!!!!
    7. Now go to Nokia website and download PC Suite version 6.82_rel_22:
    http://nds1.nokia.com/files/support/global/phones/software/Nokia_PC_Suite_682_rel_22_0_eng_us_web.ms...
    7. You should now be back in business with a working version of PC Suite.
    It is obvious that there is a serious issue with the cable driver portion of 6.83 that corrupts MS Windows Installer program during the install process. Even though you initially can install 6.83, the cable driver is messed up. Also, you can't then uninstall the cable driver unless you run the Windows Installer Cleanup Utility.
    After a month of fighting this issue, the Windows Installer Cleanup utility was the key to clearing the conflict of the cable driver. Unfortunately, 6.83 has a serious issue with the cable driver.
    Good luck everyone...Sorry for being long winded!

    Hi diving_catch
    Just wanted to say a big thank you as a large number of forum members are having grief over this one!
    Might I add that I was happily using 6.82 rel_22.0 until NSU decided that it was time to update........you guessed PCSuite no longer worked. On Xp I uninstalled PC Suite + Nokia Connectivity Driver, installed and ran Nokia PC Suite Cleaner - option clean-up computer, rebooted and at least for now 6.83 v14.1 seems to function with N95. As no updates are available yet I haven't installed Nokia Software Updater!
    Many thanks also for the link to PC Suite 6.82 rel_22.0 as I shall probably need this soon.
    Interesting for Nokia comment as it's successor is currently out beta testing!
    Happy to have helped forum in a small way with a Support Ratio = 37.0

  • Burning disc image with encryption

    I've been burning disc images thru idvd's interface for a while. I just noticed in disk utility the option of encrypting the dvd (AES-128), to prevent access to contents, files, etc., which might be useful when making customer copies.
    Is this something anyone is using?

    Are you referring to data dvd's?
    To the best of my knowledge, Data Dvd's may work well on your mac but they do NOT play back on most set top dvd players.
    It is possible to encrypt data to a dvd BUT it is Not possible to encrypt an entire iDvd (at least not in terms of preventing duplication /playback on a standard Dvd Player/recorder) in the same manner as a commercially pressed DVD function which are copy protected (CSS) when mass replicated.
    They are two entirely separate forms of encryption.

  • I use both iTunes Match and I backup my phone through iCloud. How do I get non-iTunes Match music on my phone?

    So I have a lot of spoken-word MP3 files on my MacBook that are both too large and too low a bitrate for iTunes Match. Since I use iCloud to backup my phone, I don't manually sync my phone with my MacBook anymore.
    How do I get these MP3s onto my iPhone's iPod app without deleting everything on the phone and manually syncing/backing up to my MacBook?

    You would have to turnoff match to manually sync those files to your phone, the. Turn match back on so you can use it like you normally would for all your match able music. iTunes works the same way now with match and your music like it does for iCloud and your contacts and calendars. In order to prevent duplication, you can't sync with a cloud service and manually on a computer the same information, unless you temporarily disable the cloud-type service - in your case iTunes match

  • I copied library to a new hard drive, now iphoto won't recognize files.

    I am new to iPhoto, so be gentle. My daughter uses it a lot, and now I seem to have messed up her library. We are using iPhoto 4.0.3. OS 10.4.11
    I installed a new hard drive. I copied the iTunes and iPhoto libraries to the new larger hard drive. I copied the iphoto library to a designated folder (not the default folder). My daughter has now moved the photos into their default location, and advised iPhoto of where to look - User/Daughter/Pictures/iPhoto library. When she opens iPhoto her photos don't appear. When she picks a photo and drops it into iPhoto, the message appears,
    "could not be imported because an unrecognizable type or file may not contain valid data."
    The files are jpegs that open fine in Photoshop, Preview etc.
    I did some reading and saw reference to deleting the file com.apple.iphoto.plist. Tried that, no success.
    I would appreciate your assistance. Like I say, I don't know iPhoto at all. As a second question, I have a G4 with a dual 1.8 processor, what version of iPhoto/iLife should I be looking to upgrade to?
    Thanks for your help.

    "could not be imported because an unrecognizable type or file may not contain valid data."
    That is the standard error you get when you try to import a photo that already resides inside the iPhoto Library folder. It prevents duplication in your library.
    It sounds like you followed the correct procedure, but let's double-check. iPhoto can be run from a location other than the default. When you moved the library, did you copy the whole iPhoto Library folder as one intact unit? How did your dtr point iPhoto to the library? The correct way is to hold down Option while launching, select "Choose (or Find) Library" then navigate to the iPhoto Library folder and Open. Is this what you/she did? If so, perhaps try again?
    As a second question, I have a G4 with a dual 1.8 processor, what version of iPhoto/iLife should I be looking to upgrade to?
    I am very happy with iLife '06 on my 1.4 GHz G4 mini with 1 GB RAM. You could get iLife '08 for iPhoto 7, but be aware that iMovie 7 won't load on your machine because it requires a G5 or Intel machine. I made the decision not to upgrade because I'm happy with my current performance, and I think that the video-intensive and RAM-hog iPhoto 7 would bog down my mini. You can still buy iLife '06 from Amazon.com. See the system requirements:
    http://www.apple.com/ilife/systemrequirements.html
    http://docs.info.apple.com/article.html?artnum=306336
    Regards.

  • How do you get OS X to use iPhoto on camera import instead of Photos?

    Okay, have iPhoto 9.6.1 and can open iPhoto and all... but whenever I connect my camera to the computer to import photos, it always defaults to Photos.  I want it to default to iPhoto.  Is there a way to get it to stop using Photos by default?  Can't rename or delete the Photos app.  Have no Photos Library so I don't want to have to exit out of Photos and launch iPhoto every time I want to import new photos.  I just want Photos to stay out of the picture entirely.  Let iPhoto do what it used to do and stop trying to hijack everything.

    PMiles:
    Hard links are used in Photos to prevent duplication of media. You can verify that yourself by exporting some of your library to a small USB drive, enough to more than half fill the drive, then using Option Open to create a Photos library from the exported one. You'll note everything fits on the small drive. The use of hard links (multiple names for the same file) is what allows Time Machine to keep many many dates worth of backups without duplicating files that have not changed between dates.
    Also, here's a quote from David Pogues's review: https://www.yahoo.com/tech/everything-worth-knowing-about-switching-to-os-x-1101 29491789.html
    "What’s wild is that Photos accesses your existing photo library. It doesn’t convert the original photos into some new format. You’ll be able to switch back and forth among the three programs — iPhoto, Aperture, Photos — without having to duplicate any files or use up any more disk space.
    There is one big catch, however: Your library splits at the moment you install Photos.
    After you first run Photos, when you edit, add, or delete any pictures, those changes show up only in the one program you’re using at the time. New pictures you add to Photos appear only in Photos; new pictures you add to iPhoto appear only in iPhoto, and so on. (You can easily export/import them if necessary.) Same thing with edits you make: They’re saved only in the program where you make those changes."

  • Photo Stream photos not showing up in Photos Collections

    I've noticed on my iPhone 5s, many photos from Photo Stream are not appearing in the "Photos" tab where I can view photos by year, collections, moments, etc.  I have many Photo Stream photos appearing, but it is sporadic. 
    On my iPad, all Photo Stream photos appear in the Photos tab just fine.
    I've attached a screen shot from each of my devices as an example.  Both devices are pulling from the same Photo Stream, so theoretically, they should be showing the same photos.  My iPad shows 10 photos.  My iPhone shows 2 (shows 3 in the screen grab because one is a video). 
    How can I force the Photos tab to update to reflect all the photos in my Photo Stream?

    I FIGURED OUT THE ISSUE.  But no resolution.
    It appears that my iPhone 5s's Photos tab only shows Photo Stream photos of photos RECEIVED from other devices, but not Photo Stream photos of photos that ORIGINATED on my iPhone.  Does this make sense?  Here's an example:
    1) Take Photo A on iPhone
    2) Take Photo B on iPad
    3) Allow Photo A and Photo B to upload to Photo Stream
    4) See Photo A and B in Photo Stream on both devices
    5) See Photo A and B in Photos tab on both devices.
    6) Delete the camera roll copy of Photo A from the iPhone.
    7) Photo A is now MISSING from the Photos tab of iPhone, but is still viewable in iPhone Photo Stream
    THUS =  Photos tab is not accessing Photo Stream
    I can replicate this on my iPad
    4) See Photo A and B in Photo Stream on both devices
    5) See Photo A and B in Photos tab on both devices.
    6) Delete the camera roll copy of Photo B from the iPad.
    7) Photo B is now MISSING from the Photos tab of iPad, but is still viewable in iPad Photo Stream
    This appears to be some way to prevent duplications on your local device.  Apple doesn't want you to see the Photo Stream copy and the Camera Roll copy BOTH in the Photos tab.  However, if you delete the Camera Roll copy, the Photo Stream copy DOES NOT appear in the Photos tab.  This is dumb because I delete the Camera Roll copy as soon as it finishes uploading to Photo Stream.  There is no reason to keep both copies on your iOS device.  However, now I can't enjoy the Photo Stream photos in the Photos tab.

  • Kernel: PANIC! -- best practice for backup and recovery when modifying system?

    I installed NVidia drivers on my OL6.6 system at home and something went bad with one of the libraries.  On reboot, the kernel would panic and I couldn't get back into the system to fix anything.  I ended up re-installing the OS to recovery my system. 
    What would be some best practices for backing up the system when making a change and then recovering if this happens again?
    Would LVM snapshots be a good option?  Can I recovery a snapshot from a rescue boot?
    EX: File system snapshots with LVM | Ars Technica -- scroll down to the section discussing LVM.
    Any pointers to documentation would be welcome as well.  I'm just not sure what to do to revert the kernel or the system when installing something goes bad like this.
    Thanks for your attention.

    There is often a common misconception: A snapshot is not a backup. A snapshot and the original it was taken from initially share the same data blocks. LVM snapshot is a general purpose solution which can be used, for example, to quickly create a snapshot prior to a system upgrade, then if you are satisfied with the result, you would delete the snapshot.
    The advantage of a snapshot is that it can be used for a live filesystem or volume while changes are written to the snapshot volume. Hence it's called "copy on write (COW), or copy on change if you want. This is necessary for system integrity to have a consistent data status of all data at a certain point in time and to allow changes happening, for example to perform a filesystem backup. A snapshot is no substitute for a disaster recovery in case you loose your storage media. A snapshot only takes seconds, and initially does not copy or backup any data, unless data changes. It is therefore important to delete the snapshot if no longer required, in order to prevent duplication of data and restore file system performance.
    LVM was never a great thing under Linux and can cause serious I/O performance bottlenecks. If snapshot or COW technology suits your purpose, I suggest you look into Btrfs, which is a modern filesystem built into the latest Oracle UEK kernel. Btrfs employs the idea of subvolumes and is much more efficient that LVM because it can operate on files or directories while LVM is doing the whole logical volume.
    Keep in mind however, you cannot use LVM or Btrfs with the boot partition, because the Grub boot loader, which loads the Linux kernel, cannot deal with LVM or BTRFS before loading the Linux kernel (catch22).
    I think the following is an interesting and fun to read introduction explaining basic concepts:
    http://events.linuxfoundation.org/sites/events/files/slides/Btrfs_1.pdf

Maybe you are looking for