Merging sheets creates conflict when images exists on both sheets

Hi
I have a solution of creating and merging Excel-files in a webservice.
This has been working fine, until both of the Excel-files began to contain images.
As an example, the service recieves one Excel template and one Excel workbook.
The goal is to create a new Excel workbook consisting of the supplied parts.
Since the template is indeed a template (xltx), I start of by working with the workbook.
I then merge all worksheets from the template file to the workbook file.
This is done in memory with the help of
EPPlus version 3.1.2 and the following routine where grmName is path to the template file and wbkName is path to the workbook:
Friend Sub XLAddInfoSheets(ByVal grmName As String, ByVal wbkName As String)
Dim targetFI As New FileInfo(wbkName)
Dim templateFile As String = grmName
Dim ContentOverrides As New ArrayList
Try
Using t As New ExcelPackage
Using Tstream As New FileStream(wbkName, FileMode.Open, FileAccess.ReadWrite)
t.Load(Tstream)
End Using
Using d As New ExcelPackage
Using Dstream As New FileStream(templateFile, FileMode.Open)
d.Load(Dstream)
End Using
For Each dws In d.Workbook.Worksheets
Dim addOK As Boolean = True
If dws.Name = "Försättsblad" Or dws.Name = "Cover Page" Then
Dim tmpName As String = dws.Name
For Each twx In t.Workbook.Worksheets
If LCase(twx.Name) = LCase(tmpName) Then
addOK = False
Exit For
End If
Next
If addOK Then
t.Workbook.Worksheets.Add(tmpName, dws)
t.Workbook.Worksheets(tmpName).Hidden = dws.Hidden
End If
End If
Next
End Using
t.SaveAs(targetFI)
End Using
Catch ex As Exception
WriteLogg("Could not merge coverpages from the template.", ex.Message, logFile)
Exit Sub
End Try
End Sub
When opening the created file (if both the template and the workbook contains images) shows a repairable error.
After the repair is made, the images in the inserted sheets is actually an image from the original workbook, not the same image as in the template sheet.
I realise that there is a mixup of relations causing this, so I tried looping through the images in the inserted sheets and delete the original image (DrawingPart) and add the image again.
This is done with the following code where wbPart is the actual Workbookpart and imagePath is path to the image which is extracted to disk earlier:
Private Sub XLRelateImages(ByVal wbPart As WorksheetPart, ByVal imagePath As String)
Try
Dim drawingPart = wbPart.DrawingsPart
If drawingPart IsNot Nothing Then
Dim doc As New XmlDocument()
doc.Load(drawingPart.GetStream())
Dim ns As New XmlNamespaceManager(doc.NameTable)
ns.AddNamespace("a", "http://schemas.openxmlformats.org/drawingml/2006/main")
ns.AddNamespace("xdr", "http://schemas.openxmlformats.org/drawingml/2006/spreadsheetDrawing")
Dim list As XmlNodeList = doc.SelectNodes("/xdr:wsDr/xdr:twoCellAnchor/xdr:pic/xdr:blipFill/a:blip", ns)
Dim pairList As New List(Of KeyValuePair(Of String, String))()
For Each node As XmlNode In list
For Each attribute As XmlAttribute In node.Attributes
Dim pair As New KeyValuePair(Of String, String)(attribute.Value, attribute.Name)
pairList.Add(pair)
Next
Next
For Each image As KeyValuePair(Of String, String) In pairList
Dim id As String = image.Key
Dim name As String = image.Value
Dim oldPart As OpenXmlPart = Nothing
If name = "r:embed" Then
' get ImagePart via id
oldPart = drawingPart.GetPartById(id)
' delete ImagePart
drawingPart.DeletePart(oldPart)
' add the ImagePart
Dim newPart As ImagePart = drawingPart.AddImagePart(ImagePartType.Png, id)
' replace image
Dim replacement As String = imagePath
Using stream As New FileStream(replacement, FileMode.Open)
' feed data to the newPart
newPart.FeedData(stream)
End Using
End If
Next
' save xml document to the stream
doc.Save(drawingPart.GetStream(FileMode.Create))
End If
Catch ex As Exception
End Try
End Sub
When I examine the result of this I still get the same error when I'm opening the file, but the correct image is now shown on the inserted sheets.
I believe there must be some other relation that is left in the workbook, but I have not been able to locate it.
Can someone help with sample code in VB or C# I would be much obliged?
Best Regards Peter Karlström Midrange AB, Sweden

