TweetFollow Us on Twitter

MacApp and C++
Volume Number:6
Issue Number:8
Column Tag:Jörg's Folder

Using MacApp With C++

By Jörg Langowski, MacTutor Editorial Board

“C++ and MacApp”

Without Eric Carrasco this column couldn’t have been written. Eric is the president of MADA (MacApp Developer’s Association) Europe, and helped me at a crucial point (see below) when I was completely stuck with my example and very close to the “dead-dead-dead”line for this column. So first of all, I’d like to thank you, Eric, for your quick and efficient help.

It seems like using MacApp from C++ is not as trivial as it might have seemed at first sight. Although it has been several months since I got the first - very simple - MacApp ‘nothing’ example to run under C++, our introductions to C++ here have been based on a simpler application model, so that one could understand all the code from beginning to end, something that’s not so easy with MacApp.

So far, there have not been very many C++ examples using MacApp. nothing.cp, which came with the C++ header files, wasn’t too useful an example. Many of the things where object-oriented programming really shines, such as applying methods to lists of objects of unknown type, were just not included. The final version of MacApp 2.0 contains some non-trivial C++ examples, but as I write this, MacApp 2.0 has just been out for some weeks and hasn’t made its way to this side of the Atlantic yet.

Thus I thought it would be a good idea to construct a somewhat more interesting example of a MacApp program in C++. Browsing through examples from Apple’s MacApp developer class, I found one program that contains support for a TextEdit record, a simple drawing tool, a palette, and some color support. I translated the program - originally written in Object Pascal - into C++, with some modifications on the way. The complete program is printed in listings 1-4: 1 is the header file with the class definitions, 2 contains the implementation, 3 the resources and 4 is the MAMake file for building the application.

Since the example is quite long, I won’t explain it in all its details this month, but only point out some specifics that are important for going from Object Pascal to C++. A more detailed explanation of the MacApp part of the story will follow next month.

Translating Object Pascal to C++

At first, everything looks simple: just replace PROCEDURE by pascal void, and the dot by two colons, as in

{1}

PROCEDURE TApplication.MainEventLoop;

which becomes

/* 2 */

virtual pascal void TApplication::MainEventLoop(void);

replace FUNCTION (...):INTEGER; by pascal int (); etc furthermore, replace := by =, similarly for the other operators, and change the syntax of for loops, if and case statements.

From the Object Pascal interface file, create a C++ header file this way, and from the Pascal implementation, create the main program (extension .cp). Use an #include directive at the beginning of the program to include the header file. Compile and go.

Some lines from the ‘nothing’ example in Pascal and C++ illustrate this:

{3}

Pascal:

TYPE
 TNothingApplication = OBJECT (TApplication)
 PROCEDURE
 TNothingApplication.INothingApplication
 (itsMainFileType: OSType);
 { Initializes the application and globals. }
 END;
 TDefaultView    = OBJECT (TView)
 PROCEDURE 
 TDefaultView.Draw(area: Rect); OVERRIDE;
 { Draws the view seen in the window. Every
  nonblank view MUST override this method. }
 END;

// 4

C++:

class TNothingApplication : public TApplication {
public: virtual pascal void 
 INothingApplication(OSType itsMainFileType);  };
class TDefaultView : public TView {
public: virtual pascal void Draw(Rect *area);  };

Unfortunately, life is not that simple, as I could soon find out. Some problems occurred during the translation: a minor one was that C++ arrays (like in C) are always indexed starting at zero. You can’t declare, as in Pascal,

{5}

VAR gColorArray: ARRAY[cBlack..cWhite] OF INTEGER;

but have to write (see listing 2)

//6

intgColorArray[cWhite-cBlack+1];

and later on do appropriate index calculation to access the array at the correct address.

Also, one thing to keep in mind is that a C++ int has no defined size; depending on the system, it can be either 16 or 32 bits long. On the Macintosh, it is 32 bits long, which doesn’t really matter if you are consistent within your own code, but matters a lot when you call Pascal procedures that expect a 16-bit integer. This, of course, is a C++ short. The nice thing about C++ is that the compiler will flag you errors about such type mismatches, and often when a program compiles, it will also execute at least in a semi-reasonable way.

The big problem was a true deficiency of C++: you cannot define procedures inside other procedures. A construction like

{7}

procedure a;
 var i,j,k: integer;
 procedure b;
 var a,b,c: real;
 begin
 i = k+j;
 end;
 begin
   
 end;

where b has access to the local variables of a without having passed them explicitly as parameters, is completely illegal in C++.

Second, although it is possible to pass procedure pointers as parameters to a C++ routine, and then execute them from within the routine, one can only pass the pointer, not any parameters with the procedure. That means while you can define in Pascal

{8}

procedure p(procedure q(x:real, var y:real));

and later call p(myproc(a,b)), thus defining the parameters that are passed with the procedure used in calling p, in C (or C++) you can only define e.g.

// 9

pascal void p(pascal void (*q)(float x, float *y));

and the type of the procedure pointer passed will be checked on the call; but there is no direct way to pass its parameters.

This means you cannot pass any information to a procedure that is passed as a variable to another procedure; you cannot define it inside another function and use that function’s local variables for parameter passing, neither can you pass parameters directly on the call. The only way would be to go through a global variable; which is very inconvenient.

MacApp makes extensive use of procedure parameters; one example is the method Each(), which applies a procedure to a list of objects of unspecified type. If that procedure expects parameters on its call, we run into the problem described.

This was the point where I was stuck and had to give Eric Carrasco a call. He explained to me that there was a standard way around the problem and that it was described in the MacApp 2.0 final documentation. Which I didn’t have yet, of course. But through network mail, the problem was solved quickly.

The method Each() expects one parameter in its Pascal interface:

{10}

procedure TList.Each
 (procedure DoToItem(item: TObject));

which is a procedure that takes any TObject as its parameter. The C++ interface expects two parameters:

//11

virtual pascal void 
 Each(pascal void (*DoToItem) 
 (TObject *item, void *DoToItem_StaticLink), void *DoToItem_StaticLink);

The first parameter is a procedure that now also takes two parameters, one is the pointer to a TObject, and the other a void*, i.e., a generic pointer. The second parameter passed to Each is another void*. This second pointer - in the Each method and in the procedure passed to it as a parameter - is used to pass actual parameters to the procedure.

To illustrate this, look at listing 2 where the DoNeedDiskSpace method of class TTEDocument is implemented. Outside the method, we define a procedure CalcDiskSpace which takes two parameters:

//12

