7-Zip for Mac?

I use 7-Zip for Windows, and I am astounded at the quality of the compression (sometimes down to 55% of the original size). Is there such an alternative for Mac?
At the moment, I have a few DMGs, which would fit onto a DVD-9 but not a DVD-5. I can't get any good DVD-9s without ordering them online, and I don't want to go through that hassle for a spindle of 10 or 20. In addition, 7-zip would be an excellent format for archiving old data. Is there a mac version?

http://www.7-zip.org/download.html - Google is your friend..:-)

Similar Messages

  • How do I create and send a zip file? I have Lion and I'm working in Word for mac

    To show you how little I know about any of this, I don't even know if this is the correct forum in which to ask this question. I'm a copywriter. I have a client in France. I have 15 word documents, 15 of the same documents in PDFs and a small Excel document to send him. Simple, mutlipage Word docs. Short two-page Excell sheet. I want to create a zip file for them to send to him. Can I do it? How? I have unzipped zip files other people have sent to me, but I've never created or sent one myself. I'm working in Word for Mac 2011. I have Lion. I'm using Mac's email. Please don't assume I know anything. I need very, very simple, play by play instructions. You are all very helpful, so I have high hopes.
    Nancy

    Visit:
    http://download.cnet.com/MacZip/3000-2250_4-10025248.html
    You will be able to both zip and unzip. If the recipient of your zipped file does not have zip, he/she will need to get it, or you could send him/her the above address so that he/she can unzip his/her file.
    (I wish the English language could settle on the use of something less clumsy that he/she him/her etc.)
    BTW, I think that you can zip only folders, not separate files, so put even one file into a folder before zipping).
    Message was edited by: SteveKir Added BTW

  • Exporting selected contacts from Outlook 2011 for Mac

    I've wanted to easily export a set of selected contacts from Outlook in Microsoft Office for Mac 2011.  I've been through many threads about synching to Address Book and then exporting, but I've found a host of troubles, including duplicate copies of contacts being created.
    So, I finally broke down and wrote an AppleScript script to export all of the currently selected contacts from Outlook to a file in either vcf (vcard) or csv (comma separated value) format.  The best use of this script is to:
    -- Install this as a script in Microsoft Outlook by saving the script below to Documents>Microsoft User Data>Outlook Script Menu Items
    -- Change to your Contacts in Outlook.  Use the Outlook search bar to find the contacts you want to export.  You might search by name, category, company, or anything else that identifies the contacts you want to export.  Or, you might just leave the view showing all contacts.
    -- Select the contacts you want to export
    -- Launch the script
    The script will have you select between vcard and csv and select a destination file.  This hasn't been optimized for speed, so if you're exporting 100's or 1,000's of contacts, be patient.  And there isn't a progress bar at present, so you have to wait.  It will display an alert when it's complete.
    Sorry not to have a download location for you.  You'll just have to copy the script text :-).  Keep in mind there's been some but limited testing.  Read the comments for details.  And enjoy.
    -- jsc
    --  Export Outlook Contacts
    --  (c) 2012 J. Scott Carr.  The script is made available for free use, with no
    --  warranty, under the Creative Commons license agreement.
    --  This script has only been tested on Mac OS X 10.6.8 with Micrsoft Outlook for
    --  Mac 2011 version 14.1.4.
    property byCategory : "By category"
    property byPattern : "Names matching pattern"
    property vcardFormat : "VCard"
    property csvFormat : "CSV"
    --  main
    set contactsToExport to {}
    -- Get the contact selection
    set contactsToExport to get_contacts_to_export()
    if (count of contactsToExport) is 0 then
              display alert "Please select contacts to export and rerun script" as warning
              return
    end if
    -- Shall we export to vcard or CSV?
    set theFormat to vcard_or_csv()
    if theFormat is "" then
              display alert "Error: Must select VCard or CSV format" as warning
              return
    end if
    -- Get and open the output file
    set oFile to open_output_file(theFormat)
    if (oFile is equal to -128) then
    display alert "Canceled"
              return
    else if (oFile < 0) then
              display alert "File open failed (" & oFile & ")" as warning
              return
    end if
    -- Export the contacts
    display dialog "About to export " & (count of contactsToExport) & " contacts in " & theFormat & " format.  Proceed?"
    if button returned of result is not "OK" then
              try
      close access oFile
              end try
              return
    end if
    if theFormat is vcardFormat then
    export_to_vcard(contactsToExport, oFile)
    else if theFormat is csvFormat then
    export_to_csv(contactsToExport, oFile)
    else
              display alert "Invalid format" as warning
    end if
    close access oFile
    display alert "Complete"
    return
    --  get_contacts_to_export()
    --  We're going to export the Contacts currently selected in Outlook.
    --  Check that the current selection is Contacts and not some other Outlook
    --  object.  Snag the selected Contacts and return them as a list.
    --  A side note.  When I started this, I built options to enter a matching
    --  name string or select a category.  And then it hit me that those features
    --  are much more robust in Outlook, and it would be easy to just use the
    --  current selection.
    --  There is some strange behavior that Outlook needs to have recently been
    --  the front, active window.
    on get_contacts_to_export()
              set selectedContacts to {}
              tell application "Microsoft Outlook"
                        set theSelection to selection
                        if class of theSelection is list then
                                  if class of the first item of theSelection is contact then
                                            copy theSelection to selectedContacts
                                  end if
                        else
                                  if class of theSelection is contact then
                                            copy theSelection to selectedContacts
                                  end if
                        end if
                        return selectedContacts
              end tell
    end get_contacts_to_export
    --  vcard_or_csv()
    --  Get the format to use when exporting contacts
    on vcard_or_csv()
              choose from list {vcardFormat, csvFormat} with prompt "Select export file format:"
              if result is false then
                        return ""
              else
                        return first item of result
              end if
    end vcard_or_csv
    --  open_output_file()
    --  Open the destination file for the export, returning the file descriptor or the error number
    --  if the operation fails
    on open_output_file(exportType)
    -- Get the filename, letting "choose file name" deal with existing files.
              set theDate to current date
              set theTime to time of theDate
              if exportType is csvFormat then
                        set fileName to "contacts.csv"
              else
                        set fileName to "contacts.vcf"
              end if
              try
                        set outputFile to choose file name with prompt "Select export destination file" default name fileName
              on error errText number errNum
                        return errNum
              end try
    -- Open the file
              try
      -- Open the file as writable and overwrite contents
                        set oFile to open for access outputFile with write permission
      set eof oFile to 0
              on error errText number errNum
                        display alert "Error opening file: " & errNum & return & errText as warning
                        try
      close access oFile
                        end try
                        return errNum
              end try
              return oFile
    end open_output_file
    --  export_to_vcard()
    --  Export each of theContacts to the open file outFile as a set of vcards.  Note that the
    --  vcard data is from the "vcard data" property of the theContacts.  This routine
    --  doesn't attempt to reformat an Outlook vcard, nor limit the fields included
    --  in the vcard.
    on export_to_vcard(theContacts, outFile)
              set vcards to {}
              tell application "Microsoft Outlook"
                        repeat with aContact in theContacts
                                  copy vcard data of aContact to the end of vcards
                        end repeat
              end tell
              repeat with aCard in vcards
      write (aCard & linefeed) to outFile
              end repeat
    end export_to_vcard
    --  export_to_csv()
    --  Export each of theContacts to the open file outFile in csv format
    on export_to_csv(theContacts, outFile)
              set csvFields to {}
    -- Get the fields of the contact to export
              set csvFields to init_csv()
    -- Write the header row
              set nFields to count csvFields
    write first item of csvFields to outFile
              repeat with i from 2 to nFields
      write "," & item i of csvFields to outFile
              end repeat
    write linefeed to outFile
    -- Export the fields of the contacts in CSV format, one per line
              repeat with aContact in theContacts
      write build_csv_line(csvFields, aContact) & linefeed to outFile
              end repeat
    end export_to_csv
    --  init_csv(): defines the fields to export when csv format is selected
    --  Each of the fields in the list must match a name used in the routine build_csv_line().
    --  The idea is to later create a a pick list so the user can select which contact properties
    --  to export.
    on init_csv()
              set csvFields to {"first name", "last name", "middle name", "title", "nickname", "suffix", "phone", "home phone number", "other home phone number", "home fax number", "business phone number", "other business phone number", "busines fax number", "pager number", "mobile number", "home email", "work email", "other email", "company", "job title", "department", "assistant phone number", "home street address", "home city", "home state", "home country", "home zip", "business street address", "business city", "business state", "business country", "business zip", "home web page", "business web page", "note"}
    end init_csv
    --  build_csv_line(): format one line for the csv file
    --  Parameter csvFields determins which fields to include in the export.
    --  Unfortunately I've not figured out how to use perl-style generation of
    --  indirect references.  If I could, this would have been much more elegant
    --  by simply using the field name to refer to a Contact properly.
    --  Note that email address are a special case as they're a list of objects in
    --  Outlook.  So these are handled specially in the export function and can only
    --  be selected by the column names "home email", "work email", and "other email". 
    --  Outlook allows a contact to have more than one of each type of email address
    --  but not all contact managers are the same.  This script takes the first of
    --  each type.  So if a contact has more than one "home" email address, you will
    --  only be able to export the first to a csv file.  Suggest you clean up your
    --  addresses in Outlook to adapt.  The alternative is to support multiple
    --  columns in the csv like "other email 1" and "other email 2", but that's not
    --  supported in this version.
    --  Another note.  In this version, any embedded "return" or "linefeed" characters
    --  found in a property of a contact are converted to a space.  That means that
    --  notes, in particular, will be reformated.  That said, this gets arond a problem
    --  with embedded carriage returns in address fields that throw off importing
    --  the csv file.
    --  Also note that at this time IM addresses aren't supported, but it's an easy add
    --  following the same logic as email addresses.
    on build_csv_line(csvFields, theContact)
              set aField to ""
              set csvLine to ""
              set homeEmail to ""
              set workEmail to ""
              set otherEmail to ""
              tell application "Microsoft Outlook"
                        set props to get properties of theContact
      -- Extract email addresses from address list of contact
                        set emailAddresses to email addresses of props
                        repeat with anAddress in emailAddresses
                                  if type of anAddress is home then
                                            set homeEmail to address of anAddress
                                  else if type of anAddress is work then
                                            set workEmail to address of anAddress
                                  else if type of anAddress is other then
                                            set otherEmail to address of anAddress
                                  end if
                        end repeat
      -- Export each desired fields of the contact
                        repeat with aFieldItem in csvFields
                                  set aField to aFieldItem as text
                                  set aValue to ""
                                  if aField is "first name" then
                                            set aValue to get first name of props
                                  else if aField is "last name" then
                                            set aValue to last name of props
                                  else if aField is "middle name" then
                                            set aValue to middle name of props
                                  else if aField is "display name" then
                                            set aValue to display name of props
                                  else if aField is "title" then
                                            set aValue to title of props
                                  else if aField is "nickname" then
                                            set aValue to nickname of props
                                  else if aField is "suffix" then
                                            set aValue to suffix of props
                                  else if aField is "phone" then
                                            set aValue to phone of props
                                  else if aField is "home phone number" then
                                            set aValue to home phone number of props
                                  else if aField is "other home phone number" then
                                            set aValue to other home phone number of props
                                  else if aField is "home fax number" then
                                            set aValue to home fax number of props
                                  else if aField is "business phone number" then
                                            set aValue to business phone number of props
                                  else if aField is "other bsiness phone number" then
                                            set aValue to other business phone number of props
                                  else if aField is "bsuiness fax number" then
                                            set aValue to business fax number of props
                                  else if aField is "pager number" then
                                            set aValue to pager number of props
                                  else if aField is "mobile number" then
                                            set aValue to mobile number of props
                                  else if aField is "home email" then
                                            set aValue to homeEmail
                                  else if aField is "work email" then
                                            set aValue to workEmail
                                  else if aField is "other email" then
                                            set aValue to otherEmail
                                  else if aField is "office" then
                                            set aValue to office of props
                                  else if aField is "company" then
                                            set aValue to company of props
                                  else if aField is "job title" then
                                            set aValue to job title of props
                                  else if aField is "department" then
                                            set aValue to department of props
                                  else if aField is "assistant phone number" then
                                            set aValue to assistant phone number of props
                                  else if aField is "age" then
                                            set aValue to age of props
                                  else if aField is "anniversary" then
                                            set aValue to anniversary of props
                                  else if aField is "astrololgy sign" then
                                            set aValue to astrology sign of props
                                  else if aField is "birthday" then
                                            set aValue to birthday of props
                                  else if aField is "blood type" then
                                            set aValue to blood type of props
                                  else if aField is "desription" then
                                            set aValue to description of props
                                  else if aField is "home street address" then
                                            set aValue to home street address of props
                                  else if aField is "home city" then
                                            set aValue to home city of props
                                  else if aField is "home state" then
                                            set aValue to home state of props
                                  else if aField is "home country" then
                                            set aValue to home country of props
                                  else if aField is "home zip" then
                                            set aValue to home zip of props
                                  else if aField is "home web page" then
                                            set aValue to home web page of props
                                  else if aField is "business web page" then
                                            set aValue to business web page of props
                                  else if aField is "spouse" then
                                            set aValue to spouse of props
                                  else if aField is "interests" then
                                            set aValue to interests of props
                                  else if aField is "custom field one" then
                                            set aValue to custom field one of props
                                  else if aField is "custom field two" then
                                            set aValue to custom field two of props
                                  else if aField is "custom field three" then
                                            set aValue to custom field three of props
                                  else if aField is "custom field four" then
                                            set aValue to custom field four of props
                                  else if aField is "custom field five" then
                                            set aValue to custom field five of props
                                  else if aField is "custom field six" then
                                            set aValue to custom field six of props
                                  else if aField is "custom field seven" then
                                            set aValue to custom field seven of props
                                  else if aField is "custom field eight" then
                                            set aValue to custom field eight of props
                                  else if aField is "custom phone 1" then
                                            set aValue to custom phone 1 of props
                                  else if aField is "custom phone 2" then
                                            set aValue to custom phone 2 of props
                                  else if aField is "custom phone 3" then
                                            set aValue to custom phone 3 of props
                                  else if aField is "custom phone 4" then
                                            set aValue to custom phone 4 of props
                                  else if aField is "custom date field one" then
                                            set aValue to custom date field one of props
                                  else if aField is "custom date field two" then
                                            set aValue to custom date field two of props
                                  else if aField is "note" then
                                            set aValue to plain text note of props
                                  end if
                                  if aValue is not false then
                                            if length of csvLine > 0 then
                                                      set csvLine to csvLine & ","
                                            end if
                                            if (aValue as text) is not "missing value" then
                                                      set csvLine to csvLine & "\"" & aValue & "\""
                                            end if
                                  end if
                        end repeat
              end tell
    -- Change all embeded "new lines" to spaces.  Does mess with the formatting
    -- of notes on contacts, but it makes it cleans the file for more reliable
    -- importing.  This could be changed to an option later.
              set csvLine to replace_text(csvLine, return, " ")
              set csvLine to replace_text(csvLine, linefeed, " ")
              return csvLine
    end build_csv_line
    --  replace_text()
    --  Replace all occurances of searchString with replaceString in sourceStr
    on replace_text(sourceStr, searchString, replaceString)
              set searchStr to (searchString as text)
              set replaceStr to (replaceString as text)
              set sourceStr to (sourceStr as text)
              set saveDelims to AppleScript's text item delimiters
              set AppleScript's text item delimiters to (searchString)
              set theList to (every text item of sourceStr)
              set AppleScript's text item delimiters to (replaceString)
              set theString to theList as string
              set AppleScript's text item delimiters to saveDelims
              return theString
    end replace_text

    Thank You, but this is a gong show. Why is something that is so important to us all so very, very difficult to do?

  • BE 3000 with Jabber (for Mac) and webex connect integration problems

    Hi,
    This is my first question on the forum so please be gentle!
    I have a customer who has a Business Edition 3000 and they have purchased WebEx connect and Jabber integration to go with it.
    My problem is I am having difficulty getting the setup to work and I have a number of questions on how to set this up.  Most of the docs on Cisco's website seem to be related to either CUCME or full CUCM, but not a lot on BE 3000.  My questions are below:
    1.  I have been reading the documentation for WebEx connect and it states to set the IP address of the BE 3000 server in the Configuration>Additional Services>Unified Communications>Voicemail tab.  This is currently on the network with a 192.168.x.x address however.  My predecessor put this IP address in the WebEx configuration page but I'm not sure this will work with a private IP as I don't know how this communicates back.  The documentation isn't very clear on this.  Does this have to be a public IP address / FQDN for it to work?
    2.  Are there any SRNDs for this type of setup that could help?  Again, looking through the website hasn't turned anything up yet.
    Note: 
    we are using the following software:
    Jabber for MAC:
    uc-client-mac-8.6.7.20127.fcs.zip
    MAC OS:
    OSX 10.8.3
    BE 3000:
    MCS7890C1-BE8
    8.6.4.10000-15.
    Thanks in advance for any help.
    Regards,
    Jason

    Hi - I have done this via the admin portal but still cannot get the Jabber client for Mac to register for voice.  The Windows version works fine for the same user and CUCM device.   Are there any other settings that need to be enabled specific to the Mac client?
    Thanks.

  • Creative Cloud desktop App for Mac crashes and does not work

    Installed creative cloud for MAC (running OSX 10.9). App does not run. I see the Creative Cloud icon at top of screen (in menu) for about 0.5 seconds then it disappears. No error messages or warnings. I have tried to uninstall and install the desktop app many times with the same results. It appears there is no way to download the LR CC and PS CC that I paid for.
    I have even tried to run this from another dmim account. Same error.
    I have run disk utility - repair disk and repair permissions.
    Please can someone help me with this issue?
    Thank you.

    Are you getting Error code 1 while running CreativeCloudInstaller.dmg file ?
    If so , follow below steps :
    Important :  Launch Activity Monitor and "Force Quit" all the process related to Adobe like Creative Cloud setup, CoreSync, AAMupdater, AAMupdater notifier, Adobe Crash demon from Activity monitor.
    1)
    Click on the Finder and look for the options listed next to Apple Icon located at the top left corner of the Desktop screen and click on "Go" menu button and select "Utilities" option.
    (Applications>Utiliites)
    Locate Adobe Creative Cloud and Adobe Application Manager folder under Utilities window and trash both folders.
    2)
    Click on the below link and download & run Adobe Cleaner tool :
    Select the option "Adobe Application Manager for Mac OS X 10.6" and then click on "Clean up Selected" .
    https://helpx.adobe.com/content/help/en/creative-suite/kb/cs5-cleaner-tool-installation-pr oblems/_jcr_content/main-pars/accordion_container_1/accordion-par/accordion-item-1/accordi on-item-par/procedure/proc_par/step_3/step_par/download/file.res/AdobeCreativeCloudCleaner Tool.zip
    3) Click on the below link and download Creative Cloud Installer file and use the same to install the Creative Cloud Desktop application.
    https://ccmdls.adobe.com/AdobeProducts/KCCC/1/osx10/CreativeCloudInstaller.dmg

  • Paste not working properly in DW for Mac

    Ok, here's a gripe which has long irritated me, but which is so minor I've not bothered posting about it before now because by the time I fight my way through the Adobe site, login to the fora, type and post a message, I fixed the problem manually, but it's got to the stage where it's got my goat.
    I'm using DW 9 (CS3) under Mac OS/X Tiger (10.4), but the problem's occurred in previous versions of DW. Basically, I can't paste anything but bare text into design view. It doesn't matter from which application I've copied, even bare text in a web page, hitting Cmd-V does zip. I have to go into Paste Special and choose Text Only - all other options do bubkes. I can go into Code View and paste which of course just drops in unformatted text. This is a real PITA in situations like now, where I've got to go through 3 pages worth of academic references manually inserting carriage returns then formatting text as bold and italic.  Is this a known 'issue' with DW for Mac? There's nothing wrong with the DW prefs that I can see, and I've been using this damn software for the best part of a decade so it's not as if I'm a newbie, though my Mac usage is relatively recent (last couple of years).
    I've got to say that DW on the Mac, as you guys across the Pond say, sucks bigtime. It's memory usage is less than optimal (activity meter sometimes hits near 100% processor usage if DW's working), it's often keyboard-abusingly slow, and there are so many little 'idiosyncrasies' that irritate that it would take pages to outline them all. The irritations are so minor that it's not worth posting about them usually (getting to this stage has cost me 15 minutes, in which time I could have added all the CRs in my ref list), but it does grate that hundreds of dollars worth of bloatware grinds along on what is pretty much a top of the range machine (Macbook Pro). Luckily I'm not paying for the software - my employer is, otherwise I'd be really narked. I only use it on account of the site management capabilities which aren't duplicated AFAIK in any Open Source software.
    Ok, that's that off my chest. Back to basic sodding text editing that I shouldn't have to do...
    Fred
    PS: Are you sure you've stuffed your pages with enough JS code, Adobe? Clunky ain't the word for some of the pages on this site...

    Just to add another gripe about DW for Mac, it hangs and/or crashes on a regular basis. For example, I've just now asked it to open a small (8kb) XML file and it's gone into a funk with the old spinning disk, which I'll have to force quit. No big, but not what you'd expect of a 'premium' product.

  • Help - flash player v6 standalone for mac OS 8.6?

    desperately looking for flash standalone player v6 for mac OS
    8.6. tried the adobe downloads archived flash player section:
    http://kb.adobe.com/selfservice/viewContent.do?externalId=tn_14266&amp;sliceId=2
    theres an extensive version 6, but the install only installs
    browser plugins, not the standalone player. even if someone has a
    v6 standalone player they could zip and email me i would be
    eternally grateful.
    the release notes talk about a standalone, but its not in the
    hqx file that the link gives you.
    http://www.adobe.com/support/flash/releasenotes/player/rn_6.html

    What are you trying to do? Mac 8.6 is so old as is the Flash
    6 player.
    ASFAIK, the stand alone players are not generally
    distributed. They are only included with the Flash authoring tool.
    Maybe it was different back in 2001...
    If you have a copy of Flash that runs on Mac OS 8.6 (or
    perhaps even OS 9) here is a trick that may help you. (Some of the
    names might be off a bit due to changes in the interface. I can't
    remember that far back!)
    Open up Flash.
    Create a new Flash document.
    Save it with a name like &quot;MyFlashPlayer&quot;
    Go to the File menu and select publish options.
    Check the box to publish a Mac projector.
    Uncheck the publish to SWF box
    Publish your file.
    You can now use the projector to open swf files.
    Don't know if that will help, but it might. Otherwise let us
    know what you are trying to do.

  • Problems installing VadoCentral_MAC_APP_LA_1_2_3.zip on Mac

    Problems installing VadoCentral_MAC_APP_LA__2_3.zip on Mac? Preamble: st gen Vado HD
    macbook pro running OS X Snow leopard 0.6.2
    I'm having a tough time installing the Vado Central SW on my Mac. I tried installing VadoCentral_MAC_APP_LA___0_df6, too. Similar results with both, I get a message "Installation failed."? This comes as no surprise since my mac never installs anything without prompting for an administrator login. So, I ignored the instructions to plug in the Vado after the installation was complete, and plugged it in and tried re-installing the software with the Vado as the installation destination.... which makes sense since it seems to run the Windows Vado Central from the Vado. VadoCentral_MAC_APP_LA__2_3.zip would not let me select any device except the mac hard dri've.
    With VadoCentral_MAC_APP_LA___0_df6 I was able to install change the install location to the Vado HD device. It appears to have created an applications folder containing Vado Central.app. But, now when I plug in the Vado, it still automatically starts iPhoto. If I browse the Vado and double click the Vado Central.app, OS X first prompts, asking me if I want to install the application to the local computer. Click "No", then I get prompted that Vado Central rquires the flv2ITunes transcorder downloaded and installed. Click "Yes", then I'm prompted that a newer version of Vado Central is available, "Do you want to download...", click "Yes". It downloads and installs somewhere, but apparently not on the Vado, because it puts me through all of this every time. Whatever/whereever the software is being updated, it's not changing the Vado Cental.app on the Vado, based on the timestamp.
    Can somebody provide the correct installation instructions? The minimal instructions on the Creative download page appear to be wrong. (I've looked at the other threads complaining about the mac installation, they don't seem to match my experience.)
    TIA

    I have a Vado HD 2nd generation. I use it exclusi'vely on my MacBook.
    The firmware version that my Vado came with is "v.250.
    I found out the version on my unit by holding down the Delete button
    while turning the unit on.
    Is it possible that your unit is not installing v.23 because your unit already has a later version?
    Hope this helps.

  • .exe projector file for PC works fine, but extracted .hqx for Mac won't open when on CD

    I'm using Flash MX, AS 2, Projector 6, working on a PC.
    I saved two versions of my project -- one .exe for Windows and one .hqx for Mac.  The .exe works fine when burned onto a CD.  When opening the .hqx from a CD on a Mac, I got a message that the file is on a locked volume.  I discovered that the reason for this is that an .hqx is essentially a zipped file which has to be extracted, and when a file is extracted, the unzipped files are written onto the same location as the original.  When the original files are on a CD, Stuffit (Mac's zip extractor program) can't write onto that location.
    [So if anyone at Adobe looks at these forum posts, let me say that I think its absolutely ridiculous that the Mac version of Flash's projector files have to be extracted in order to be viewed!]
    To get around this problem, I saved the .hqx on my PC, put it on a portable hard drive and brought it over to a Mac (because Stuffit for PC converts it into an .exe for PC), and unzipped it.  When I'd test it on the portable hard drive or on a USB drive, the extracted file would work.  When I'd bring it back over to the PC and burn a CD with both versions on it, and then test that CD on the Mac, it wouldn't work.  Can anyone tell me why the extracted Mac version works on a hard drive, but not on a CD?  What do I have to do in order to make a Mac projector file work from a CD?

    Windows uses the FAT file system, Macs use the HFS file system. The two are not compatible. If you save a Mac projector file on a FAT file system, it won't be saved properly and it won't work. When you create a Mac projector from a Windows version of Flash, the file will be saved as a compressed .hqx file.
    Since you need to use a Mac to create a hybrid CD, when you move that .hqx file to the Mac, unstuff it and then use the resulting file for the CD. It will then run from the CD as expected.

  • Problems with Bridge for Mac 3.7

    I've been using Bridge for Mac for a while without any problems, but since it downloaded the 3.7 update it won't recognize my phone. When I connect, it thinks for a few seconds, then says it cannot connect. I've tried deleting and redownloading the app, and deleting any relevant system files I can find. If I connect it in Windows with the same cable and through the same USB port, PC Companion recognizes it no problem. Any idea what's going on here?

    Hi mcilwr01,
    I'm sorry Bridge isn't working for you, and I understand you're upset. 
    Could you please send me error logs that I can forward to the development crew? Otherwise it's near impossible to tell what's causing your problems.
    Here’s how to get error logs from Sony Bridge for Mac:
    1. In BfM, hold the "alt" key down while selecting the "Phone" menu. Select "Clear logs" to remove all old logs and get a clean start
    2. Reproduce the problem you're having, whether it's connecting the phone, importing photos, doing backup...
    3. In BfM, hold the "alt" key down while selecting the "Phone" menu. Select "Export logs"
    4. On the computers desktop there should now be a file named "SonyBridgeForMacLogs_[date].zip
    5. PM that file to me or post the contents here 
    We are working on solving the problems of 3.7 as fast as possible, I apologize for not having a solution for you right now.
    Best Regards,
    David

  • How do you change the shortcut keys for Firefox in Welsh For Mac?

    I'm using Firefox in Welsh on Mac (asking in English to hopefully get more answers), and every time I try to do the shortcut for copy (cmd+C), it hides the window (since Hide in Welsh is Cuddio, the shorcut for that is now Cmd+C). I usually forget this, and proceed with using the shortcut for copy only to anger myself when I realise that I've hidden the window.
    My question is, how do you change the shortcut keys on Firefox so then I can change the Hide shortcut and give Copy the cmd+C shortcut? I'm also using OpenOffice.org in Welsh, and they are using cmd+C for copy and cmd+H for Hide.
    Is there any way that I could do this myself? Its rather annoying for me, and its rather weird to use Cmd+X for Cutting text instead of copying.
    Thanks.

    This could be worth a bug. It shouldn't happen that some shortcut keys get (re)used for other actions and Cmd + C should be considered as one of them.
    You can try to make the change in this file: cy.jar/locale/browser/baseMenuOverlay.dtd
    <pre><nowiki><!ENTITY hideThisAppCmdMac.label "Cuddio &brandShortName;">
    <!ENTITY hideThisAppCmdMac.commandkey "C"></nowiki></pre>
    English language pack: en-GB.jar/locale/browser/baseMenuOverlay.dtd
    <pre><nowiki><!ENTITY hideThisAppCmdMac.label "Hide &brandShortName;">
    <!ENTITY hideThisAppCmdMac.commandkey "H"></nowiki></pre>
    You can find the file cy.jar in the chrome folder in the Firefox application folder.<br />
    The file cy.jar is a ZIP archive, so you need a program that can open such an archive and edit the file baseMenuOverlay.dtd.
    I'm not on a Mac, so can't do any testing in this matter. I just downloaded the Welsh (cy.xpi) language pack for Mac and had a look in it.

  • Need AV or IS Software for Mac with Windows apps?

    I would like to know if it is advisable to install anti-virus or Internet security software on a Mac if you run both Mac and Windows applications. I ask this question because I understand that those programs may not as necessary for Mac applications only but I wonder if the Windows applications that I installed under Parallels Desktop 7 will cause the computer to be  vulnerable. I also wonder whether in installation of the AV or IS software will protect both the Mac and Windows virtual machines. Thanks

    Antivirus software for OS X is not necessary. However if you run MS Windows in any fashion meaning via Boot Camp or virtualization software such as Parallels or Fusion then you should treat the MS Windows installation as you would ANY MS Windows installation, in other words install antivirus software for MS Windows! The good news is even if your MS Windows becomes totally diseased this will in no way affect the OS X installation.
    In your case because you have installed Windows in Parallels then get yourself some antivirus software for MS Windows and install away. You can resist the urge for antivirus software for OS X though for many reasons, first an foremost is there are zero (none, nada, zip) viruses for OS X. While there are some trojans out there for OS X they are few and far between. The primary difference between a Trojan and virus is that Trojans must be downloaded and installed by the user. The lesson to learn here is  only download from trusted sites and any site that tells you to download something should be approached with a great deal of caution. In other words if you aren't sure don't do it and come to a these forums and ask. The next reason OS X doesn't need antivirus software is most take up a lot resources on your computer and slow it down, and finally many tend to create more problems than they solve. If you still aren't convinced then download ClamXav, it's free, unobtrusive and kept up-to-date.

  • Unzip Xtra for Mac

    Hi All,
    I am developing a hybrid application which receives updates
    in ZIP from the web. Windows is no problem. I am using the bundled
    Unzip Xtra in Director. The problem is that, the file and folder
    names in the bundled updates, sometimes are more than 32 characters
    long. As a result, the Unzip xtra on Mac will truncate the
    file/folder names to under 32 characters thus ruining my updates. I
    searched for an Unzipping xtra for Mac but could ot find any that
    would allow for unzipping more than 32 character long file/folders.
    Any ideas how do I proceed with this?
    Thanks in advance.
    Nitin.

    Andrew Morton wrote:
    >> Can anyone please tell me if there is a MAC OSX xtra
    that can unzip
    >> files, I'm developing a cross platform project and
    it will need to
    >> unzip a file. I have budUnzip doing the job on PC.
    >
    > You could try baRunProgram (from the buddyAPI xtra) to
    run gzip to
    > unzip files. OSX comes with gzip.
    Go with Luke's idea - baRunProgram on a Mac doesn't take
    command line
    arguments, although I'm not sure OS X comes with unzip - two
    I just checked
    didn't (OS X 10.3 and 10.4). Gzip is pretty much a certainty.
    Andrew

  • Compatibility with Office for Mac

    I'll ask this in the Pages section, though it also applies to Numbers.
    I currently use MS Office for Mac 2011, but would like to uninstall it and use iWork 09.  I do have to interactively work on basic text documents and basic spreadsheets with other people, so I need to know that formatting, attributes, etc. will not be altered if I make simple editing changes and then send a document to others as a Word document.  Again, just basic document here...nothing fancy.

    Larry you could use Yvan's uninstall script. It will delete all but custom made templates and documents.
    To uninstall correctly iWork, go to Yvans iDisk :
    <http://public.me.com/koenigyvan>
    Download :
    For_iWork:iWork '09:uninstall iWork '09.zip
    Expand the archive and run the script.

  • Sony Bridge for Mac doesn't work with my Sony Xperia J

    I have installed Sony Bridge for Mac version 3.7.1, but it won't connect to my Sony Xperia J which I have only had for 3 months.
    I get the error "Could not connect to your Xperia device. Please disconnect and reconnect it again. Restart the device if the problem persists". All the time.
    I have tried all of the suggestions in the error message. I have also tried reinstalling Sony Bridge for Mac, to no avail.
    I am running Mac OS X 10.9.2 on an iMac. I am also using the correct USB lead - the one supplied with the phone.
    The Mac system log shows this error:
    Apr  3 20:42:35 robins-imac.default Sony Ericsson Bridge for Mac[973]: BUG in libdispatch client: kevent[EVFILT_WRITE] delete: "No such file or directory" - 0x2
    I suspect that whoever wrote Sony Bridge for Mac did not try it on OS X 10.9.2.
    I am seriously thinking of getting rid of this phone and getting one that works properly with the Mac - ie, not a Sony phone. Sony always seem to have problems with supporting Macs, for some bizarre reason.

    Hi Yorkshirecomposer,
    I will ask the development crew about the system log error. Additionally, could you provide me with error logs to send them as well?
    Here’s how to get error logs from Sony Bridge for Mac: 
    1. In BfM, hold the "alt" key down while selecting the "Phone" menu. Select "Clear logs" to remove all old logs and get a clean start
    2. Reproduce the problem you're having, whether it's connecting the phone, importing photos, doing backup...
    3. In BfM, hold the "alt" key down while selecting the ”Xperia” menu. Select "Export logs"
    4. On the computers desktop there should now be a file named "SonyBridgeForMacLogs_[date].zip
    5. PM that file to me or post the contents here
    Best Regards,
    David

Maybe you are looking for

  • Loading decimal  value to an infoobject of type char

    I have an extract structure with field timestamp, which is of type dec and length 15. Now i want to load this value to an infoobject in ODS. But this infoobject is of type char and length 18. when infopackage loading is scheduled it is giving the fol

  • Table for parked and posted vendor bills for purchase order.

    Gurus In which table purchase order histroy data is stored? Is there any standard report for viewing following po no,PO date,line item no.,material code,ordered quantity,GRN date,GRN qty,GRN amount,parked qty,parked amount,posted qty, posted amount.

  • The Remote object used on proxy server?

    Hai, Iam attended for one interview they asked me one question could send me the answer The Remote object used on proxy server?

  • Java code to take database backup

    Hi, I need java code which can take Ms.access database backup on 15th of every month. Please help me to do that. Advance thanks

  • Restricting the Prompt Values based on Fact table data

    Hi, We need dashboard prompts in OBIEE reports that will fetch data from dimension tables. Our all dimensions are conformed dimension having joined with multiple fact tables. Because prompts are showing data from dimension table, it is showing all di