This is the code I finally ended up with.
It's all working now, but the code is a bit locked in to this solution, since it only handles 1 custom sheet property.
Private Sub XLCheckSheetProperties(ByVal wBook As String)
Using sDocument As SpreadsheetDocument = SpreadsheetDocument.Open(wBook, True)
Dim workbookPart As WorkbookPart = sDocument.WorkbookPart
workbookPart.Workbook.Descendants(Of Sheet)()
Dim worksheetPart As WorksheetPart = workbookPart.WorksheetParts.Last
For Each Sheet As Sheet In sDocument.WorkbookPart.Workbook.Sheets
Dim sName As String = Sheet.Name
Select Case sName
Case "Cover Page"
If Not XLSheetPropertyRemove(sDocument, sName) Then
WriteLogg("Kunde inte ta bort metadata i försättsbladet " & sName & ".", "XLCheckSheetProperties", logFile)
End If
If Not XLSheetPropertyAdd(sDocument, sName, "sht_Footerdata", "0:0") Then
WriteLogg("Kunde inte lägga till metadata i försättsbladet " & sName & ".", "XLCheckSheetProperties", logFile)
End If
End Select
Next
End Using
End Sub
Private Function XLSheetPropertyRemove(ByVal document As SpreadsheetDocument, ByVal sheetName As String) As Boolean
XLSheetPropertyRemove = False
Try
Dim sheet1 As Sheet = document.WorkbookPart.Workbook.Descendants(Of Sheet)().[Single](Function(s) s.Name = sheetName)
Dim workSheet1 As Worksheet = DirectCast(document.WorkbookPart.GetPartById(sheet1.Id), WorksheetPart).Worksheet
For Each cusProps As CustomProperties In workSheet1.Elements(Of CustomProperties)()
cusProps.Remove()
Next
XLSheetPropertyRemove = True
Catch ex As Exception
End Try
End Function
Private Function XLSheetPropertyAdd(ByRef document As SpreadsheetDocument, ByVal sheetName As String, ByVal propName As String, ByVal propValue As String) As Boolean
XLSheetPropertyAdd = False
Try
Dim workbookPart As WorkbookPart = document.WorkbookPart
Dim sheet1 As Sheet = document.WorkbookPart.Workbook.Descendants(Of Sheet)().[Single](Function(s) s.Name = sheetName)
Dim workSheet1 As Worksheet = DirectCast(document.WorkbookPart.GetPartById(sheet1.Id), WorksheetPart).Worksheet
Dim relId As String = workbookPart.Workbook.Descendants(Of Sheet)().First(Function(s) sheetName.Equals(s.Name)).Id
Dim wsPart As WorksheetPart = document.WorkbookPart.GetPartById(relId)
Dim customPropertyPart As CustomPropertyPart = wsPart.AddCustomPropertyPart(CustomPropertyPartType.Spreadsheet, "rIdProp2")
Dim byteArray As Byte() = System.Text.Encoding.Unicode.GetBytes(propValue)
Dim stream As New MemoryStream(byteArray)
Dim data As System.IO.Stream = stream
customPropertyPart.FeedData(data)
data.Close()
Dim customProperties As CustomProperties = workSheet1.AppendChild(Of CustomProperties)(New CustomProperties())
Dim customProperty As CustomProperty = customProperties.AppendChild(Of CustomProperty)(New CustomProperty())
customProperty.Id = "rIdProp2"
customProperty.Name = propName
XLSheetPropertyAdd = True
Catch ex As Exception
End Try
End Function
The trick was to delete the custom sheet property and the recreate it.
Best Regards Peter Karlström Midrange AB, Sweden