pascal void CalcDiskSpace(TBox *aBox, 
 CalcDiskSpaceStruct *aCalcDiskSpaceStruct)
{aBox->NeedDiskSpace
 (&(aCalcDiskSpaceStruct->myDataForkBytes)); }

where CalcDiskSpaceStruct has been defined in the header file:

//13

struct CalcDiskSpaceStruct {  long myDataForkBytes; };

Now, inside the method, we define

//14

 CalcDiskSpaceStruct aCalcDiskSpaceStruct;

and later use this structure to pass the actual parameter:

//15

 aCalcDiskSpaceStruct.myDataForkBytes = 
 *dataForkBytes;
 ForEachShapeDo((DoToObject)CalcDiskSpace,
 &aCalcDiskSpaceStruct);

CalcDiskSpace must be typecast to the DoToObject type, defined as

//16

typedef pascal void (*DoToObject) 
 (TObject *aObject, void *DoToObject_staticlink);

since otherwise the compiler would give a type mismatch error. ForEachShapeDo just calls the method Each for the object list associated with the document.

This is the way procedure parameters can be passed in C++; slightly more complicated than in Pascal, and I hope this has not confused you too much.

The last thing I’d like to note is that there are lots of debugging utilities built into MacApp; with Object Pascal, you can use writeln to write into the debugger window. I have not found an analogous procedure in C++, printf certainly didn’t work, but all this may be resolved when I receive the final docs. For the moment, the procedure I use is ProgramReport, which writes a string into the debugger window.

Objects should also be able to identify themselves and their instance variables; for this purpose, the methods Fields has been provided. For easy debugging, you should define this method for each class.

I’ll stop here, since this column with the example is getting very long; next month, we’ll look at some of the MacApp-specific details of the program, and also some OOPS Forth again. Till then.

Listing 1: TEDemo.h (header file)

class TTEApplication : public TApplication {
public:
 virtual pascal void 
 ITEApplication(OSType itsMainFileType);
 virtual pascal struct TDocument 
 *DoMakeDocument(CmdNumber itsCmdNumber);
 virtual pascal struct TCommand 
 *DoMenuCommand(CmdNumber aCmdNumber);
 virtual pascal void PoseModalDialog();
#ifdef qDebug
 virtual pascal void IdentifySoftware();
#endif
};

class TTEDocument;

