TweetFollow Us on Twitter

All About Printing
Volume Number:1
Issue Number:9
Column Tag:Pascal Procedures

“All About Printing”

By Alan Wootton, President, Top-Notch Productions, MacTutor Contributing Editor

This month's topic is printing. As an example I present a program that will print a message in large, 'banner' format. Perfect for parties!

To those of us who are familiar with the older generation of computers, printing is a matter of sending data through ports and using printer control codes. For the Mac we take these details for granted and will concentrate on using pre-packaged drivers and on the details of GrafPorts.

Background

Printing on the Mac is done through the Printing Manager, RAM software that is considered part of the low-level operating system software. This code is stored in the system file and loaded into RAM. The Printing Manager interfaces between your program and the actual printer driver that controls the printer. The Imagewriter and LaserPrinter files are printer drivers called by the Printing Manager. The "Choose Printer" desk accessory switches between the two drivers so the Printing Manager has the correct driver installed and ready to go. To be more specific, the Imagewriter and LaserPrinter files are printer resource files, which contain device driver code within them to drive the respective printer. The "Choose Printer" DA copies the selected printer driver and it's data structures from the printer resource file into the system file, and that's the driver that the Print Manger then uses. The idea is that a Mac application can be written using printing manager calls and be printer independent, since the printing manager would then interface to the appropriate device driver, eliminating the need to re-code an application for a different printer. This ideal comes close to being achieved on the Mac, probably more than any other computer system, but is still far from perfect.

The intent of the Mac designers was that printing would be transparent to quickdraw graphics "printed" on the screen. This was accomplished by using a special quickdraw grafport for printing. Normal quickdraw routines are used to draw into this port. The Printing Manager converts these quickdraw calls in your grafport to printer calls to drive the printer instead of the screen. In this way, printing is supposed to be transparent to a normal screen drawing operation. It also explains the complexity of printing, since it involves all the quickdraw screen graphics technology.

Draft versus Standard Quality

The Printing Manager is responsible for the dialog boxes that appear prior to printing and for allowing draft or standard quality printing. These two modes are fundamentally different. In draft mode, the ascii representation of the quickdraw calls are sent to the printer, which prints the text of the document using the character generator within the printer. Hence no graphics are supported except character graphics or modes directly supported by the printer and driven by the user's program. The printer responds to it's own command codes rather than any of the "Mac" like graphics.

Spool File versus Printing the Spool File

Standard and high quality modes are completely different. In these modes, the printer is controlled bit by bit and the entire document is converted into a giant bit mapped graphics dump. A temporary quickdraw picture is first composed on disk called the spool file. This spool file is then read into memory, converted into an array of dots by bands, and sent to the printer. The bands are necessary because of the huge amount of memory required by bit-mapping an 81/2 by 11 inch page. For the imagewriter, this amounts to 256K of memory. For the LaserWriter, over a megabyte! The task of first creating a quickdraw picture for the spool file, and then imaging (converting to a bit-map) and printing the spool file band by band, are handled seperately by the printing manager. In fact, it is supposed to be possible to create several spool files for printing later, but no one seems to be using that ability. Inside Mac appears indecisive about printing, saying that printing spool files is done by the Printer utility, the code of which has apparently been integrated into the Finder. But Printer does exist as a seperate utility that will read a spool file, image it and print it. Since hardly any applications leave the spool file lying around, there hasen't been much opportunity to use the Printer utility.

Print Manager Calls: Lisa Pascal to Mac Pascal

In the printing chapter of Inside Mac a lengthy list of data types is presented along with 14 Pascal procedures and functions. This is the printing interface, but it is not made clear exactly where these procedures are found. The idea is that you are supposed to simply include the declarations and calls in your program and then link with a printing module. What is misleading about this is that the link is not with the procedures you think you are using but merely a piece of "glue". The actual code used to drive the printer is in the file 'Imagewriter' (usually in the system folder). Naturally, the code is in resources.

Imagewriter

To get a handle (pun intended) on printing, I examined the link module provided by Owen Densmore. I then duplicated Owen's algorithms in Pascal. You can find my versions of all 14 procedures in the following program.

