How can I read a PC created disc of dbx files on a Mac

I have a backup of my old e-mails on disc which I created on a PC (as .dbx files).
I now need to refer to the e-mails, but I no longer have a PC.
All guidance I have read appears to require the use of a PC to convert the .dbx files to .mbx before they can be read on the Mac.
Does anyone know of a way of directly reading the disc on a Mac and accessing these files please.
Many thanks. Bigtrev

Only Pages, Preview, Pages for iCloud beta, and Pages v2 or later on IOS 7 can open native Pages v5.2.2 (.pages) documents. Sending a Pages v5.2.2 document to someone without Pages v5.2.2 is futile.
If you are using Gmail or Dropbox, you will need to right-click on that Pages document, and then choose compress from the contextual menu. You can then attach filename.pages.zip, because it appears as a single document, and not a folder.
Pages v5.2.2 has a Share button on the Toolbar. Providing your document is already in iCloud storage, you can Send a Link to iCloud via the following:
The Share toolbar icon also allows you to Send a Copy to Email, Messages, and AirDrop. This will present you with the document export sheet, the same one you get if you chose to File > Export To menu item, as the alternative.
If you are sharing document content with an MS Office user, then the document you want to send them is either a Word .docx, or .doc. If they want just a read-only view of your content, send a PDF, for improved cross-platform exchange.