class TPaletteView : public TView {

public:
 int    fIconSelected;
 virtual pascal void 
 IPaletteView(TTEDocument *itsTEDocument);
 virtual pascal struct TCommand 
 *DoMouseCommand(Point *theMouse,
 EventInfo *info, Point *hysteresis);
 pascal void DoHighlightSelection
 (HLState fromHL, HLState toHL);
 pascal void Draw(Rect *area);
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

class TBox : public TObject {
public:
 Rect fLocation;
 pascal void IBox(Rect *itsLocation);
 pascal void DrawShape();
 pascal void NeedDiskSpace(long *data);
 pascal void Read(short aRefNum);
 pascal void Write(short aRefNum);
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

class TTextView : public TTEView {

public:
 TTEDocument*fTEDocument;
 TPaletteView  *fPaletteView;
 BooleanfUpdated;
 pascal void 
 ITextView(TTEDocument *itsTEDocument);
 pascal Boolean DoIdle(IdlePhase phase);
 pascal struct TCommand  *DoKeyCommand(short ch, 
 short aKeyCode, EventInfo *info);
 pascal struct TCommand 
 *DoMenuCommand(CmdNumber aCmdNumber);
 pascal void DoSetupMenus ();
 pascal struct TCommand 
 *DoMouseCommand(Point *theMouse, 
 EventInfo *info, Point *hysteresis);
 pascal Boolean DoSetCursor
 (Point localPoint, RgnHandle cursorRgn);
 pascal void Draw(Rect *area);
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

class TColorCmd : public TCommand {

public:
 TTEDocument*fTEDocument;
 TTextView*fTextView;
 int  fOldColorCmd, fNewColorCmd;
 pascal void IColorCmd (int aCmdNumber, 
 TTEDocument *itsDocument,TTextView *itsView);
 pascal void DoIt();
 pascal void RedoIt();
 pascal void UndoIt();
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

class TSketcher : public TCommand {

public:
 TTEDocument   *fTEDocument;
 TTextView*fTextView;
 TBox *fBox;// the object being sketched
 Rect fBoxLocation; // size of the Box being sketched
 pascal void ISketcher
 (TTEDocument *itsDocument, TTextView *itsView);
 pascal struct TCommand *TrackMouse
 (TrackPhase aTrackPhase, VPoint *anchorPoint, 
 VPoint *previousPoint, VPoint *nextPoint, 
 Boolean mouseDidMove);
 pascal void DoIt();
 pascal void RedoIt();
 pascal void UndoIt();
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

class TTEDocument : public TDocument {
public:
 TPaletteView  *fPaletteView;
 TTextView*fTextView;
 Handle fTextHdl;// text typed by user
 int  fTextColorCmd; // menu command number
 TList *fShapeList;// list of Shapes to be drawn
 pascal void ITEDocument();
 pascal void AddShape(TBox *aBox); 
 pascal void DeleteShape();
 pascal void DoMakeWindows();
 pascal void DoMakeViews(Boolean forPrinting);
 pascal void DoNeedDiskSpace
 (long *dataForkBytes, long *rsrcForkBytes);
 pascal void DoRead(short aRefNum, 
 Boolean rsrcExists, Boolean forPrinting);
 pascal void DoWrite(short aRefNum, 
 Boolean makingCopy);
 pascal void ForEachShapeDo
 (pascal void (*DoToItem) (TObject *item, void 
 *DoToItem_Staticlink),void *DoToItem_Staticlink);
 pascal void Free();
 pascal void SetTextColorCmd(int theColorCmd);
 pascal int  TextColorCmd();
#ifdef qDebug
 virtual pascal void Fields(pascal void (*DoToField)
  (StringPtr fieldName, Ptr fieldAddr, 
 short fieldType, void *link), void *link);
#endif
};

// -- global definitions --

typedef pascal void (*DoToObject) 
 (TObject *aObject, void *DoToObject_staticlink);
struct CalcDiskSpaceStruct {  long myDataForkBytes; };
struct DoToRectStruct {  int myRefNum; };

//
// -- end of declarations --
//
Listing 2: TEDemo.cp (implementation)

#include <UMacApp.h>
#include <UPrinting.h>
#include <UTEView.h>
#include <Fonts.h>
#include <ToolUtils.h>

#include “TEDemo.h”

const OSType kSignature   = ‘JLMT’;
const OSType kFileType  = ‘JL01’;
const int kWindID= 1001;  
const int kHelpID  = 1001;// Help DLOG ID 
const int kPaletteWidth = 640;
const int kPaletteHeight  = 32;
const int kIconWidth =  32;
const int kBoxIconID =  256;
const int kTextIconID=  257;
const int kBox   = 1;
const int kText  = 2;
const int kPaletteColor   = greenColor;
const int kBoxColor= redColor;

// commands
const int cHelp  = 1001;  // for color menu items
const int cDrawBox = 2001;
 // command number for Box sketcher object

const int cBlack = 5001;  // for TextColor menu
const int cBlue  = 5002;
const int cGreen = 5003;
const int cRed   = 5004;
const int cWhite = 5005;
    
intgColorArray[cWhite-cBlack+1];
Rect  gIconRect[kText-kBox+1];

pascal void TTEApplication::ITEApplication
 (OSType itsMainFileType)
{  gColorArray[cBlack-cBlack] = blackColor; 
 gColorArray[cBlue-cBlack]  = blueColor;
 gColorArray[cGreen-cBlack] = greenColor;
 gColorArray[cRed-cBlack] = redColor;
 gColorArray[cWhite-cBlack] = whiteColor;
 SetRect(&gIconRect[kBox-kBox], 
 0, 0, kIconWidth, kIconWidth);
 SetRect(&gIconRect[kText-kBox], kIconWidth, 
 0, 2 * kIconWidth, kIconWidth);
 IApplication(itsMainFileType);
 RegisterStdType(“\pTTextView”, ‘text’);
 if (gDeadStripSuppression)
 { TTextView *aTextView;
 aTextView = new TTextView; }
 InitPrinting();
}

pascal struct TDocument 
 *TTEApplication::DoMakeDocument
 (CmdNumber itsCmdNumber)
{TTEDocument* aTEDocument;
 aTEDocument = new TTEDocument;
 FailNIL(aTEDocument);
 aTEDocument->ITEDocument();
 return aTEDocument; }

pascal void TTEApplication::PoseModalDialog()
{DialogPtr dPtr;
 short  dItem;
 dPtr = GetNewDialog(kHelpID, nil, (WindowPtr) -1);
 ModalDialog(nil, &dItem);
 DisposDialog(dPtr); }


pascal struct TCommand 
 *TTEApplication::DoMenuCommand
 (CmdNumber aCmdNumber)
{switch (aCmdNumber) {
 case cHelp: 
 PoseModalDialog(); 
 return gNoChanges;
 default: 
 return inherited::DoMenuCommand(aCmdNumber); }
}

#ifdef qDebug
pascal void TTEApplication::IdentifySoftware()
{ProgramReport
(“\pTEDemo ©J.Langowski/MacTutor June 1990”,false);
 inherited::IdentifySoftware();  }
#endif

// ---- Document ----

pascal void TTEDocument::ITEDocument()
{TList  *aList;
 IDocument(kFileType, kSignature, kUsesDataFork,
 !kUsesRsrcFork, !kDataOpen, !kRsrcOpen);
 fSavePrintInfo = true; // save print info in data fork
 fTextHdl = NewPermHandle(0); // heap block for text
 FailNIL(fTextHdl);
 fTextColorCmd = cBlack;
 aList = NewList();// make empty list of Boxs
 fShapeList = aList; }

pascal void TTEDocument::AddShape(TBox *aBox)
{fShapeList->InsertFirst(aBox);    }

pascal void TTEDocument::DeleteShape()
{fShapeList->Delete(fShapeList->First());  }

pascal void TTEDocument::DoMakeViews
 (Boolean forPrinting)
{const Boolean kSquareDots = true;
 const Boolean kFixedSize = true;
 TPaletteView    *aPaletteView;
 TTextView*aTextView;
 TStdPrintHandler*aStdHandler;
 aPaletteView = new TPaletteView;
 FailNIL(aPaletteView);
 aPaletteView->IPaletteView(this);
 fPaletteView = aPaletteView; 
 // save reference to palette in document
 aTextView = new TTextView;
 FailNIL(aTextView);
 aTextView->ITextView(this);
 fTextView = aTextView; 
 // save reference to text view in document
 fTextView->StuffText(fTextHdl);
 // so view uses the same characters
 aStdHandler = new TStdPrintHandler;
 // make text view printable
 FailNIL(aStdHandler);
 aStdHandler->IStdPrintHandler (this, aTextView,
  !kSquareDots, kFixedSize, !kFixedSize); }

pascal void TTEDocument::DoMakeWindows()
{TWindow*aWindow;
 aWindow = NewPaletteWindow(kWindID, 
 kWantHScrollBar, kWantVScrollBar,  this, 
 fTextView, fPaletteView, kPaletteHeight, 
 kTopPalette);
 aWindow->AdaptToScreen();
 
 // adjust for various size monitors
 aWindow->SimpleStagger(kStdStaggerAmount, 
 kStdStaggerAmount, &gStdStaggerCount); }

pascal void CalcDiskSpace(TBox *aBox, 
 CalcDiskSpaceStruct *aCalcDiskSpaceStruct)
{aBox->NeedDiskSpace
 (&(aCalcDiskSpaceStruct->myDataForkBytes)); }

pascal void TTEDocument::DoNeedDiskSpace
 (long *dataForkBytes, long *rsrcForkBytes)
{long textBytes, numberOfShapesBytes, 
 cmdNumberBytes;
 CalcDiskSpaceStruct aCalcDiskSpaceStruct;
/* file format:
 TextCmd Number (integer)
 # shapes (integer)
 data for shape #1
 data for shape #2
 etc.
 text   */
 inherited::DoNeedDiskSpace (dataForkBytes, 
 rsrcForkBytes);
 aCalcDiskSpaceStruct.myDataForkBytes = 
 *dataForkBytes;
 cmdNumberBytes = sizeof(int);
 numberOfShapesBytes = sizeof(fTextColorCmd);
 ForEachShapeDo((DoToObject)CalcDiskSpace,
 &aCalcDiskSpaceStruct);
 textBytes = GetHandleSize(fTextHdl);
 *dataForkBytes = cmdNumberBytes + 
 numberOfShapesBytes +  
 aCalcDiskSpaceStruct.myDataForkBytes + 
 textBytes;  }

pascal void TTEDocument::DoRead(short aRefNum,
 Boolean rsrcExists, Boolean forPrinting) 
{long   textColorCmdNumberBytes;
 int    textColorCmdNumber; 
 long   numberOfShapesBytes;
 int    numberOfShapes; 
 TBox *aBox;
 long eof, fPos, textBytes;
 
/* file format see above  */
 inherited::DoRead(aRefNum, rsrcExists, forPrinting);
 // print info from disk
 textColorCmdNumberBytes = 
 sizeof(textColorCmdNumber); // read text color
 FailOSErr(
 FSRead(aRefNum, &textColorCmdNumberBytes, 
 (Ptr) &textColorCmdNumber));
 fTextColorCmd = textColorCmdNumber;
 numberOfShapesBytes = sizeof(numberOfShapes);
 // read # items
 FailOSErr(
 FSRead(aRefNum, &numberOfShapesBytes, 
 (Ptr) &numberOfShapes));
 for (int i = 1; i <= numberOfShapes; i++)
 { aBox = new TBox; FailNIL(aBox); // make new Box
 aBox->Read(aRefNum); // read & initialize object
 AddShape(aBox); };  // add to list in doc
 
 FailOSErr(GetFPos(aRefNum, &fPos)); 
 // get size of text in file
 FailOSErr(GetEOF(aRefNum, &eof));
 // get size of data in file
 textBytes = eof - fPos;
 SetHandleSize(fTextHdl, textBytes);
 HLock (fTextHdl);
 FailOSErr(FSRead(aRefNum, &textBytes, *fTextHdl));
 HUnlock (fTextHdl); }

pascal void DoToRect
 (TBox *aBox, DoToRectStruct*aDoToRectStruct)
{aBox->Write(aDoToRectStruct->myRefNum);  }
 
pascal void TTEDocument::DoWrite
 (short aRefNum, Boolean makingCopy)
{long textColorCmdNumberBytes;
 int    textColorCmdNumber; 
 long numberOfShapesBytes;
 int    numberOfShapes;
 long textBytes;
 DoToRectStruct  aDoToRectStruct;
 
/* file format see above  */
 
 inherited::DoWrite(aRefNum, makingCopy);
 // print info to disk
 textColorCmdNumber = fTextColorCmd;
 // write text color to disk
 textColorCmdNumberBytes = 
 sizeof(textColorCmdNumber);
 FailOSErr(
 FSWrite(aRefNum, &textColorCmdNumberBytes, 
 (Ptr) &textColorCmdNumber));
 
 numberOfShapes = fShapeList->fSize;
 // write # items to disk
 numberOfShapesBytes = sizeof(numberOfShapes);
 FailOSErr(
 FSWrite(aRefNum, &numberOfShapesBytes, 
 (Ptr) &numberOfShapes));
 aDoToRectStruct.myRefNum = aRefNum;
 ForEachShapeDo((DoToObject)DoToRect,
 &aDoToRectStruct);// write each rect to disk
 textBytes = GetHandleSize(fTextHdl);
 HLock (fTextHdl);
 FailOSErr(FSWrite(aRefNum, &textBytes, *fTextHdl));
 // write the text
 HUnlock (fTextHdl); }

pascal void TTEDocument::ForEachShapeDo
 (pascal void (*DoToItem)(TObject *item,
  void *DoToItem_Staticlink),void *DoToItem_Staticlink)
{  fShapeList->Each(DoToItem,DoToItem_Staticlink); }

pascal void DisposeRect(TBox *aBox, void *link)
{aBox->Free(); }

pascal void TTEDocument::Free()
{void *link;
 if (fTextHdl != nil) DisposHandle(fTextHdl);
 // dispose of ASCII characters
 ForEachShapeDo((DoToObject)DisposeRect,link);
 // dispose of Box objects
 fShapeList->Free(); // dispose of List object
 inherited::Free();} // dispose of document object

#ifdef qDebug
pascal void TTEDocument::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
  Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTTEDocument”, nil, bClass, link);
 DoToField(“\pfPaletteView”, (Ptr) &fPaletteView, 
 bObject, link);
  DoToField(“\pfTextView”, (Ptr) &fTextView, bObject, link);
  DoToField(“\pfTextHdl”, (Ptr) &fTextHdl, bHandle, link);
 DoToField(“\pfTextColorCmd”, (Ptr) &fTextColorCmd, 
 bInteger, link);
 DoToField(“\pfShapeList”, (Ptr) &fShapeList, 
 bObject, link);
 inherited::Fields(DoToField, link); }
#endif

pascal void 
 TTEDocument::SetTextColorCmd(int theColorCmd)
{fTextColorCmd = theColorCmd; }

pascal int  TTEDocument::TextColorCmd()
{return fTextColorCmd;    }

//
// ---- TPaletteView ----
//

pascal void TPaletteView::IPaletteView
 (TTEDocument *itsTEDocument)
{VPoint itsSize;
 SetVPt(&itsSize, kPaletteWidth, kPaletteHeight);
 IView(itsTEDocument, nil, &gZeroVPt, &itsSize,
  sizeFixed, sizeFixed);
 fIconSelected = kText-kBox;  }

pascal void TPaletteView::Draw(Rect *area)
{Rect aFrame;  Point aPenSize;
 Handle aHandle;
 ForeColor(kPaletteColor);
 aHandle = GetIcon(kBoxIconID);
 FailNILResource(aHandle);
 PlotIcon(&gIconRect[kBox-kBox], aHandle);
 aHandle = GetIcon(kTextIconID);
 FailNILResource(aHandle);
 PlotIcon(&gIconRect[kText-kBox], aHandle);
 ForeColor(blackColor);
 GetQDExtent(&aFrame);
 SetPt(&aPenSize, 1, 1);
 Adorn(&aFrame, aPenSize, adnLineBottom); }

pascal void TPaletteView::DoHighlightSelection
 (HLState fromHL, HLState toHL)
{Rect aRect;
 aRect = gIconRect[fIconSelected];
 InsetRect(&aRect, 1, 1);
 SetHLPenState(fromHL, toHL);
 PaintRect(&aRect);}

pascal struct TCommand 
 *TPaletteView::DoMouseCommand(Point *theMouse,
 EventInfo *info, Point *hysteresis)
{int  index;
 index = int(theMouse->h / kIconWidth);

 if ((index < 2) && (index != fIconSelected)) 
 { if (Focus()) { DoHighlightSelection(hlOn, hlOff); };
 fIconSelected = index;
 if (Focus()) { DoHighlightSelection(hlOff, hlOn); };
 };
 return gNoChanges; }

#ifdef qDebug
pascal void TPaletteView::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
 Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTPaletteView”, nil, bClass, link);
 DoToField(“\pfIconSelected”, (Ptr) &fIconSelected, 
 bInteger, link);
 inherited::Fields(DoToField, link); }
#endif

pascal void 
TTextView::ITextView(TTEDocument *itsTEDocument)
{VPoint itsSize; Rect   itsInset;
 TextStyleaStyle;
 SetVPt(&itsSize, 100, 100);
 SetRect(&itsInset, 10, 8, 10, 0);
 SetTextStyle
 (&aStyle, applFont, bold, 12, &gRGBBlack);
 ITEView(itsTEDocument, nil, &gZeroVPt, &itsSize, 
 sizePage, sizeFillPages, &itsInset, &aStyle, 
 teJustLeft, !kWithStyle, true); 
 fTEDocument = itsTEDocument;
 fPaletteView = itsTEDocument->fPaletteView;
 fUpdated = true; }

pascal Boolean TTextView::DoIdle(IdlePhase phase)
{if (!fUpdated)
 { if (Focus()) { DrawContents(); fUpdated = true; };
 return inherited::DoIdle(phase); }
}

pascal struct TCommand *TTextView::DoKeyCommand
 (short ch, short aKeyCode, EventInfo *info)
{int aQDColor;
 aQDColor = 
 gColorArray[fTEDocument->TextColorCmd()-cBlack];
 ForeColor(aQDColor);
 fUpdated = false;
 ForeColor(blackColor);
 return 
 inherited::DoKeyCommand(ch, aKeyCode, info); }

pascal void TTextView::DoSetupMenus()
{  int colorIndex, aColorCmd;
 inherited::DoSetupMenus();
 aColorCmd = fTEDocument->TextColorCmd();
 for (colorIndex = cBlack; 
 colorIndex <= cWhite; colorIndex++)
 EnableCheck(colorIndex, TRUE, 
 (colorIndex == aColorCmd));  }

pascal struct TCommand *TTextView::DoMenuCommand
 (CmdNumber aCmdNumber)
{TColorCmd *aColorCmd;
 switch (aCmdNumber)
 { case cBlack:  case cBlue:  case cGreen: 
 case cRed: case cWhite: 
 aColorCmd = new TColorCmd;
 FailNIL(aColorCmd);
 aColorCmd->IColorCmd
 (aCmdNumber, fTEDocument, this);
 return aColorCmd;
 default: return inherited::DoMenuCommand
 (aCmdNumber); }
}

pascal struct TCommand *TTextView::DoMouseCommand
 (Point *theMouse,  EventInfo *info, Point *hysteresis)
{  TSketcher *aSketcher;
 if (fPaletteView->fIconSelected == kBox-kBox) 
 { aSketcher = new TSketcher;
 FailNIL(aSketcher);
 aSketcher->ISketcher(fTEDocument, this);
 return aSketcher; }
 else   return inherited::DoMouseCommand
 (theMouse,info,hysteresis); }

pascal Boolean TTextView::DoSetCursor
 (Point localPoint, RgnHandle cursorRgn)
{Rect qdExtent;
 GetQDExtent(&qdExtent);
 RectRgn(cursorRgn, &qdExtent);
 if (fPaletteView->fIconSelected == kText-kBox)
 return inherited::DoSetCursor(localPoint, cursorRgn);
 else   SetCursor(*GetCursor(crossCursor));  return true;      }

pascal void DrawYourself(TBox *aBox, void *link)
{aBox->DrawShape();}

pascal void TTextView::Draw(Rect *area)
{int aQDColor; void *link;
 aQDColor = 
 gColorArray[fTEDocument->TextColorCmd()-cBlack];
 ForeColor(aQDColor);// set text color
 inherited::Draw(area); // let TTEView draw the text
 PenNormal();
 ForeColor(kBoxColor);  // set box color
 fTEDocument->ForEachShapeDo
 ((DoToObject)DrawYourself,link);
 ForeColor(blackColor); }

#ifdef qDebug
pascal void TTextView::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
  Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTTextView”, nil, bClass, link);
 DoToField(“\pfTEDocument”, (Ptr) &fTEDocument, 
 bObject, link);
 DoToField(“\pfPaletteView”, (Ptr) &fPaletteView, 
 bObject, link);
  DoToField(“\pfUpdated”, (Ptr) &fUpdated, bBoolean, link);
 inherited::Fields(DoToField, link); }