The first task is to open a resource file. I said a bit on resources last month and there is never enough I can say about them. You should take a look in 'Imagewriter' and see what is there. The resources of interest here are of TYPE PDEF. These resources are actual printer-specific code. The code we need is in PDEF#0, PDEF#1, PDEF#4, and PDEF#5. In 'Imagewriter' is also a driver DRVR#-8192 named, '.print', but the one actually used is installed in the file, 'system'. The other stuff is for support of the dialog boxes the print manager presents. Rather than simply OpenResFile('Imagewriter');, we must take into account the possibility that there is more than one printer. To this end there is a resource STR #-8192 which contains the name of the print resource file. Therefore the print procedure PrOpen is ResID := OpenResFile( GetString(-8192) ); along with PBOpen of '.Print'. PrClose is simply CloseResFile(ResID). The other print procedures are in the PDEF resources and begin at various offsets into those resources.

The function GetAddress is used in the program to load one of the PDEF's (GetResource) and then to lock it in place (Hlock). It is then dereferenced and the offset is added. Once we have an absolute address to use we need a way to pass control to it. To do this I created the array jsr[0..3] of integer which contains code to JSR to the address on the top of the stack. Once again I take advantage of the fact that InlineP leaves register A0 pointing 2 bytes behind of the place we must return to. If you know no 68000 assembly you can ignore this.

The final detail to emulating the print interface code is that some of the routines release the PDEF handle and others leave it locked in place. This is the purpose of ReleaseAddress. Further, note that some of the routines use different PDEF's (0,1,2 or 3) depending on the setting of bjDocLoop. This is the purpose of MethodAdd. I find this a rather obscure feature and it will not be used here; nonetheless, the interface presented is complete, I think.

GrafPorts for Printing

It is necessary to use the type declarations to print but it is not necessary to closely study their form or function. I suggest studying my print record declarations in the program below along side "Printing Resources" in the new telephone version of Inside macintosh, where the print data structures are explained. A print record is created and filled in by the Printing Manager and the print dialog boxes. The printing port is set by a variant record type so that your program can write into the port as if it were a regular grafport, while the Printing Manager can modify the grafport for the printer.

The central issue is one of drawing in a GrafPort. Essentially, printing is no different than updating the contents of a window except that the size of the window is huge. To simply print a picture use a sequence like PrOpen, PrintDefault, PrOpenDoc, PrOpenPage, draw your picture, PrClosePage, PrCloseDoc, PrPicFile, and PrClose. To print more pages repeat PrOpenPage, draw, PrClosePage. Note the perfect symmetry with the exception of PrintDefault and PrPicFile. PrintDefault will fill in all those nasty hPrint fields for you and PrPicFile actually drives the printer. You may also modify your hPrint with PrStlDialog and PrJobDialog. These two present very familiar dialog boxes.

In the following program the procedure DrawPic draws a large picture in whatever port is current. In the main body of the program DrawPic is called several times to demonstrate the use of SetOrgin to show different views of the big picture. Of course, the parts of the picture that don't fit are chopped off by quickdraw and the same will happen when we print. I have found some strange complications. When printing, the VisRgn of the print port is not used, rather the clipRgn is used to delineate the usable area. In contrast, the drawing example opens up the ClipRgn and the VisRgn presents the limits. To investigate put:

with MyPort^.VisRgn^^.rgnBBox do writeln(top,left,bottom,right);  

in various places.

If you are doing a picture that is larger than one page don't assume the size of the page. You won't have to mess around in the grafport because you can use the rectangle hPrint^^.prInfoPt.Rpage to obtain the necessary offsets. Rpage.top and Rpage.left are zero so use right and bottom. I think this is the only one of the many hPrint fields that is commonly useful.

To make a banner, as promised, you will need the newer version of Imagewriter (sometimes called Imagewriter 15) or else there will be breaks between the pages. For banner format choose 'wide' and 'no breaks between pages' on the style dialog. You can change DrawPic to make any picture you please.

If there is any, and I mean any, subject that you think needs to be covered, write to me care of MacTutor and I will give it a try. I figure that if we can print with MacPascal then MacPascal can do just about anything.