Similar Messages

  • How can I read a document created under "pages" on a Mac book air on an other computer

    How can I read a document created under "pages" on a Mac book air on an other computer or even send this document in a mail to anyone ?

    Only Pages, Preview, Pages for iCloud beta, and Pages v2 or later on IOS 7 can open native Pages v5.2.2 (.pages) documents. Sending a Pages v5.2.2 document to someone without Pages v5.2.2 is futile.
    If you are using Gmail or Dropbox, you will need to right-click on that Pages document, and then choose compress from the contextual menu. You can then attach filename.pages.zip, because it appears as a single document, and not a folder.
    Pages v5.2.2 has a Share button on the Toolbar. Providing your document is already in iCloud storage, you can Send a Link to iCloud via the following:
    The Share toolbar icon also allows you to Send a Copy to Email, Messages, and AirDrop. This will present you with the document export sheet, the same one you get if you chose to File > Export To menu item, as the alternative.
    If you are sharing document content with an MS Office user, then the document you want to send them is either a Word .docx, or .doc. If they want just a read-only view of your content, send a PDF, for improved cross-platform exchange.

  • How can I read a line of numbers in a file?

    Hello everybody,
    I have a ziped.file organized in this way:
    number1 number 2 number3 name1, name2, name3
    number_of points information_about_number_of_point
    number4 number4 number4 number4
    number4 number4 number4 number4
    number4 number4
    number5 number5 number5 number5 number5 number5
    number5 number5 number5 number5 number5 number5
    number5 number5 number6 number6 number6 number6
    number6 number6 number6 number6 number6 number6
    number6 number6
    My problem is to save number1 number 2 number3 and in number_of points in 3 different variable, and number4 number5 and number 6 in 3 different array. How can I do this?
    The beginning of my file is:
    10000 3.50000 0.00000 Teff, logg, [M/H]
    52790 number of wavelength points
    1.000000000000000e+01 1.200000000000000e+01 1.400000000000000e+01 1.600000000000000e+01 (end of3th line)
    1.800000000000000e+01 2.000000000000000e+01 2.200000000000000e+01 2.400000000000000e+01 (end of 4th line)
    The number 52790 is the same for number4, number 5 and number6.
    Number4 are organized in 4 columns, number5 and 6 in 6 coloums and the spacing is always the same.
    Could you help me please?Thank you and sorry for my terrible english!

    I'm not sure if I understand completely, but basically you just need to read & parse your files.
    Use a lexer/parser tool like JavaCC if it's advanced parsing, or if it's something very simple (like assigning variables) then you can just use the String.split() method to break up your file into tokens. See below for examples of the "simple way"...
    If you have any questions, don't hesitate to ask!
    I need to save my informazioni in this way:
    var1=number1
    var2=number2
    var3=number3If you wish to access these variables in a Java program, you could split up your file into tokens and then place the values in a map (variable/value pairs). I don't know how efficient this is, but it works nicely. You can change this for arrays, objects, etc.. right now it's only set up for ints.
    Here's a very simple example with some code. Below is the text file...
    my_var = 123
    my_age = 16
    x_pos  = 2
    err=2 //syntax error. must separate tokens with whitespaceTo get your variables from the text file:
    Map<String, Integer> map;
    //read text file and put it into string
    //then use tokenExample to get a Map for that string
    map = tokenExample(textfileString); //see below
    //and finally assign your variables
    int my_var = map.get("my_var");
    int my_age = map.get("my_age");
    int x_pos  = map.get("x_pos");
    The tokenExample(String) method
    This method breaks the speified string into tokens, and returns a Map with all of the variable name/value pairs in the string.
      public static Map<String, Integer> tokenExample(String text) {
           //Sets up our tokens.
         final String ASSIGN   = "=";
           final String NUMBER   = "\\d+";
           final String VARIABLE = "[a-zA-Z]([a-zA-Z]|_|[0-9])*";       
           //Map for our variable/value pairs
           Map<String, Integer> variables = new Hashtable<String, Integer>();
           String[] splitText = text.split("\\s+"); //Splits by whitespace
           String varName = null;
           boolean assigning = false;
           //cycles through each token and decides what to do
           for(String value : splitText) {        
             //if it's a variable, we set up it's name for later
             if (value.matches(VARIABLE)) {
              varName = value;
             //if it's an assignment operator, we get ready to assign the variable
             else if (value.matches(ASSIGN)) {
               assigning = true;
             //if it's a number, we put it into our hashmap
             else if (value.matches(NUMBER)) {
                  //if there's no problem with the last two tokens
               if (varName!=null & assigning==true) {
                 variables.put(varName, Integer.parseInt(value));
                 assigning=false; //reset for next time
                 varName=null;
             //some sort of syntax error
             else {
               assigning=false;
               varName=null;
               System.err.println("Syntax error: cannot find token "+value);
           }//end loop
           return variables;
      }See also:
    http://mindprod.com/jgloss/regex.html
    http://java.sun.com/docs/books/tutorial/extra/regex/
    http://www.javaregex.com/tutorial.html

  • How can I read a blob created with ole container in forms 6i in forms 10g

    In forms 6i I used ole container to save a document (excel, pdf, word...) into a blob column.
    I want to migrate my application in forms 10g and I read that I have to use webutil_File_transfer.db_to_client and after webutil_host.blocking to see the document.
    In the same blob column I can have multiple type of document. How Can I know wich application to use to open the document ?
    Even if I know the extension of my document I'm enabled to open the file ???

    When you click a C/S OLE object, it is opened with its default application's owner, no ?
    So if the OLE object is opened by Excel, the extension is .xls.
    In any case you have to open the OLE object with its "mother" application if you want to save it as a file, so there is no problem at all to decide with extension to use.
    If you read this article : http://sheikyerbouti.developpez.com/webutil-docs/Webutil_store_edit_docs.htm you can see that the filename is automatically opened with the corresponding application.
    Francois

  • How can I read a specific character from a text file?

    Hi All!
    I would like to read a specific character from a text file, e.g. the 2012th character in a text file with 7034 characters.
    How can I do this?
    Thanks
    Johannes

    just use the skip(long) method of the input stream that reads the text file and skip over the desired number of bytes

  • How can i read all the lines from a text file in specific places and use the data ?

    string[] lines = File.ReadAllLines(@"c:\wmiclasses\wmiclasses1.txt");
    for (int i = 0; i < lines.Length; i++)
    if (lines[i].StartsWith("ComboBox"))
    And this is how the text file content look like:
    ComboBox Name cmbxOption
    Classes Win32_1394Controller
    Classes Win32_1394ControllerDevice
    ComboBox Name cmbxStorage
    Classes Win32_LogicalFileSecuritySetting
    Classes Win32_TapeDrive
    What i need to do is some things:
    1. Each time the line start with ComboBox then to get only the ComboBox name from the line for example cmbxOption.
       Since i have already this ComboBoxes in my form1 designer i need to identify where the cmbxOption start and end and when the next ComboBox start cmbxStorage.
    2. To get all the lines of the current ComboBox for example this lines belong to cmbxOption:
    Classes Win32_1394Controller
    Classes Win32_1394ControllerDevice
    3. To create from each line a Key and Value for example from the line:
    Classes Win32_1394Controller
    Then the key will be Win32_1394Controller and the value will be only 1394Controller
    Then the second line key Win32_1394ControllerDevice and value only 1394ControllerDevice
    4. To add to the correct belonging ComboBox only the value 1394Controller.
    5. To make that when i select in the ComboBox for example in cmbxOption the item 1394Controller it will act like i selected Win32_1394Controller.
    For example in this event:
    private void cmbxOption_SelectedIndexChanged(object sender, EventArgs e)
    InsertInfo(cmbxOption.SelectedItem.ToString(), ref lstDisplayHardware, chkHardware.Checked);
    In need that the SelectedItem will be Win32_1394Controller but the user will see in the cmbxOption only 1394Controller without the Win32_
    This is the start of the method InsertInfo
    private void InsertInfo(string Key, ref ListView lst, bool DontInsertNull)
    That's why i need that the Key will be Win32_1394Controller but i want that the user will see in the ComboBox only 1394Controller without the Win32_

    Hello,
    Here is a running start on getting specific lines in the case lines starting with ComboBox. I took your data and placed it into a text file named TextFile1.txt in the bin\debug folder. Code below was done in
    a console app.
    using System;
    using System.IO;
    using System.Linq;
    namespace ConsoleApplication1
    internal class Program
    private static void Main(string[] args)
    var result =
    from T in File.ReadAllLines(Path.Combine(AppDomain.CurrentDomain.BaseDirectory, "TextFile1.txt"))
    .Select((line, index) => new { Line = line, Index = index })
    .Where((s) => s.Line.StartsWith("ComboBox"))
    select T
    ).ToList();
    if (result.Count > 0)
    foreach (var item in result)
    Console.WriteLine("Line: {0} Data: {1}", item.Index, item.Line);
    Console.ReadLine();
    Please remember to mark the replies as answers if they help and unmark them if they provide no help, this will help others who are looking for solutions to the same or similar problem. Contact via my webpage under my profile but do not reply to forum questions.

  • LV 7.1 - How can I use installer to create folder with its files included w/o adding each file?

    I have several files to place in folders created by the installer. Can't seem to see how I can avoid adding each file individually at build time. Is there an easier way to do this? Simply "adding" a folder would be a solution.
    Thanks
    Fran

    Fran,
    I believe this question is directly addressed in this online Knowledgebase.
    Kind Regards,
    E. Sulzer
    Applications Engineer
    National Instruments

  • How can we remove empty space created in the flat file unintentionally

    Hi Forums,
    In our data flow, transactional data is flowing from one ODS(Acquisition Layer) to two different ODS's(Integration Layer) parallely. Error occured in first ODS(Acquisition Layer) i.e ODS was not getting activated for long time coz of empty space[#] in one of the infoobjects of a particular record. After manually deleting the request in two ODS's of Integration Layer & edited that particular record in PSA and reconstructed that deleted request form PSA the problem was solved.
    This wrong entry is getting visible only at the time of ODS activation. Can any one suggest me a permanent solution for not occuring of empty space at the source system level or at SAP XI interface level or in the SAP BW system level?
    Thanks in advance

    Hi,
    If your ino object is of numeric type then check the condition if it is # (empty) then
    replace with 0 (zero), if it is char. then make it SPACE..you can use this following statement in your transfer / update rule for the IO.
    replace all occurances of '#'  with ' '.  (for Char.)
    (for Numeric)
    if COMM_STRUCTURE-XXXX is initial.  
    RESULT = 0.
    endif.
    Hope it helps..
    assign points if useful.
    Cheers,
    Pattan.

  • How can I play a game that utilises a powerpc file on a mac running OS X Yosemite?

    I just bought Warcraft 3 the reign of chaos and when I try to run the disk to install it I get a pop-up message saying that apple no longer supports powerpc Files. I'm preferably looking for a free solution to this problem.

    If your Mac came with Mavericks as the default OS X, then it cannot be downgraded anyway. There is no way you can play a PPC Game on an Intel Mac that cannot be reverted to at least Snow Leopard. All you can do is try to get a refund and see if they make a version that will work on Yosemite (or Mavericks).
    Sorry
    Pete

  • How can i read Object serialized in delphi ?

    anyone has got any ideas how can i read serialized object created by delphi and was serialized in a file

    zeda wrote:
    Peter__Lawrey wrote:
    To my knowledge you need a Delphi program to read it.so there is no 3rd party plugin or so?Not that I know of. You could learn more about how Delphi serializes objects, and work back from there. But you're probably much better off taking a hint from Peter and serializing to XML in the first place. This sort of problem is the exact kind of thing XML is good at solving

  • Using Lab view ver 6,How can I read a cell of excel file right after I write to it

    How can I read a specif cell of an Excel file using Labview VI.

    Hi,
    Attached is a LV6.1 VI which will read a cell.
    It will be looking for a sub VI found in the example C:\Program Files\National Instruments\LabVIEW\examples\comm\ExcelExamples.ll​b.
    The returned value is a string value but there is no reason why it couldn't be a number. Just connect a numeric to the type connector of the Variant to Data function.
    Hope this helps.
    Regards
    Ray Farmer
    Regards
    Ray Farmer
    Attachments:
    Get_Cell_Value.vi ‏41 KB
    Write_Table_To_XL.vi ‏101 KB

  • How can I protect DVDs I create in PE from being copied?

    How can I protect DVDs I create in PE from being copied? I know that I can't prevent 100%, but would like to stop a majority. Can I apply MACROVISION to my DVDs?

    >cycle redundancy failure
    Optical discs are prone to read errors, particularly when finger prints, fluff, etc. get on the reading surface, so redundant information is added in such a way that minor errors can be corrected. If the disc is damaged sufficiently seriously, e.g. a deep scratch running around a track, the error correction system fails to correct the error, and you will be unable to read that file on a computer by normal means. Note that only the last .VOB file that was scratched would be unreadable.
    I bought a cheap commercial DVD that had a serious pressing error, causing the movie to jump. Windows explorer failed to read the DVD but I did find a program (forgotten which) which made 10 attempts to read the faulty sector before carrying on. The copied movie then played perfectly (well there must have been a minor glitch where the error was, but I couldn't see it).

  • How can one  read a Excel File and Upload into Table using Pl/SQL Code.

    How can one read a Excel File and Upload into Table using Pl/SQL Code.
    1. Excel File is on My PC.
    2. And I want to write a Stored Procedure or Package to do that.
    3. DataBase is on Other Server. Client-Server Environment.
    4. I am Using Toad or PlSql developer tool.

    If you would like to create a package/procedure in order to solve this problem consider using the UTL_FILE in built package, here are a few steps to get you going:
    1. Get your DBA to create directory object in oracle using the following command:
    create directory TEST_DIR as ‘directory_path’;
    Note: This directory is on the server.
    2. Grant read,write on directory directory_object_name to username;
    You can find out the directory_object_name value from dba_directories view if you are using the system user account.
    3. Logon as the user as mentioned above.
    Sample code read plain text file code, you can modify this code to suit your need (i.e. read a csv file)
    function getData(p_filename in varchar2,
    p_filepath in varchar2
    ) RETURN VARCHAR2 is
    input_file utl_file.file_type;
    --declare a buffer to read text data
    input_buffer varchar2(4000);
    begin
    --using the UTL_FILE in built package
    input_file := utl_file.fopen(p_filepath, p_filename, 'R');
    utl_file.get_line(input_file, input_buffer);
    --debug
    --dbms_output.put_line(input_buffer);
    utl_file.fclose(input_file);
    --return data
    return input_buffer;
    end;
    Hope this helps.

  • Help! How can I take out the mini-disc stuck in mac?

    Help! How can I take out the mini-disc stuck in mac?
    I insert it into the mac, but the OS cannot load the disc and the disc cannot be ejected even i pressed the "eject" button.

    This happened to a family members macbookpro. A mini-cd inserted, couldn't be mounted or ejected by the drive.
    I cut a rectangle from a cereal box about two inches wide and 6 inches long. Abour an inch and half from one end in the middle I cut a notch and bent it down a little.
    I................I
    I................I
    I....I__I....I
    I................I
    I................I
    I................I
    I................I
    I................I
    I................I
    I................I
    I................I
    I................I
    I________I
    I then inserted it slowly into the drive notch down and slowly pulled out. I did this few times and caught the mimi-cd and removed it. The drive has worked flawlessly for several years
    A few days after this happened I was in BestBuy and an Apple rep was there displaying new Apple products. I asked him about it and he said they have a tool that ***** it out.

  • How can I open a document created in Classic on MacOS X?  When I tried to open it, it says Classic Not Supported. What do I do?

    How can I open a document created in Classic on MacOS X?  When I tried to open it, it says Classic Not Supported. What do I do?

    The short answer is:
    Single click on the document you created in Classic, bring up your 'popup' menu (right click or control-click), select 'Open With' and choose the Mac OS X application you believe will open the document.
    If this does not work. Tell us which Classic application you created the document with and which applications you have which you believe will open your 'classic' document.

Maybe you are looking for

  • Where can I find a tutorial to build a 3D carousel in AS 3.0?

    Anyone know where I can find good a tutorial to help me build a 3d flash carousel in AS 3.0? Or anywhere I can download a flash file or anything I can play around with to figure it out? I would prefer it to be XML driven. I would like to build a caro

  • Calling a web service from Session bean

    Hi Experts, Can anybody help in calling a web serivce frm a session bean's business method?? Hw do we do that? I have one requirement where i want to send emails to set of users for which i have email sending web service ready.. How can i call it thr

  • Changing territory value

    Hi all, Has any one done something like in Segment Values screen -> Key flexfield -> Title: Territory flexfield -> Value, Country -> Values, Effective Currently there is a Value = 190 and Description = Malaysia. I would want to update All Tables (all

  • Windows XP in Boot Camp

    I have Windows XP in Parallels which now won't work in Leopard. Is it possible to use the Windows already installed with Boot Camp ?

  • Help - How to insert onto a tape...

    I know there has to be a way to do this, but... How do you insert edit a program onto a tape to a specific timecode? I've been looking through the manual, but can't seem to find anything on it. The program is a 30-minute doc, shot in 720p-24N with th