#endif

pascal void TColorCmd::IColorCmd (int aCmdNumber, 
 TTEDocument *itsDocument, TTextView *itsView)
{TScroller *aScroller;  int oldColorCmd;
 fTextView = itsView;
 fTEDocument = itsDocument;
 aScroller = itsView->GetScroller(true);
 ICommand
 (aCmdNumber, itsDocument, itsView, aScroller);
 oldColorCmd = itsDocument->TextColorCmd(); 
 fOldColorCmd = oldColorCmd;
 fNewColorCmd = aCmdNumber;  }

pascal void TColorCmd::DoIt()
{fTEDocument->SetTextColorCmd(fNewColorCmd);
 fTextView->ForceRedraw();}

pascal void TColorCmd::RedoIt()  { UndoIt();  }

pascal void TColorCmd::UndoIt()
{fNewColorCmd = fOldColorCmd;
 fOldColorCmd = fTEDocument->TextColorCmd();
 DoIt();}

#ifdef qDebug
pascal void TColorCmd::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
  Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTColorCmd”, nil, bClass, link);
 DoToField(“\pfTEDocument”, (Ptr) &fTEDocument, 
 bObject, link);
  DoToField(“\pfTextView”, (Ptr) &fTextView, bObject, link);
 DoToField(“\pfOldColorCmd”, (Ptr) &fOldColorCmd, 
 bInteger, link);
 DoToField(“\pfNewColorCmd”, (Ptr) &fNewColorCmd, 
 bInteger, link);
 inherited::Fields(DoToField, link);  }