Similar Messages

  • The action could not be completed because of a conflict with the original item. The conflict may have occurred when an existing item was updated on another computer or device. Open the item again and try making your changes. If the problem continues, cont

    I have a user on an iMac 10.6 connected to our domain.  She uses Outlook web access for email on our exchange server.  Last week she received the following message which is randomly preventing her from sending emails.  She claims no attachment was involved in the original email when this all started.  I have not been able to look at her account as she is out of the office but maybe someone else dealt with this issue.  I realize this may not be Mac related but thought I'd give it a try.  She did say it occurred once over two days while working on a PC but it continued over the past weekend.
    If an internal user tries to send a message with infected attachment using Outlook Web Access, it may report the following error message: The action could not be completed because of a conflict with the original item. The conflict may have occurred when an existing item was updated on another computer or device. Open the item again and try making your changes. If the problem continues, contact technical support for your organization.
    This is because F-Secure Anti-Virus for Microsoft Exchange has detected a virus in the attachment. If the user tries to send the message again, the message will be sent but without the attachment. At the same time a blank message with an attachment named "Attachment_information.txt" will remain in the user's Drafts folder. The "Attachment_information.txt" will contain information about the virus detected in the message.

    PS - have found other posts indicating that clips smaller than 2s or sometimes 5s, or "short files" can cause this. Modern style editing often uses short takes ! Good grief I cannot believe Apple. Well I deleted a half a dozen short sections and can export, but now of course the video is a ruined piiece of junk and I need to re-do the whole thing, the sound etc. which is basically taking as much time as the original. And each time I re-do it I risk again this lovely error -50 and again trying to figure out what thing bugs it via trial and error instead of a REASONABLE ERROR MESSAGE POINTING TO THE CLIP IT CAN'T PROCESS. What a mess. I HATE this iMovie application - full of BUGS BUGS BUGS which Apple will not fix obviously, since I had this product for a few years and see just hundreds of hits on Google about this error with disappointed users. Such junk I cannot believe I paid money for it and Apple does not support it with fixes !!!
    If anyone knows of a GOOD reasonably priced video editing program NOT from APPLE I am still looking for suggestions. I want to do more video in future, but obviously NOT with iMovie !!!

  • IMac (27-inch, Mid 2011) 2.7 GHz Intel Core i5 4 GB 1333 MHz DDR3 running10.10.2 (14C1514). Trying to install Windows 7 64 bit from an install disc. When attempting to create an ISO image I can save the file in disk utility but can convert cdr to iso

    iMac (27-inch, Mid 2011) 2.7 GHz Intel Core i5 4 GB 1333 MHz DDR3 running10.10.2 (14C1514). Trying to install Windows 7 64 bit from an install disc. When attempting to create an ISO image I can save the file in disk utility but can convert cdr to iso. I select the file and the hit return as in step 8 of the Creating an
    iSO image document but the box that should open to select use iso does not open. How should I proceed?

    The Mac SuperDrive built into your Mac is the Optical drive.
    1. Insert your Windows DVD in Optical drive. Disconnect any external storage.
    2. Insert a USB2 Flash drive. This will be used to hold the BC drivers.
    3. Start BCA. Check the options to download software and Install Windows. You do not need to download Windows. The BCA will download the BC drivers to the USB.
    4. Partition your drive.
    5. You can see the Windows installer screens at https://help.apple.com/bootcamp/mac/5.0/help/#/bcmp173b3bf2.

  • How can I install an extension when it conflicts with an existing one that doesn't appear in the list of extensions?

    I'm trying to install Guide Guide for Photoshop CS 2014 using the Adobe Extension Manager CC but when clicking on the 3.1.2-guideguide.zxp I recieve the following error, "This extension cannot be installed, since it conflicts with a existing one. To install this extension, please remove the extension 'GuideGuide' which has been installed in ", then install again."  Note that there is some code breaking in there where ", is.  When I open Adobe Extension Manager CC there are no extensions listed.  None under any of the products to the left.  I can't uninstall it if it's not listed.
    After reviewing the forums I have gone into my %appdata%\Roaming\Adobe\ folder and removed all folders for previous versions of Adobe Extension Manager.
    Any help with this issue would be appreciated.  Thank you for your time.

    Please delete "C:\ProgramData\Adobe\Extension Manager CC\Configuration\DB\ExMan.db" then retry. Note that "C:\ProgramData" is hidden by default. You can input C:\ProgramData in the address bar of Windows Explorer then press "Enter" key to go into this folder.

  • How can I create a one image per page caption sheet that includes the description in Bridge?

    I am trying to find a way to create a one-image-per-page caption sheet for my workflow. I currently place each image into Word and copy the description onto the document, then repeat for each image. I am hoping that there is a way to automate this process using Bridge. I know that it can be done using Lightroom, however, that is not currently an option for me. Is this something that can be done or am I bound, like Sisyphus to Microsoft Word? I have a very limited grasp of scripting, but I feel like this is possible.
    Thanks for any help.

    To create a NetBoot image, you could just put the cluster node in target mode and attach it to your PowerBook. Then use SIU to create the NetBoot image.
    If you're trying to create a backup image of the disk, use hdiutil, or put in in target mode and create the image with Disk Utility.

  • I am trying to generate purchase order and i create a BAPI also which is active. But when i call the BAPI from SYbase Mobile Object RFC then after calling it gives an Error "Conflict when calling a Function Module (Field Length)".

    i am trying to generate purchase order and i create a BAPI also which is active.
    But when i call the BAPI from SYbase Mobile Object RFC then after calling it gives an Error "Conflict when calling a Function Module (Field Length)".

    Hi,
    Yeah i tried my Z_BAPI in R3 and then giving some ERROR.
    This is my CODE-
    FUNCTION ZBAPIPOTV2.
    *"*"Local Interface:
    *"  IMPORTING
    *"     VALUE(POHD) TYPE  ZPOHD OPTIONAL
    *"     VALUE(POITEM) TYPE  ZPOITEM OPTIONAL
    *"  TABLES
    *"      RETURN STRUCTURE  BAPIRET1 OPTIONAL
    data: ls_pohd type bapimepoheader,
             ls_pohdx TYPE bapimepoheaderx,
             lt_poit TYPE TABLE OF bapimepoitem,
             lt_poitx TYPE TABLE OF bapimepoitemx,
             ls_poit TYPE bapimepoitem,
             ls_poitx TYPE bapimepoitemx.
       MOVE-CORRESPONDING pohd to ls_pohd.
       MOVE-CORRESPONDING poitem to ls_poit.
       ls_pohdx-comp_code = 'x'.
       ls_pohdx-doc_type = 'x'.
       ls_pohdx-vendor = 'x'.
       ls_pohdx-purch_org = 'x'.
       ls_pohdx-pur_group = 'x'.
       ls_poit-po_item = '00010'.
       APPEND ls_poit to lt_poit.
       ls_poitx-po_item = '00010'.
       ls_poitx-po_itemx = 'x'.
       ls_poitx-material = 'x'.
       ls_poitx-plant = 'x'.
       ls_poitx-quantity = 'x'.
       APPEND ls_poitx to lt_poitx.
    CALL FUNCTION 'BAPI_PO_CREATE1'
       EXPORTING
         POHEADER                     = ls_pohd
        POHEADERX                    =  ls_pohdx
    *   POADDRVENDOR                 =
    *   TESTRUN                      =
    *   MEMORY_UNCOMPLETE            =
    *   MEMORY_COMPLETE              =
    *   POEXPIMPHEADER               =
    *   POEXPIMPHEADERX              =
    *   VERSIONS                     =
    *   NO_MESSAGING                 =
    *   NO_MESSAGE_REQ               =
    *   NO_AUTHORITY                 =
    *   NO_PRICE_FROM_PO             =
    *   PARK_COMPLETE                =
    *   PARK_UNCOMPLETE              =
    * IMPORTING
    *   EXPPURCHASEORDER             =
    *   EXPHEADER                    =
    *   EXPPOEXPIMPHEADER            =
      TABLES
        RETURN                       = return
        POITEM                       = lt_poit
        POITEMX                      = lt_poitx
    *   POADDRDELIVERY               =
    *   POSCHEDULE                   =
    *   POSCHEDULEX                  =
    *   POACCOUNT                    =
    *   POACCOUNTPROFITSEGMENT       =
    *   POACCOUNTX                   =
    *   POCONDHEADER                 =
    *   POCONDHEADERX                =
    *   POCOND                       =
    *   POCONDX                      =
    *   POLIMITS                     =
    *   POCONTRACTLIMITS             =
    *   POSERVICES                   =
    *   POSRVACCESSVALUES            =
    *   POSERVICESTEXT               =
    *   EXTENSIONIN                  =
    *   EXTENSIONOUT                 =
    *   POEXPIMPITEM                 =
    *   POEXPIMPITEMX                =
    *   POTEXTHEADER                 =
    *   POTEXTITEM                   =
    *   ALLVERSIONS                  =
    *   POPARTNER                    =
    *   POCOMPONENTS                 =
    *   POCOMPONENTSX                =
    *   POSHIPPING                   =
    *   POSHIPPINGX                  =
    *   POSHIPPINGEXP                =
    *   SERIALNUMBER                 =
    *   SERIALNUMBERX                =
    *   INVPLANHEADER                =
    *   INVPLANHEADERX               =
    *   INVPLANITEM                  =
    *   INVPLANITEMX                 =
    ENDFUNCTION.
    i am trying to generate purchase order and i create a BAPI also which is active. But when i call the BAPI from SYbase Mobile Object RFC then after calling it gives an Error "Conflict when calling a Function Module (Field Length)". 

  • Photomatix plug-in's HDR merged image has suddenly stopped showing up as part of the stack, yet when I repeat the merge it warns that these images are already merged. I have the merged image labeled with a HDR suffix.

    Photomatix plug-in's HDR merged image has suddenly stopped showing up as part of the stack, yet when I repeat the merge it warns that these images are already merged. I have the merged image labeled with a HDR suffix. Worked fine until now. Thanks

    I am not sure what's happening with IE9 (no live site) but I had real problems viewing your code in Live View - until I removed the HTML comment marked below. Basically your site was viewable in Design View but as soon a I hit Live view, it disappeared - much like IE9. See if removing the comment solves your issue.
    <style type="text/css">
    <!-- /*Remove this */
    body {
        margin: 0;
        padding: 0;
        color: #000;
        background:url(Images/websitebackgroundhomee.jpg) repeat scroll 0 0;
        font-family: David;
        font-size: 15px;
        height:100%;

  • Quality great in imovie, great idvd, terrible when creating a disk image

    Help! I've created a 30 minute film with very simple over-black titles, some fades, and a scrolling block of text at the beginning. The quality is great in imovie, great when I 'preview' in idvd, but once I create a disk image - it's blocky, the titles stutter and are choppy - essentially it looks unusable when viewed through the DVD player application.
    Any ideas what's going on? I haven't burned it to disc yet, as I wanted to check the disk image.
    Assets haven't been previously encoded, and the setting is 'best quality' 'PAL' output.
    Nightmare
    G4 Powerbook   Mac OS X (10.4.8)  

    The quality is great in imovie, great when I 'preview' in idvd
    iDVD's preview uses the raw assets - think of it as being 'for position only'.
    but once I create a disk image - it's blocky, the titles stutter and are choppy - the setting is 'best quality' 'PAL' output
    Give Best Performance a try.

  • Most times when I import photos from my desktop or dropbox to iPhoto, iPhoto will keep the title I created for the image as the display title under the image. but occasionally it displays the filename instead and I have to go back through and reenter

    most times when I import photos from my desktop or dropbox to iPhoto, iPhoto will keep the title I created for the image as the display title under the image. but occasionally it displays the filename instead and I have to go back through and reenter the title in iPhoto. why the inconsistency? running OS 10.9.5 and using iPhoto 9.5.1

    Try this:  select one of the photos that are showing the wrong title and use the Photos ➙ Batch Change ➙ Title to File Name menu option.
    See if that will put the name that you want under the thumbnail.

  • Why the system create HU that already exists  in table VEKP when I use BAPI_HU_CREATE?

    Hi All,
    When I use the BAPI_HU_CREATE  to create HU, the system give me a HU and it inserts a line in Table VEKP, however when I search in table VEKP  with field HU EXIDV, I find  two entries with the same HU, one of them has VPOBJ 01 and the other has VPOBJ 12, So when I execute  transaction LM46  the system shows “The system could not find transfer order for execution” because the system search in table VEKP it find the first line with VPOBJKEY = delivery  and STATUS = 0020, however those delivery is not assigned to transfer order that I want to confirm transfer order.
    Why the system create HU that already exists  in table VEKP when I use BAPI_HU_CREATE?
    Thank you!
    Best regards

    Do you want to say that you got 2 HU from BAPI_HU_CREATE?
    I think you only got the one which has VPOBJ = 12 Non-Assigned Handling Unit
    which is exact what the BAPI is used for, see the docu in SE37. Didn't you yourself add this EXIDV in the IDoc?
    VPOBJ = 01 Outbound Delivery
    If you want to pack the Outbound delivery then you should use BAPI_HU_PACK.

  • When playing a home video DVD using DVD Player I tried to use the "Controls, Use current frame as jacket picture" facility to create a printable image but with no success. Can anybody point me in the right direction?

    When playing a home video DVD (created on my Panasonic DVD/Hard Disc recorder)  using the Mac DVD Player, I tried to use the "Controls, Use current frame as jacket picture" facility to create a printable image but with no success. I assume that any file created by this action would be stored somewhere in a common format but cannot find any such file. Can anybody point me in the right direction?

    Hi Sinious,
    Interesting to know about 10.8 and Flash. I'll hold off upgrading until they work together. Currently using 10.6.8 at home and same on the Universtity's computers.
    Haven't verified on Windows but shall do later in the week if I can get access to a Windows machine.
    Both the Flash player and the Projector come up not full screen, and if I leave it that way then things work OK as long as I don't make the video full screen (using the full screen button on the skin).
    However if I make the swf or projector full-screen (by using CMD-F or the menu option) then when I click on the menu item to take me to the page with the video on it, instead of a page with a smallish video and back button I get a black screen with no obvious controls. If I then press Escape I get my normal screen back and I am in the page that should have the video but there is not video and the back button does not work. So something wierd is going on here.
    If I make a file without any videos with a similar navigation structure everyting works ok except that when I go full screen I lose the finger cursor when I roll over my buttons (which is also wierd).

  • Why does the Date Created metadata change when images are exported?How do I stop it from changing?

    why does the Date Created metadata change when images are exported?  How do I stop it from changing? I must have a prefernce set up wrong.

    I don't know what OS you are using, or what application you are using to view the data about your exported files, but on Windows and using Windows Explorer the "Date Created" field relates only to the date that the exported file was created, i.e. if viewed immediately after export it will show the date created as being the same date. In order to view "Capture Date" in something like Explorer, you first have to ensure you have included the Metadata as Conrad outlined above, then you have to adjust the display properties of Explorer to show the "Date Taken" field. Here is an example, part of a folder I exported back on March 3rd, note the difference between that last two dates:

  • HT1198 I shared disk space and my iPhoto library as described in this article. When creating the disk image, I thought I had set aside enough space to allow for growth (50G). I'm running out of space. What's the best way to increase the disk image size?

    I shared disk space and my iPhoto library as described in this article. When creating the disk image, I thought I had set aside enough space to allow for growth (50G). I'm running out of space. What's the best way to increase the disk image size?

    Done. Thank you, Allan.
    The sparse image article you sent a link to needs a little updating (or there's some variability in prompts (no password was required) with my OS and/or Disk Utility version), but it worked.
    Phew! It would have been much more time consuming to use Time Machine to recover all my photos after repartitioning the drive. 

  • TS3899 I accidently turned ON contacts when I was turning ON my yahoo email account in settings and now all the emails from contacts have been merged to create SEPARATE contact right under the original contact name. Now I have double contacts for everyone

    I accidently turned ON contacts when I was turning ON my yahoo email account in Settings and now all the emails from contacts have been merged to create SEPARATE contact right under the original contact name. Now I have double contacts for everyone with an email address!!! how do I UNDO? it says all CONTACTS WILL BE DELETED...when I go to turn CONTACTS to OFF.

    Any contacts synced with the Yahoo account will be deleted from the phone if you turn it off. They will still be out there in Yahoo land, so if you turn it off and it deletes something you didn't want to, just turn it back on again.
    It's extremely unclear what you did when you say " I only created contacts and typed in emails that I had for those contacts.....so I am still not sure how to UNdo what I did without deleting anything"
    Undo WHAT, exactly? You said "I accidently turned ON contacts when I was turning ON my yahoo email account in Settings and now all the emails from contacts have been merged to create SEPARATE contact right under the original contact name."
    Just turn it off.

  • Disk utility is crashing when trying to create a new image

    Seriously need some help if anyone has an idea of why disk utility is crashing while trying to create a disk image. I'm not finding any other info on this issue.
    My HD is failing and being replaced tomorrow and I'm desperately trying to create disk images of both my mac HD and of bootcamp for the new drive being installed.
    Any recommendations or suggestions would be truly appreciated.

    Thank you for responding so quickly. I do have Carbon Copy Cloner, but if disk utility isn't working, getting it to restore is going to be an issue, though haven't attempted a restore since the HD has to be replaced.
    CCC also doesn't clone bootcamp either unfortunately.
    Currently running "verify permissions" using Disk Utility and so far so good, it hasn't crashed, it seems to be an issue related to imaging with disk utility.
    Then I am going to attempt using the install disk to see if I can get disk utility again and try imaging Bootcamp again too.

Maybe you are looking for

  • How to avoid crosstab - Show number of days according to groups

    Morning all, I think you all would agree with me that even having crosstab as a great tool in Crystal 2008, there are still quite allot of limitations to it. I have created a report using crosstab which shows number of days and jobs according to thos

  • My iMac G5 won't start - please help?

    I don't get a chance to get near it very often, but my wife & kids say it has been really slow recently and particularly getting stuck in Microsoft Word. Then it froze. Now it won't start-up - get to the grey screen & the apple logo and the pin-wheel

  • How to display image in selection-screen of a report

    Dear all , i want to show my image from url or from desktop to the report selection-screen . i have searched sdn and found some code . after applying it i am not able to display image in the selection-screen although it is displaying the box in which

  • Storage Devices can not be written to

    Hello I am very confused, I have bought a new Imac having been a pc windows user all my life, and from my laptops I have various external storage devices, The Imac finds them and I can drag files from device onto the Mac, However I am not able to mov

  • Fix Array Front Panel Dimension but Allow User to Change Array Size

    Hi I know there's a few other posts on array and scroll bars but mine is a bit different. I want to have the physical dimension of the array control fixed and allow the user to vary the size of the array as needed and a scroll bar if the number of el