program Banner_Print;{ by Alan Wootton 5/85 }
{ Prints a test pattern using the Printing Manager }

 uses
  Quickdraw2;
 type
  ptr = ^integer;
  handle = ^ptr;
  ProcPtr = ^longint;
  OStype = longint;

  strptr = ^str255;
  strHan = ^strptr;

{~~~~~~~~~ Print Manager Data Types ~~~~~~~~~~ }
{ note: byte size fields don't work right in MacPascal }

  TPStr80 = ^TStr80;
  TStr80 = string[80];

  TPRect = ^Rect;

  TPPrPort = ^TPrPort;
  TPrPort = record
    gPort : GrafPort                            ;{ GrafPort to draw in 
}
    gProcs : QDProcs      ;{ pointers to drawing routines }
    LGParam1, LGParam2 : longint;
    LGParam3, LGParam4 : longint;        { internal use }
    {         fOurPtr:boolean }
    fOurBits : integer;                       { boolean }
   end;

  TPPort = record
    case integer of
     0 : (
       pGPort : GrafPtr
     );
     1 : (
       pPrPort : TPPrPort
     )
   end;

  TPrInfo = record
    iDev : INTEGER;                   {driver information}
    iVRes : INTEGER;             {printer vertical resolution}
    iHRes : INTEGER;             {printer horizontal resolution}
    rPage : Rect                         {page rectangle}
   end;

  TPrStl = record
    wDev : integer;                    {  TWord;  used internally}
    iPageV : INTEGER;           {paper height}
    iPageH : INTEGER;          {paper width}
{          bPort : SignedByte;  printer or modem port}
    Tfeed : integer;                   { TFeed;   paper type}
   end;

  TFeed = (feedCut, {hand-fed, individually cut sheets}
   feedFanfold,        {continuous-feed fanfold paper}
   feedMechCut,      {mechanically fed cut sheets}
   feedOther);         {other types of paper}

  TPrJob = record
    iFstPage : INTEGER;         {first page to print}
    iLstPage : INTEGER;         {last page to print}
    iCopies : INTEGER;            {number of copies}
    bJDocLoop : integer;
{  printing method (in upper byte)  }
{         fFromUsr :  BOOLEAN;  }
{ TRUE if called from application }
    pIdleProc : ProcPtr; {background procedure}
    pFileName : TPStr80; {spool file name}
    iFileVol : INTEGER; {volume reference number}
{         bFileVers : SignedByte;  }
{         version number of spool file }
    bJobX : integer;{ SignedByte  not used}
   end;

  TScan = (scanTB,   {scan top to bottom}
   scanBT,   {scan bottom to top}
   scanLR,    {scan left to right}
   scanRL);  {scan right to left}

  TPrXInfo = record
    iRowBytes : INTEGER; {bytes per row}
    iBandV : INTEGER; {vertical dots}
    iBandH : INTEGER; {horizontal dots}
    iDevBytes : INTEGER; {size of bit image}
    iBands : INTEGER; {bands per page}
{         bPatScale : SignedByte;  used by Quickdraw}
    bUlThick : integer;
{        was Signed Byte,  underline thickness}
{         bUlOffset : Signed Byte;  underline offset}
    bUlShadow : integer;
{        was SignedByte, underline descender}
    scan : integer;{ TScan(byte), scan direction }
{         bXInfoX : SignedByte  not used }
   end;

  THPrint = ^TPPrint;
  TPPrint = ^TPrint;
  TPrint = record
    iPrVersion : INTEGER; {Printing Manager version}
    prInfo : TPrInfo; {printer information}
    rPaper : Rect; {paper rectangle}
    prStl : TPrStl; {style information}
    prInfoPT : TPrInfo; {Pcopy of PrInfo}
    prXInfo : TPrXInfo; {band information}
    prJob : TPrJob; {job information}
    printX : array[1..19] of INTEGER
{ printX used internally by print manager}
   end;

  TPrStatus = record
    iTotPages : INTEGER; {total number of pages}
    iCurPage : INTEGER; {page being printed}
    iTotCopies : INTEGER; {number of copies}
    iCurCopy : INTEGER; {copy being printed}
    iTotBands : INTEGER; {bands per page}
    iCutBand : INTEGER; {band being printed}
{         fPgDirty : BOOLEAN; in lower byte of iCutBand }
{         dirty is TRUE if started printing page}
    fImaging : integer;{ BOOLEAN;  TRUE if imaging}
    hPrint : THPrint; {print record}
    pPrPort : TPPrPort; {printing port}
    hPic : PicHandle {used internally}
   end;


{ Parameter Block information contained in File Manager}
{ chapter of Inside Macintosh.  Note that MacPascal }
{ won 't do 8 bit fields right.  We will only use the }
{ ioParam part here }

  ParamBlkPtr = ^ParamBlockRec;
  ParamBlockRec = record
    qLink : Ptr;
    qType : integer;
    ioTrap : integer;
    ioCmdAddr : ptr;
    ioCompletion : ptr;
    ioResult : integer;
    ioNamePtr : ^str255;
    ioVrefNum : integer;
{  case ParamBlkType of  ...  ioParam:  }
    ioRefNum : integer;
  {       ioVersNum : byte;  }
    ioPermssn : integer;{ byte }
    ioMisc : ptr;
    ioBuffer : ptr;
    ioReqCount : longint;
    ioActCount : longint;
    ioPosMode : integer;
    ioPosOffset : longint;
   end;

 var  {-----------global variables-----------}
{ jsr and access are 68000 glue routines }
{ jsr source code described below }
{ See MacTutor vol.1 no.6 for access source code }
  jsr : array[0..3] of integer;
  access : array[0..12] of integer;
  ResId : integer;{ id of currently open Printer file }
  hPrint : THPrint;{ data record for print job }
  pPrPort : TPPrPort;{ pointer to port to draw into }
  PrStatus : TPrStatus;{ printing status record }
  page : integer;{ page number currently printing }
  pageR : rect;{ copy of rPaper rectangle }
  width : integer;{ width of paper }
  maxR : rect;{ huge rectangle }
  myport : GrafPtr;{ for temporary use }


{           %%%    %%%        %%          %%                     }
{           %   %    %   %     %      %    %      %                  
}
{           %%%    %%%     %      %    %                           }
{           %          % %       %      %    %      %                
  }
{           %          %   %        %%          %%                   
  }
{----------beginning of procedure definitions----------}

{ This loads, locks, dereferences, and computes an }
{ entry point for a resource that will be used as code }
 function GetAddress (id, offset : integer) : longint;
  var
   h, d : Handle;
 begin
  h := pointer(LinlineF($A9A0, $50444546, id));
{ _GetResource('PDEF',id) }
  d := nil;
  inlineP($4E75, @d, @H, $A029, @access);
{ _Hlock( H ) }
  if d <> nil then
   writeln('GetAddress error', ord(d));
  GetAddress := ord(h^) + offset;
 end;

{ This unlocks a PDEF resource that was locked to run }
 procedure ReleaseAddress (id : integer);
  var
   h, d : Handle;
 begin
  h := pointer(LinlineF($A9A0, $50444546, id));
{ _GetResource('PDEF',id) }
  d := nil;
  inlineP($4E75, @d, @H, $A02A, @access);
{ _Hunlock( H ) }
  if d <> nil then
   writeln('ReleaseAddress error', ord(d));
 end;

{ this calls GetAddress for the appropriate resource. }
{ Which resource is used depends upon bjDocLoop. }
 function MethodAdd (hPrint : THPrint;
         offset : integer) : longint;
  var
   method : integer;
 begin
  method := hPrint^^.prJob.bjDocLoop div 256;
  method := method mod 4;
  hPrint^^.prJob.bjDocLoop := method * 256;
{    bjDocLoop is in upper byte.  It must be mod 4 }
  MethodAdd := GetAddress(method, offset);
 end;

{common OS trap code, could be done with 'Generic' call}
{ see MacTutor vol.1 no.6 for source code }
 function filecall (Pb : ParamBlkPtr;
         trap : integer) : integer;
  var
   d0, a0 : longint;
 begin
  a0 := ord(pb);
  inlineP($4E75, @d0, @a0, trap, @access);
{ $4E75 is rts to access routine }
  filecall := loword(d0);
 end;

{ The following File Manager calls work just like   }
{ those described in Inside Macintosh for the Lisa Pascal }
{ Workshop, except that the async parameter is a }
{ dummy; all calls are sync. }

 function PBOpen (Pb : ParamBlkPtr;
         async : boolean) : integer;
 begin
  PBOpen := filecall(pb, $A000);
 end;

{ Below are the Printing Manager calls. }
{ They are supposed to work just like the real ones. }

 procedure PrOpen;
  var
   sH : strHan;
   pblock : ParamBlockRec;
   Tstr : str255;
 begin
  Tstr := '.Print';
  pBlock.ioNamePtr := @Tstr; { first we open driver...}
  pBlock.ioPermssn := 0;
  if PBOpen(@pBlock, false) <> 0 then
   sysbeep(100);
{...then we open the resource fork of current printer file}
  sH := pointer(LinlineF($A9BA, $E000));
{ _GetString(-8192 ) = name of print manager }
  ResId := WinlineF($A997, sH^);
{ _OpenResFile of print manager, usually='Imagewriter'}
 end;

 procedure PrClose;
 begin
  inlineP($A99A, ResId);{ _CloseResFile }
{    note that the driver is left open }
 end;


 procedure PrintDefault (hPrint : THPrint);
 begin
  inlineP($4E75, hPrint, Getaddress(4, 0), @jsr);
{ $4E75 is rts to 'jsr' routine which runs  }
{ PDEF #4 with offset of zero. }
{ This same sequence is used below also }
  ReleaseAddress(4);
 end;

 function PrValidate (hPrint : THPrint) : boolean;
 begin
  PrValidate := 
          BinlineF($4E75, hPrint, Getaddress(4, 24), @jsr);
  ReleaseAddress(4);
 end;

 function PrStlDialog (hPrint : THPrint) : boolean;
 begin
  PrStlDialog := 
            BinlineF($4E75, hPrint, Getaddress(4, 4), @jsr);
  ReleaseAddress(4);
 end;

 function PrJobDialog (hPrint : THPrint) : boolean;
 begin
  PrJobDialog := 
            BinlineF($4E75, hPrint, Getaddress(4, 8), @jsr);
  ReleaseAddress(4);
 end;

 procedure PrJobmerge (hPrintSrc, hPrintDst :       
                                                    THPrint);
 begin
  inlineP($4E75, hPrintSrc, hPrintDst, 
                                              Getaddress(4, 28), @jsr);
  ReleaseAddress(4);
 end;

 function PrOpenDoc (hPrint : THPrint;
         pPrPort : TPPrPort;
         pIOBuf : Ptr) : TPPrPort;
  var
   lll : longint;
 begin
  lll := LinlineF($4E75, hPrint, pPrPort, pIOBuf,
                                         MethodAdd(hPrint, 0), @jsr);
  PROpenDoc := pointer(lll);
 end;

 procedure PrOpenPage (pPrPort : TPPrPort;
         pPageFrame : TPRect);
 begin
  inlineP($4E75, pPrPort, pPageFrame, 
                                         MethodAdd(hPrint, 8), @jsr);
 end;

 procedure PrClosePage (pPrPort : TPPrPort);
 begin
  inlineP($4E75, pPrPort, MethodAdd(hPrint, 12), @jsr);
 end;

 procedure PrCloseDoc (pPrPort : TPPrPort);
 begin
  inlineP($4E75, pPrPort, MethodAdd(hPrint, 4), @jsr);
  ReleaseAddress(1);
 end;

 procedure PrPicFile (hPrint : THPrint;
         pPrPort : TPPrPort;
         pIOBuff : Ptr;
         pDevBuf : Ptr;
         var prStatus : TPrStatus);
 begin
  inlineP($4E75, hPrint, pPrPort, pIOBuff, pDevBuf, 
                              @prStatus, Getaddress(5, 0), @jsr);
  ReleaseAddress(5);
 end;

 function PrError : integer;
  var
   eptr : Ptr;
 begin
  eptr := pointer($944);
  PrError := eptr^;
 end;

 procedure PrSetError (iErr : integer);
  var
   eptr : Ptr;
 begin
  eptr := pointer($944);
  eptr^ := iErr;
 end;


{ This is my routine to draw a sample picture. }
{ The picture is drawn into the current port. }
{ Note that this is a very wide picture. }
 procedure drawpic;
  var
   i : integer;
   r : Rect;
 begin
  moveto(4, 220);
  textfont(2);
  textsize(216);{ must be less than 256 }
  textface([bold, outline, underline]);
  drawstring('Hooray for MacTutor!');
 end;

                           %%%%%%%                               }
{                                 %%%                                
     }
{                                    %                               
         }
{                 Main entry point of program                    }
begin  
 stuffHex(@jsr, '5488225F2F084ED1');
{ Code to jsr to address on top of stack: }

{ 5488  addq.l   #2,a0      ;a0 is now return address }
{ 225F  move.l  (a7)+,a1  ;a1 is address of routine }
{ 2F08  move.l  a0,-(sp)   ;put return on stack }
{ 4ED1  jmp       (a1)         ;and call routine }

 stuffHex(@access, '2848548C41FA000C309F245F265F20522013FFFF224826804ED4');
{ access calls a register based trap }

 showdrawing;{ Set current port to Drawing window. }
 setrect(maxR, 10, 100, 510, 330);
 SetDrawingRect(maxR);{ Make Drawing big. }
 setrect(maxR, -32000, -32000, 32000, 32000);
{  make maxR huge }

 cliprect(maxR); { Open up clip region. }
 for page := 0 to 8 do{ Draw 9 times for preview. }
  begin
   setOrigin(page * 300, 0);{ Use increasing offset. }
   eraserect(maxR);
   drawpic;{<------ Draw our picture in drawing. }
  end;

 hPrint := NewHandle(120);
{ 120 is size of TPrint record. }

 PrOpen;{ Open Printing Manager. }

 PrintDefault(hPrint);{ Fetch default hPrint. }

{ Now modify style info of hPrint if desired. }
{ For banner chose Wide and No Breaks Between Pages. }
 if PrStlDialog(hPrint) then
  writeln('new style chosen');

{ Then get job info for hPrint. }
 if PrJobDialog(hPrint) then
  begin
   pPrPort := PrOpenDoc(hPrint, nil, nil);
{ Grafport is now pPrPort, not Drawing window. }

   pageR := hPrint^^.prInfoPt.Rpage;
   pageR.right := pageR.right div 2;
   pageR.bottom := pageR.bottom div 2;
   width := pageR.right;{ width of printing 'window' }
{ Draw into rect 1/2 page size, quickdraw will }
{ scale picture to fit page later. This effectivly doubles}
{ the size of our drawing. }

{ Now we will draw the picture. It will go into pPrPort. }
{ For each page we offset to clip off parts not used. }
   getport(myport);{ myport := pPrPort; }
   for page := 0 to 7 do{ 8 pages }
    begin
     PrOpenPage(pPrPort, @pageR);
{ PrOpenPage resets the ports size, coordinates etc. }

     setOrigin(width * page, 0);

{ setOrigin does not change cliprgn so we do it here. }
     offsetRgn(myport^.cliprgn, width * page, 0);
{ I tried simply maxing out the clip and it didn't work. }

     drawpic;{<---------draw picture into pPrPort}

     PrClosePage(pPrPort);
    end;

   PrCloseDoc(pPrPort);

   PrPicFile(hPrint, nil, nil, nil, PrStatus);
  end;{ if job }

 disposeHandle(hPrint);
 PrClose;
end.
 

Community Search:
MacTech Search:

Software Updates via MacUpdate

Xcode 15.0.1 - Integrated development en...
Xcode includes everything developers need to create great applications for Mac, iPhone, iPad, and Apple Watch. Xcode provides developers a unified workflow for user interface design, coding, testing... Read more
Google Chrome 120.0.6099.62 - Modern and...
Google Chrome is a Web browser by Google, created to be a modern platform for Web pages and applications. It utilizes very fast loading of Web pages and has a V8 engine, which is a custom built... Read more
Dropbox 188.4.6302 - Cloud backup and sy...
Dropbox is a file hosting service that provides cloud storage, file synchronization, personal cloud, and client software. It is a modern workspace that allows you to get to all of your files, manage... Read more
djay Pro 5.0 - Transform your Mac into a...
djay Pro provides a complete toolkit for performing DJs. Its unique modern interface is built around a sophisticated integration with iTunes and Spotify, giving you instant access to millions of... Read more
Things 3.19.4 - Elegant personal task ma...
Things is a task management solution that helps to organize your tasks in an elegant and intuitive way. Things combines powerful features with simplicity through the use of tags and its intelligent... Read more
Sublime Text 4169 - Sophisticated text e...
Sublime Text is a sophisticated text editor for code, markup, and prose. You'll love the slick user interface, extraordinary features, and amazing performance. Features Goto Anything. Use Goto... Read more
Typinator 9.1 - Speedy and reliable text...
Typinator turbo-charges your typing productivity. Type a little. Typinator does the rest. We've all faced projects that require repetitive typing tasks. With Typinator, you can store commonly used... Read more
ESET Cyber Security 6.11.414.0 - Basic i...
ESET Cyber Security provides powerful protection against phishing, viruses, worms, and spyware. Offering similar functionality to ESET NOD32 Antivirus for Windows, ESET Cyber Security for Mac allows... Read more
Opera 105.0.4970.29 - High-performance W...
Opera is a fast and secure browser trusted by millions of users. With the intuitive interface, Speed Dial and visual bookmarks for organizing favorite sites, news feature with fresh, relevant content... Read more
Quicken 7.4.1 - Complete personal financ...
Quicken makes managing your money easier than ever. Whether paying bills, upgrading from Windows, enjoying more reliable downloads, or getting expert product help, Quicken's new and improved features... Read more

Latest Forum Discussions

See All

‘Refind Self: The Personality Test Game’...
The last two months have been so busy that I’ve not been able to make time to play many games until recently. There are still new games coming out even as we head closer to the holidays, but I finally managed to play Playism and Lizardry’s recent... | Read more »
Experience the glory of the Northern Lig...
Dinosaur Polo Club, one of the best developer names out there, have recently announced the final update of 2023 for Mini Motorways. Instead of embracing Christmas, this event is instead inspired by one of the most beautiful natural phenomena, the... | Read more »
‘Disney Dreamlight Valley Arcade Edition...
After a bit of a delay, Disney Dreamlight Valley Arcade Edition () is now available on Apple Arcade worldwide. When Disney Dreamlight Valley Arcade Edition hit early access on PC and consoles including Nintendo Switch, I always assumed it would... | Read more »
‘Devil May Cry: Peak of Combat’ Releases...
It feels like we’ve been covering Devil May Cry: Peak of Combat (), the mobile entry in the superb Devil May Cry series, for as long as we were waiting for Devil May Cry 5. After trailers revealing gameplay, characters, controller support, betas,... | Read more »
‘Marvel Snap’ Dons Its Finest in the New...
It’s been quite a year for the card battler Marvel Snap (Free), which is still one of my favorite mobile games. There have been a bunch of interestingly-themed seasons, sometimes connected to the MCU and sometimes just doing their own thing. Plenty... | Read more »
SwitchArcade Round-Up: ‘A Highland Song’...
Hello gentle readers, and welcome to the SwitchArcade Round-Up for December 5th, 2023. It’s a bit of a short one today since I was busy with a variety of other things, but there are several new releases for us to summarize. There are some really... | Read more »
‘Metal Slug ACA NEOGEO’ Review – Another...
Well, here we go again. The latest addition to SNK and Hamster’s mobile Arcade Archives line is none other than Metal Slug ACA NEOGEO ($3.99), a second take on a game we got a mobile version of a decade back from Dotemu. That was a fine version for... | Read more »
‘Sonic Dream Team’ Apple Arcade Review –...
What an unusual day we have arrived upon today. Now, Sonic the Hedgehog games aren’t a new thing for iOS gaming. The original Sonic the Hedgehog appeared on the classic iPod, so the Blue Blur got in the doors as fast as you would expect him to. The... | Read more »
PvP Basketball Game ‘NBA Infinite’ Annou...
Level Infinite and Lightspeed Studios just announced a new real-time PvP basketball game for mobile in the form of NBA Infinite (). NBA Infinite includes solo modes as well, collecting and upgrading current NBA players, managing teams, and more. It... | Read more »
New ‘Dysmantle’ iOS Update Adds Co-Op Mo...
We recently had a major update hit mobile for the open world survival and crafting adventure game Dysmantle ($4.99) from 10tons Ltd. Dysmantle was one of our favorite games of 2022, and with all of its paid DLC and updates, it is even better. | Read more »

Price Scanner via MacPrices.net

Apple’s 14-inch M3 MacBook Pros are on Holida...
Best Buy is offering a $150-$200 discount on Space Gray or Silver 14″ M3 MacBook Pros on their online store with prices available starting at $1449 ($1399 for premium My Best Buy members). Prices... Read more
Holiday Sale: 128GB iPhone 15 Pro, 15 Plus, o...
Boost Infinite, part of MVNO Boost Mobile using AT&T and T-Mobile’s networks, is offering the 128GB iPhone 15 Pro, 128GB iPhone 15 Plus, or 128GB & 256GB iPhone 15 for $60 per month including... Read more
Clearance 12.9-inch iPad Pros with M1 CPUs av...
Apple has Certified Refurbished, previous-generation, 12″ M1 iPad Pros available in their online store in a variety of configurations. Models start at $889 and range up to $350 off Apple’s original... Read more
Mac Studios with M2 Max and M2 Ultra CPUs on...
B&H Photo has standard-configuration Mac Studios with Apple’s M2 Max & Ultra CPUs in stock today and on Holiday sale for $200 off MSRP. Their prices are the lowest available for these models... Read more
B&H is offering a $150 discount on 13-inc...
B&H Photo has 13″ MacBook Airs with M2 CPUs and 256GB of storage in stock today and on Holiday sale for $150 off Apple’s MSRP, only $949. Free 1-2 day delivery is available to most US addresses.... Read more
Apple is clearing out last year’s M1-powered...
Apple has Certified Refurbished 11″ M1 iPad Pros available starting at $639 and ranging up to $310 off Apple’s original MSRP. Each iPad Pro comes with Apple’s standard one-year warranty, features a... Read more
Save $50 on these HomePods available today at...
Apple has Certified Refurbished White and Midnight HomePods available for $249, Certified Refurbished. That’s $50 off MSRP and the lowest price currently available for a full-size Apple HomePod this... Read more
New 16-inch M3 Pro MacBook Pros are on sale f...
Holiday MacBook deals are live at B&H Photo. Apple 16″ MacBook Pros with M3 Pro CPUs are in stock and on sale for $200-$250 off MSRP. Their prices are among the lowest currently available for... Read more
Christmas Deal Alert! Apple AirPods Pro with...
Walmart has Apple’s 2023 AirPods Pro with USB-C in stock and on sale for $189.99 on their online store as part of their Holiday sale. Their price is $60 off MSRP, and it’s currently the lowest price... Read more
Apple has Certified Refurbished iPhone 12 Pro...
Apple has unlocked Certified Refurbished iPhone 12 Pro models in stock starting at $589 and ranging up to $350 off original MSRP. Apple includes a standard one-year warranty and new outer shell with... Read more

Jobs Board

Omnichannel Associate - *Apple* Blossom Mal...
Omnichannel Associate - Apple Blossom Mall Location:Winchester, VA, United States (https://jobs.jcp.com/jobs/location/191170/winchester-va-united-states) - Apple Read more
Operations Associate - *Apple* Blossom Mall...
Operations Associate - Apple Blossom Mall Location:Winchester, VA, United States (https://jobs.jcp.com/jobs/location/191170/winchester-va-united-states) - Apple 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
Mobile Platform Engineer ( *Apple* /AirWatch)...
…systems, installing and maintaining certificates, navigating multiple network segments and Apple /IOS devices, Mobile Device Management systems such as AirWatch, and Read more
Omnichannel Associate - *Apple* Blossom Mal...
Omnichannel Associate - Apple Blossom Mall Location:Winchester, VA, United States (https://jobs.jcp.com/jobs/location/191170/winchester-va-united-states) - Apple Read more
All contents are Copyright 1984-2011 by Xplain Corporation. All rights reserved. Theme designed by Icreon.