#endif

pascal void TSketcher::ISketcher
 (TTEDocument *itsDocument, TTextView *itsView)
{TScroller *aScroller;
 aScroller = itsView->GetScroller(true);
 ICommand
 (cDrawBox, itsDocument, itsView, aScroller);
 fTEDocument = itsDocument; fTextView = itsView;  }

pascal struct TCommand  *TSketcher::TrackMouse
 (TrackPhase aTrackPhase, VPoint *anchorPoint, 
 VPoint *previousPoint,  VPoint *nextPoint, 
 Boolean mouseDidMove)
{Rect newRect; TBox*aBox;
 if (aTrackPhase == trackRelease)
 { Pt2Rect(fTextView->ViewToQDPt(anchorPoint), 
 fTextView->ViewToQDPt(nextPoint), &newRect);
 aBox = new TBox; FailNIL(aBox);
 aBox->IBox(&newRect); fBox = aBox;
 fBoxLocation = newRect;  }
 return this;  }

pascal void TSketcher::DoIt()
{fTEDocument->AddShape(fBox);
 fTextView->InvalidRect(&fBoxLocation);  }

pascal void TSketcher::RedoIt()  {  DoIt();  }

pascal void TSketcher::UndoIt()
{fTEDocument->DeleteShape();
 fTextView->InvalidRect(&fBoxLocation);  }

#ifdef qDebug
pascal void TSketcher::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
  Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTSketcher”, nil, bClass, link);
 DoToField(“\pfTEDocument”, (Ptr) &fTEDocument, 
 bObject, link);
  DoToField(“\pfTextView”, (Ptr) &fTextView, bObject, link);
 DoToField(“\pfBox”, (Ptr) &fBox, bObject, link);
 DoToField(“\pfBoxLocation”, (Ptr) &fBoxLocation, 
 bRect, link);
 inherited::Fields(DoToField, link);  }
#endif

pascal void TBox::IBox(Rect *itsLocation)
 {  fLocation = *itsLocation;  }

pascal void TBox::DrawShape()
{PenSize(4,4);
 FrameRoundRect(&fLocation, 20,20); }

pascal void TBox::NeedDiskSpace(long *data)
{data = data + sizeof(fLocation);  }

pascal void TBox::Read(short aRefNum)
{long bytes;
 bytes = sizeof(fLocation);
 FailOSErr(
 FSRead(aRefNum, &bytes, (Ptr) &fLocation));  }

pascal void TBox::Write(short aRefNum)
{long bytes;
 bytes = sizeof(fLocation);
 FailOSErr(
 FSWrite(aRefNum, &bytes, (Ptr) &fLocation));}

#ifdef qDebug
pascal void TBox::Fields
 (pascal void (*DoToField) (StringPtr fieldName,
  Ptr fieldAddr, short fieldType, void *link), void *link)
{DoToField(“\pTBox”, nil, bClass, link);
 DoToField(“\pfLocation”, (Ptr) &fLocation, bRect, link);
 inherited::Fields(DoToField, link); }
#endif

TTEApplication *gTEApplication;
int main()
{InitToolBox();
 if (ValidateConfiguration(&gConfiguration))
 { InitUMacApp(8); InitUPrinting(); InitUTEView();
 gTEApplication = new TTEApplication;
 FailNIL(gTEApplication);
 gTEApplication->ITEApplication(kFileType);
 gTEApplication->Run();  }
 else StdAlert(phUnsupportedConfiguration);
 return 0;  }
Listing 3: TEDemo.r (Resource definitions)

#ifndef __TYPES.R__
#include “Types.r”
#endif

#ifndef __SYSTYPES.R__
#include “SysTypes.r”
#endif

#ifndef __MacAppTypes__
#include “MacAppTypes.r”
#endif

#ifndef __ViewTypes__
#include “ViewTypes.r”
#endif

#if qDebug
include “Debug.rsrc”;
#endif

include “MacApp.rsrc”;
include “Printing.rsrc”;
include “TEOther.rsrc”; 
 /* DLOG & DITL 1001; ICON 256,257; ICN# 128,129 */
include “TEDemo” ‘CODE’;

#define cHelp    1001
#define cDrawBox 2001
#define cBlack   5001
#define cBlue    5002
#define cGreen   5003
#define cRed     5004
#define cWhite   5005

#define kSignature ‘JLMT’
#define kDocFileType ‘JL01’
#define getInfoString
“©1990 J.Langowski/MacTutor. Translated from MacApp® Pascal.”

resource ‘WIND’ (1001, purgeable) {
 {50, 20, 250, 450}, zoomDocProc, invisible, goAway,
 0x0, “<<<>>>”  };

resource ‘DITL’ (201, purgeable) {
 /* About box */
  {   /* [1] */
 {130, 182, 150, 262},
 Button { enabled, “OK” };
 /* [2] */
 {10, 80, 110, 270},
 StaticText { disabled,
 “Displays text and boxes”
 “\n\nThis program was written “
 “with MacApp® © 1985-1989 Apple Computer, Inc.” };
 /* [3] */
 {10, 20, 42, 52},
 Icon { disabled, 1 }}  };

resource ‘ALRT’ (201, purgeable) {
 {90, 100, 250, 412},
 201,
 { OK, visible, silent; OK, visible, silent;
 OK, visible, silent;OK, visible, silent  }   };

resource ‘cmnu’ (1) {
 1, textMenuProc, 0x7FFFFFFB, enabled, apple,
  {   “About TEDemo ”, 
 noIcon, noKey, noMark, plain, cAboutApp;
 “Help ”, noIcon, “H”, noMark, plain, cHelp;
 “-”, noIcon, noKey, noMark, plain, nocommand } };

resource ‘cmnu’ (2) {
 2, textMenuProc, allEnabled, enabled, “File”,
  {   “New”, noIcon, “N”, noMark, plain, 10;
 “Open ”, noIcon, “O”, noMark, plain, 20;
 “-”, noIcon, noKey, noMark, plain, nocommand;
 “Close”, noIcon, noKey, noMark, plain, 31;
 “Save”, noIcon, “S”, noMark, plain, 30;
 “Save As ”, noIcon, noKey, noMark, plain, 32;
 “Save a Copy In ”, 
 noIcon, noKey, noMark, plain, 33;
 “-”, noIcon, noKey, noMark, plain, nocommand;
 “Page Setup ”, 
 noIcon, noKey, noMark, plain, 176;
 “Print One”, noIcon, “P”, noMark, plain, 177;
 “Print ”, noIcon, noKey, noMark, plain, 178;
 “-”, noIcon, noKey, noMark, plain, nocommand;
 “Quit”, noIcon, “Q”, noMark, plain, 36  }   };

resource ‘cmnu’ (3) {
 3, textMenuProc, allEnabled, enabled, “Edit”,
  {   “Undo”, noIcon, “Z”, noMark, plain, 101;
 “-”, noIcon, noKey, noMark, plain, nocommand;
 “Cut”, noIcon, “X”, noMark, plain, 103;
 “Copy”, noIcon, “C”, noMark, plain, 104;
 “Paste”, noIcon, “V”, noMark, plain, 105;
 “Clear”, noIcon, noKey, noMark, plain, 106;
 “-”, noIcon, noKey, noMark, plain, nocommand;
 “Show Clipboard”, 
 noIcon, noKey, noMark, plain, 35  }  };

resource ‘cmnu’ (4) {
 4, textMenuProc, allEnabled, enabled, “TextColor”,
  {   “Black”, noIcon, noKey, noMark, plain, cBlack;
 “Blue”, noIcon, “B”, noMark, plain, cBlue;
 “Green”, noIcon, “G”, noMark, plain, cGreen;
 “Red”, noIcon, “R”, noMark, plain, cRed;
 “White”, noIcon, noKey, noMark, outline, cWhite }
};

resource ‘cmnu’ (128) {
 128,textMenuProc,allEnabled,enabled,”Buzzwords”,
  {“Page Setup Change”, 
 noIcon, noKey, noMark, plain, cChangePrinterStyle;
 “Typing”, noIcon, noKey, noMark, plain, cTyping;
 “Drawing”,  
 noIcon, noKey, noMark, plain, cDrawBox }  };

resource ‘MBAR’ (128) { {1; 2; 3; 4} };

resource ‘mctb’ (128) {
 { /* Blue */
 4, 2,
 { 0x0000, 0x0000, 0xFFFF;
 0x0000, 0x0000, 0xFFFF;
 0x0000, 0x0000, 0xFFFF;
 0xFFFF, 0xFFFF, 0xFFFF };
 /* Green */
 4, 3,
 { 0x0000, 0xDB00, 0x0000;0x0000, 0xDB00, 0x0000;              
 0x0000, 0xDB00, 0x0000;  0xFFFF, 0xFFFF, 0xFFFF   };
 /* Red */
 4, 4,
 { 0xDB00, 0x0000, 0x0000;0xDB00, 0x0000, 0x0000;              
 0xDB00, 0x0000, 0x0000;  0xFFFF, 0xFFFF, 0xFFFF   }   }   };

resource ‘SIZE’ (-1) {
 saveScreen, acceptSuspendResumeEvents,
 enableOptionSwitch, canBackground,
 MultiFinderAware, backgroundAndForeground,
 dontGetFrontClicks, ignoreChildDiedEvents,
 is32BitCompatible, reserved, reserved, reserved,
 reserved, reserved, reserved, reserved,
#if qDebug
 640 * 1024, 512 * 1024
#else
 240 * 1024, 220 * 1024
#endif 
};

resource ‘seg!’ (256, purgeable) {
 { “GClose”; “GDoCommand”; “GNonRes”;
 “GFile”; “GOpen”; “GSelCommand”; }  };

resource ‘mem!’ (256, purgeable) {
 30 * 1024, /* Add to temporary reserve */
 0,/* Add to permanent reserve */
 0 /* Add to stack space */
};

/* Bundle */

type kSignature as ‘STR ‘;

resource kSignature (0) { getInfoString; };
resource ‘FREF’ (128) { ‘APPL’, 0, “TEDemo };
resource ‘FREF’ (129) { kDocFileType, 1, “TEDemo” };
resource ‘BNDL’ (128) { kSignature, 0,
 { ‘ICN#’,{ 0, 128; 1, 129 };
 ‘FREF’,{ 0, 128; 1, 129 } }   };

RESOURCE ‘vers’ (2,
#if qNames
“Package Version”,
#endif
 purgeable) { 0x02, 0x00, beta, 0x06, verUs, “2.0ß9”,
 “MacApp® 2.0ß9, ©Apple Computer, Inc. 1989” };
RESOURCE ‘vers’ (1,
#if qNames
“File Version”,
#endif
 purgeable) { 0x01,0x00,beta,0x05,verUs,”TEDemo”,
 “v 0.0, ©JL/MacTutor 1990”  };

/* debug window */
resource ‘dbug’ (kDebugParamsID,
#if qNames
“Debug”,
#endif
 purgeable) {
 {350, 4, 474, 636}, /* Bounds rect */
 1,     /* font rsrc ID (normal = monaco) */
 9,/* font size (normal = 9) */
 100, /* Number of lines */
 100, /* Width of lines in characters */
 true,  /* open initially */
 “Jörg’s Debug Window”  /* Window title */   };
Listing 4: TEDemo.MAMake (MacApp Make file)

#----------------------------------------------------------------------------AppName 
= TEDemo
#----------------------------------------------------------------------------#
 List resource files that the Rez file includes
OtherRsrcFiles = 
 “{MAObj}Printing.rsrc” 
 “TEOther.rsrc”

 

Community Search:
MacTech Search:

Software Updates via MacUpdate

Posterino 4.4 - Create posters, collages...
Posterino offers enhanced customization and flexibility including a variety of new, stylish templates featuring grids of identical or odd-sized image boxes. You can customize the size and shape of... Read more
Chromium 119.0.6044.0 - Fast and stable...
Chromium is an open-source browser project that aims to build a safer, faster, and more stable way for all Internet users to experience the web. List of changes available here. Version for Apple... Read more
Spotify 1.2.21.1104 - Stream music, crea...
Spotify is a streaming music service that gives you on-demand access to millions of songs. Whether you like driving rock, silky R&B, or grandiose classical music, Spotify's massive catalogue puts... Read more
Tor Browser 12.5.5 - Anonymize Web brows...
Using Tor Browser you can protect yourself against tracking, surveillance, and censorship. Tor was originally designed, implemented, and deployed as a third-generation onion-routing project of the U.... Read more
Malwarebytes 4.21.9.5141 - Adware remova...
Malwarebytes (was AdwareMedic) helps you get your Mac experience back. Malwarebytes scans for and removes code that degrades system performance or attacks your system. Making your Mac once again your... Read more
TinkerTool 9.5 - Expanded preference set...
TinkerTool is an application that gives you access to additional preference settings Apple has built into Mac OS X. This allows to activate hidden features in the operating system and in some of the... Read more
Paragon NTFS 15.11.839 - Provides full r...
Paragon NTFS breaks down the barriers between Windows and macOS. Paragon NTFS effectively solves the communication problems between the Mac system and NTFS. Write, edit, copy, move, delete files on... Read more
Apple Safari 17 - Apple's Web brows...
Apple Safari is Apple's web browser that comes bundled with the most recent macOS. Safari is faster and more energy efficient than other browsers, so sites are more responsive and your notebook... Read more
Firefox 118.0 - Fast, safe Web browser.
Firefox offers a fast, safe Web browsing experience. Browse quickly, securely, and effortlessly. With its industry-leading features, Firefox is the choice of Web development professionals and casual... Read more
ClamXAV 3.6.1 - Virus checker based on C...
ClamXAV is a popular virus checker for OS X. Time to take control ClamXAV keeps threats at bay and puts you firmly in charge of your Mac’s security. Scan a specific file or your entire hard drive.... Read more

Latest Forum Discussions

See All

‘Monster Hunter Now’ October Events Incl...
Niantic and Capcom have just announced this month’s plans for the real world hunting action RPG Monster Hunter Now (Free) for iOS and Android. If you’ve not played it yet, read my launch week review of it here. | Read more »
Listener Emails and the iPhone 15! – The...
In this week’s episode of The TouchArcade Show we finally get to a backlog of emails that have been hanging out in our inbox for, oh, about a month or so. We love getting emails as they always lead to interesting discussion about a variety of topics... | Read more »
TouchArcade Game of the Week: ‘Cypher 00...
This doesn’t happen too often, but occasionally there will be an Apple Arcade game that I adore so much I just have to pick it as the Game of the Week. Well, here we are, and Cypher 007 is one of those games. The big key point here is that Cypher... | Read more »
SwitchArcade Round-Up: ‘EA Sports FC 24’...
Hello gentle readers, and welcome to the SwitchArcade Round-Up for September 29th, 2023. In today’s article, we’ve got a ton of news to go over. Just a lot going on today, I suppose. After that, there are quite a few new releases to look at... | Read more »
‘Storyteller’ Mobile Review – Perfect fo...
I first played Daniel Benmergui’s Storyteller (Free) through its Nintendo Switch and Steam releases. Read my original review of it here. Since then, a lot of friends who played the game enjoyed it, but thought it was overpriced given the short... | Read more »
An Interview with the Legendary Yu Suzuk...
One of the cool things about my job is that every once in a while, I get to talk to the people behind the games. It’s always a pleasure. Well, today we have a really special one for you, dear friends. Mr. Yu Suzuki of Ys Net, the force behind such... | Read more »
New ‘Marvel Snap’ Update Has Balance Adj...
As we wait for the information on the new season to drop, we shall have to content ourselves with looking at the latest update to Marvel Snap (Free). It’s just a balance update, but it makes some very big changes that combined with the arrival of... | Read more »
‘Honkai Star Rail’ Version 1.4 Update Re...
At Sony’s recently-aired presentation, HoYoverse announced the Honkai Star Rail (Free) PS5 release date. Most people speculated that the next major update would arrive alongside the PS5 release. | Read more »
‘Omniheroes’ Major Update “Tide’s Cadenc...
What secrets do the depths of the sea hold? Omniheroes is revealing the mysteries of the deep with its latest “Tide’s Cadence" update, where you can look forward to scoring a free Valkyrie and limited skin among other login rewards like the 2nd... | Read more »
Recruit yourself some run-and-gun royalt...
It is always nice to see the return of a series that has lost a bit of its global staying power, and thanks to Lilith Games' latest collaboration, Warpath will be playing host the the run-and-gun legend that is Metal Slug 3. [Read more] | Read more »

Price Scanner via MacPrices.net

Clearance M1 Max Mac Studio available today a...
Apple has clearance M1 Max Mac Studios available in their Certified Refurbished store for $270 off original MSRP. Each Mac Studio comes with Apple’s one-year warranty, and shipping is free: – Mac... Read more
Apple continues to offer 24-inch iMacs for up...
Apple has a full range of 24-inch M1 iMacs available today in their Certified Refurbished store. Models are available starting at only $1099 and range up to $260 off original MSRP. Each iMac is in... Read more
Final weekend for Apple’s 2023 Back to School...
This is the final weekend for Apple’s Back to School Promotion 2023. It remains active until Monday, October 2nd. Education customers receive a free $150 Apple Gift Card with the purchase of a new... Read more
Apple drops prices on refurbished 13-inch M2...
Apple has dropped prices on standard-configuration 13″ M2 MacBook Pros, Certified Refurbished, to as low as $1099 and ranging up to $230 off MSRP. These are the cheapest 13″ M2 MacBook Pros for sale... Read more
14-inch M2 Max MacBook Pro on sale for $300 o...
B&H Photo has the Space Gray 14″ 30-Core GPU M2 Max MacBook Pro in stock and on sale today for $2799 including free 1-2 day shipping. Their price is $300 off Apple’s MSRP, and it’s the lowest... Read more
Apple is now selling Certified Refurbished M2...
Apple has added a full line of standard-configuration M2 Max and M2 Ultra Mac Studios available in their Certified Refurbished section starting at only $1699 and ranging up to $600 off MSRP. Each Mac... Read more
New sale: 13-inch M2 MacBook Airs starting at...
B&H Photo has 13″ MacBook Airs with M2 CPUs in stock today and on sale for $200 off Apple’s MSRP with prices available starting at only $899. Free 1-2 day delivery is available to most US... Read more
Apple has all 15-inch M2 MacBook Airs in stoc...
Apple has Certified Refurbished 15″ M2 MacBook Airs in stock today starting at only $1099 and ranging up to $230 off MSRP. These are the cheapest M2-powered 15″ MacBook Airs for sale today at Apple.... Read more
In stock: Clearance M1 Ultra Mac Studios for...
Apple has clearance M1 Ultra Mac Studios available in their Certified Refurbished store for $540 off original MSRP. Each Mac Studio comes with Apple’s one-year warranty, and shipping is free: – Mac... Read more
Back on sale: Apple’s M2 Mac minis for $100 o...
B&H Photo has Apple’s M2-powered Mac minis back in stock and on sale today for $100 off MSRP. Free 1-2 day shipping is available for most US addresses: – Mac mini M2/256GB SSD: $499, save $100 –... Read more

Jobs Board

Licensed Dental Hygienist - *Apple* River -...
Park Dental Apple River in Somerset, WI is seeking a compassionate, professional Dental Hygienist to join our team-oriented practice. COMPETITIVE PAY AND SIGN-ON Read more
Sublease Associate Optometrist- *Apple* Val...
Sublease Associate Optometrist- Apple Valley, CA- Target Optical Date: Sep 30, 2023 Brand: Target Optical Location: Apple Valley, CA, US, 92307 **Requisition Read more
*Apple* / Mac Administrator - JAMF - Amentum...
Amentum is seeking an ** Apple / Mac Administrator - JAMF** to provide support with the Apple Ecosystem to include hardware and software to join our team and Read more
Child Care Teacher - Glenda Drive/ *Apple* V...
Child Care Teacher - Glenda Drive/ Apple ValleyTeacher Share by Email Share on LinkedIn Share on Twitter Read more
Cashier - *Apple* Blossom Mall - JCPenney (...
Cashier - Apple Blossom Mall Location:Winchester, VA, United States (https://jobs.jcp.com/jobs/location/191170/winchester-va-united-states) - Apple Blossom Mall Read more
All contents are Copyright 1984-2011 by Xplain Corporation. All rights reserved. Theme designed by Icreon.