TweetFollow Us on Twitter

Ett Listigt
Volume Number:7
Issue Number:8
Column Tag:Programmer's Forum

Ett Listigt Program

By Martin Minow, Arlington, MA

Introduction

Perhaps I must begin with an apology for the title. It’s Swedish, and translates to “a clever program.” which is a bit of an overstatement for a minor hack but I couldn’t resist the opportunity to make a bilingual pun.

The program, in fact, isn’t clever at all. It merely serves to demonstrate how you can take control of the way the List Manager draws your data.

The List Manager, described in Inside Mac, volume IV, is a very simple table construction and selection function that lets your program manage a small collection of data. I use it in a number of applications: for example, to store the phone numbers for an autodialer and the names of elite runners in a road race display program.

While the List Manager is simple to use, it has a few limitations. For example, it is pretty sloppy about how it handles fonts, so if you put a list in a dialog, you run the risk of displaying parts of the dialog in the list font, rather than the dialog font.

Fortunately, the good folk who designed the List Manager gave programmers a way to add our own control function. They assume we’ll write the function as a code resource that is stored in the application’s resource fork. While this works well for most applications, this article shows two tricks that should make the list definition function easier to write and debug (no separate code resource) and easier to integrate into an application. The debugging advantages are significant: it is impossible to use the Think C symbolic debugger in a separately-compiled code resource.

The List Handler

Ignoring for a moment how we actually get there, the LDEF resource performs four services for the List Manager:

1. Initialize any private information when the list is first created. The demo handler defines some information based on the current font.

2. Draw a list cell. If your application doesn’t specify a drawing routine, the demo handler draws the cell using the font (and size) that were specified when the list was created. The window’s original font and size are restored, so the list can be used in, e.g., a dialog without messing up the font/size for other dialog items.

3. Hilite a list cell. The demo handler uses the new method of color highlighting described in Inside Mac, vol 5, pp 61-62.

4. Close a list -- this call lets a LDEF procedure release any private information. The demo handler ignores this call since it doesn’t store any private information.

The bulk of the work is done by the draw routine: the pen is moved to the proper place within the cell, the list data storage handle is locked in memory, the display area is erased, the font and size are set, and the data drawn (either by the handler or by the application’s callback function). Finally, the list data handle lock state is restored. If the cell was selected, the normal highlight procedure is then executed.

With that as background, the only remaining problem is connecting the list handler to your application. The sample program demonstrates three possible methods: building a separate code resource, building a fake code resource, and directly installing the list handler in the ListRecord without a separate resource.

The Code Resource

The approved way to write a list handler is to build it as a separate code resource that is stored as a LDEF resource in the application’s resource fork. Then, you specify the number of the LDEF resource when you execute LNew. If you’ve never done this before, the process is strange, but it’s fairly simple if you take it step-by-step. Using Think C (version 4), do the following:

1. Create a new project, say LDEF.Π.

2. Add the LDEF Resource.c and MacHeaders files.

3. Set the project type to Code Resource, set the resource name to LDEF and the resource id to, say, 128.

4. Build the code resource, saving it as LDEF.rsrc

Now, build your application. Think C (unfortunately) only supports RMaker, so you have to add the following line to your RMaker source file:

 Include LDEF.rsrc

RMaker will merge the code resource into your application’s resource fork.

Fake LDEF

Instead of building a separate LDEF resource, you can also compile the entire LDEF into your program. However, in order to satisfy the Macintosh Toolbox standards, you still need a resource. You can create one on the fly by building a callback LDEF. You do this by creating a dummy LDEF in your resource file that is defined as follows:

/* 1 */

 Type LDEF = GNRL
 , 128
 .h
 4EF9 0000 0000

Then, when your program starts, it calls the SetupLDEF function that “plugs” the address of the actual function into the LDEF and marks the LDEF as non-purgeable. As with the “normal” procedure, LNew specifies the resource id (128 in the example), and the toolbox ListManager manages the resource normally. Hex 4EF9 is a jump instruction, so the ListManager jumps to the real function. Your application only calls SetupLDEF once, even if the list handler will be used for several lists.

No Resource Needed

You don’t even need the degenerate 3 word version above. Instead, you can stuff the function address into the ListRecord after creating the list. While this technique seems to work without problems, it isn’t blessed by the Mac folk, so don’t complain when it stops working in some future release. The add_LDEF() function creates the fake handle -- call it just after you create the list. Be sure to call remove_LDEF() before deleting the list: otherwise, your program will surely crash!

Which should you use?

Each of the three methods has its own advantages and disadvantages:

• The fully-compiled method is perhaps only useful if you absolutely cannot have a visible LDEF resource: perhaps for security or anti-viral reasons. Before using it, you should remember that it isn’t “blessed” by the Macintosh interface people.

• The “fake-resource” callback method is probably the most useful for development: you can set breakpoints within the list handler. (By the way, the “fake-resource” technique is useful for other user-written handlers that the Toolbox assumes will be stored as resources.) It does require, however, that you make sure that the LDEF be kept memory-resident -- otherwise, you’ll have messy, hard to debug crashes.

• The “true-resource” method is best if you’re worried about memory space, since the Toolbox takes care of loading and unloading the resource. It has the significant disadvantage of being essentially impossible to debug without an assembly-language debugger.

If you’re not sure, I’d recommend using the “fake-resource” technique, making sure that the list handler is stored in a permanently-resident code segment.

The Sample Program

The sample program is not intended to show you how to write a Macintosh application. All it does is let you open a file and display any ICN# resources as a list. It has an interesting bug: to show that the list display function (in IconicLDEF.c) can access the application’s globals, the code references a flag that allows displaying the cell’s contents either as an icon or as the icon’s value. If you switch between the two modes with several partially-obscured windows on the screen, you’ll note that the Macintosh efficiently -- but incorrectly --calculates what needs to be redrawn, and some icons will be displayed partially in one form and partially in the other. This is an easy bug to fix, but I left it in to warn you about the problems of using application-wide globals where a document-specific (or window-specific) variable would be better.

When reading the source of the application and list handler, note that they are conditionally-compiled to operate in all three modes. The projects are, of course, different:

• CompiledDemo.Π

CompiledDemo.c

CompiledLDEF.c

IconicLDEF.c

MacTraps

no resource file.

• FakeResource.Π

FakeDemo.c

FakeLDEF.c

IconicLDEF.c

MacTraps

FakeDemo.rsrc built from FakeDemo.r

• RealResource.Π

RealDemo.c

Iconic LDEF.c

MacTraps

RealResource.rsrc, built from RealLDEF.Π

RealLDEF.Π

RealLDEF.c

MacTraps

If you just type in the listing, you’ll get the “fake-resource” variant.

Acknowledgements

The ListManager is described in Inside Macintosh, Volume IV. Thanks to Amanda Walker, InterCon Corp. for posting the technique of calling an application-specific drawing function from the list handler to Usenet.

Listing:  iconicLDEF.h

/* iconicLDEF.h  */
/*
 * Header file for the LDEF demo: the IconInfo structure
 * defines the contents of a list cell.  Also, define
 * the application global values.
 *
 * Copyright 1990 Martin Minow and MacTutor.
 */
#define NIL ((void *) 0)

typedef struct {
 Handle handle;
 unsigned short  number;
} IconInfo;

/*
 * This is just to demonstrate that we can access an
 * application global value from the LDEF handler.
 */
extern Boolean drawAsText;
!
codeexampleend!
codeexamplestart
Listing:  FakeDemo.c

/* ListDemo.c  */
/*
 *
 * Demo my homemade LDEF.  The program lets you open
 * a file and display all of the icons in it.  You
 * can’t do anything else, though it would be easy
 * to allow you to copy an icon to the clipboard.
 *
 * Copyright 1990 Martin Minow and MacTutor.
 */
#include “iconicLDEF.h”

#define FORMAT FAKE_RESOURCE/* Define  program */
/*
 * These values configure the demo program: that way
 * we only need to write one piece of code.
 */
#define COMPILED 0
#define FAKE_RESOURCE1
#define TRUE_RESOURCE2
#if FORMAT == FAKE_RESOURCE || FORMAT == TRUE_RESOURCE
#define LDEF_ID  128
#else
#define LDEF_ID  0 /* Start with Mac LDEF */
#endif
#define RESOURCE ‘ICN#’
#define iconSize 32/* Pixels per icon */
#define sBarWidth15/* For grow button */
#define iconCols  4
#define iconRows  4
#define hOffsetDelta 16   /* For multiple windows */
#define vOffsetDelta 0
#define hOffsetMax (hOffsetDelta * 10)
#define vOffsetMax (vOffsetDelta * 10)

/*
 * Menu organization
 */
enum Menus {
 MENU_Apple = 1,
 MENU_File= 256,
 MENU_Edit= 257
};

enum Apple_Menu {
 Apple_About = 1
};

enum File_Menu {
 File_Open= 1,
 File_Close,
 File_DrawAsText,
 File_Debug,
 Unused,
  File_Quit
};

#define width(r) ((r).right - (r).left)
#define height(r)((r).bottom - (r).top)

/*
 * All the information about a document
 * is stored here.  Note that, when the
 * toolbox selects a window, we can
 * immediately recover the document.
 */
typedef struct {
 WindowRecord  window;
 ListHandle list;
} DocumentRecord, *DocumentPtr;
/*
 * The current window is always stored in a local
 * WindowPtr variable named “window.”  If it’s ours,
 * we can access the document by casting window to
 * DocumentPtr and de-referencing it.
 */
#define DOC (*((DocumentPtr) window))

/*
 * isOurWindow is TRUE if its argument is our document.
 */
#define isOurWindow(window) (  \
 (window) != NIL  \
 && ((WindowPeek) (window))->windowKind == userKind \
  )

MenuHandleapple_menu;
MenuHandlefile_menu;
Boolean drawAsText;/* For iconicLDEF()  */
inthOffset, vOffset;

void    main(void);
Boolean do_mouse(EventRecord);
Boolean handle_events(void);
void    do_command(long);
void    setup(void);
void    open_document(void);
void    close_document(WindowPtr);
Boolean new_document(void *, int);
Boolean initialize_list(WindowPtr);
void    read_icons(WindowPtr, int);

#if FORMAT == FAKE_RESOURCE
void    setup_LDEF(int);
#endif
#if FORMAT == COMPILED
void    add_LDEF(ListHandle);
void    remove_LDEF(ListHandle);
#endif
void    iconicLDEF();

/*
 * main()
 * Initialize the program and run the event loop.
 */
void
main()
{
 EventRecordevent;
 WindowPtrwindow;
 GrafPtrsave_port;
 Rect   box;

 setup();
 for (;;) {
 SystemTask();
 while (GetNextEvent(everyEvent, &event)
  && event.what != nullEvent) {
 if (event.what == activateEvt
  || event.what == updateEvt)
   window = (WindowPtr) event.message;
 else {
 window = FrontWindow();
 }
 switch (event.what) {
 case mouseDown:
 do_mouse(event);
 break;
 case activateEvt:
 if (isOurWindow(window)) {
 SetPort(window);/* Or InvalRect crashes! */
 LActivate(
   event.modifiers & activeFlag,
   DOC.list
 );
 /*
  * For some reason, LActivate doesn’t redraw
  * the scroll bars.  The correct solution
  * is left as a puzzle for the reader.
  */
 if (event.modifiers & activeFlag) {
 ControlHandle handle;
 Rect   box;
 
 handle = (**DOC.list).vScroll;
 if (handle != NIL) {
 box = (**handle).contrlRect;
 InvalRect(&box);
 }
 }
 
 } 
 break;
 case updateEvt:
 if (isOurWindow(window)) {
 GetPort(&save_port);
 SetPort(window);
 BeginUpdate(window);
 EraseRect(&window->portRect);
 box = (**DOC.list).rView;
 InsetRect(&box, -1, -1);
 FrameRect(&box);
 LDoDraw(TRUE, DOC.list);
 LUpdate(window->visRgn, DOC.list);
 EndUpdate(window);
 SetPort(save_port);
 }
 break;
 default:
 break;
 }
 }
 }
}

/*
 * do_mouse(event)
 * Process a mouse button press, calling handlers as
 * needed.
 */
static Boolean
do_mouse(event)
EventRecord event;
{
 WindowPtrwindow;
 register int  which_part;
 Rect   box;
 int    item;
 Point  mouse;
 int    result;
 long   new, choice;
 Str255 name;
 GrafPtrsave_port;
 
 which_part = FindWindow(event.where, &window);
 switch (which_part) {
 case inDesk:
 SysBeep(2);
 break;
 case inMenuBar:
 choice = MenuSelect(event.where);
 item = LoWord(choice);
 switch (HiWord(choice)) {
 case MENU_Apple:
 GetItem(apple_menu, item, &name);
 if (item == Apple_About)
 SysBeep(10);  /* No List About */
 else {
 GetPort(&save_port);
 OpenDeskAcc(name);
 SetPort(save_port);
 }
 break;
 case MENU_File:
 window = FrontWindow();
 switch (item) {
 case File_Open:
 open_document();
 break;
 case File_Close:
 close_document(window);
 break;
 case File_Debug:
 Debugger();
 break;
 case File_DrawAsText:
 drawAsText = !drawAsText;
 CheckItem(file_menu, File_DrawAsText, drawAsText);
 if (isOurWindow(window))
 InvalRect(&(*window).portRect);
 break;
 case File_Quit:
 ExitToShell();
 }
 default:
 break;
 }
 HiliteMenu(0);
 break;
 case inDrag:
 box = screenBits.bounds;
 box.top += GetMBarHeight();
 InsetRect(&box, 4, 4);
 DragWindow(window, event.where, &box);
 break;
 case inContent:
 if (FrontWindow() != window)
 SelectWindow(window);
 else {
 SetPort(window);
 if (isOurWindow(window)) {
 mouse = event.where;
 GlobalToLocal(&mouse);
 result = LClick(mouse, event.modifiers, DOC.list);
 (void) LLastClick(DOC.list);
 }
 }
 break;
 case inGoAway:
 if (isOurWindow(window)
  && TrackGoAway(window, event.where))
 close_document(window);
 break;
 }
 return (FALSE);
}

/*
 * open_document()
 * Ask for a file (allow all files).  Open its resource
 * fork (if possible).  If we succeed, create a new
 * window and look for all ICN# resources.
 */ 
void
open_document()
{
 SFReplyreply;
 int    file;
 static Point    where = { 85, 85 };

 SFGetFile(
 where, /* Where on the screen*/
 NIL,   /* Unused*/
 NIL,   /* no file filter */
 -1,    /* Allow all file types    */
 NIL,   /*   thus no typeList */
 NIL,   /* no dialog hook */
 &reply /* reply goes here*/
 );
 if (reply.good) {
 SetVol(NIL, reply.vRefNum);
 SetCursor(*GetCursor(watchCursor));
 if ((file = OpenResFile(reply.fName)) == -1)
 SysBeep(10);  /* No resource fork  */
 else {
 if (new_document(reply.fName, file) == FALSE)
 SysBeep(10);  /* No memory  */
 CloseResFile(file);
 }
 SetCursor(&arrow);
 }
}

/*
 * close_document()
 * Close the document in the current (front) window.
 * Dump the handles that were stored in the list’s cells.
 */
void
close_document(window)
WindowPtr window;
{
 IconInfo iconInfo;
 short  size;
 Cell   cell;

 if (isOurWindow(window) == FALSE)
 Debugger();
 SetCursor(*GetCursor(watchCursor));
 /*
  * Iterate over all cells in the list.
  */
 cell.h = cell.v = 0;
 do {
 size = sizeof iconInfo;
 LGetCell(&iconInfo, &size, cell, DOC.list);
 if (size == sizeof iconInfo) /* Non-empty cell? */
 DisposHandle(iconInfo.handle);
 } while (LNextCell(TRUE, TRUE, &cell, DOC.list));
#if FORMAT == COMPILED
 remove_LDEF(DOC.list);
#endif
 LDispose(DOC.list);
 CloseWindow(window);
 DisposPtr(window);
 SetCursor(&arrow);
}

/*
 * setup()
 * One-time initialization.
 */
void
setup()
{
 InitGraf(&thePort);
 InitFonts();
 FlushEvents(everyEvent, 0);
 InitWindows();
 InitMenus();
 TEInit();
 InitDialogs(NIL);
 InitCursor();
 MaxApplZone();
 apple_menu = NewMenu(MENU_Apple, “\p\024”);
 file_menu = NewMenu(MENU_File, “\pFile”);
 AppendMenu(apple_menu, “\p(No List Demo About;(-”);
 AddResMenu(apple_menu, ‘DRVR’);
 AppendMenu(file_menu,
 “\pOpen\311/O;Close;Draw As Text;Debug/.;(-;Quit/Q”);
 InsertMenu(apple_menu, 0);
 InsertMenu(file_menu, 0);
 DrawMenuBar();
#if FORMAT == FAKE_RESOURCE
 setup_LDEF(LDEF_ID);
#endif
 if (new_document(“\pList Demo”, -1) == FALSE) {
 SysBeep(10);
 ExitToShell();
 }
}

/*
 * new_document()
 * Build a document: get memory for the WindowRecord and
 * our attached information.  Offset the window with
 * respect to other windows and make the window.  If
 * this succeeds, initialize the document’s list.  If
 * that succeeds, read the icons.
 */
Boolean
new_document(title, resFile)
void    *title;  /* Pascal string */
intresFile; /* Open resource file, if any */
{
 WindowPtrwindow;
 DocumentPtrdoc;
 Rect   box;
 static longsequence;/* Identify windows */
 
 doc = (DocumentPtr) NewPtr(sizeof (DocumentRecord));
 if (doc == NIL)
 return (FALSE);
 /*
  * Locate the window and get its shape.  This could
  * probably be done better.
  */
 box.left = 0;
 box.top = GetMBarHeight() * 2;
 box.right = box.left
 + (iconSize * iconCols)
 + sBarWidth
 + 2;
 box.bottom = box.top
 + (iconSize * iconRows)
 + 2;
 OffsetRect(&box, hOffset, vOffset); 
 if (box.bottom > screenBits.bounds.bottom
  || box.right > screenBits.bounds.right) {
   OffsetRect(&box, -hOffset, -vOffset);
   hOffset = 0;
   vOffset = 0;
 }
 hOffset += hOffsetDelta;
 if (hOffset >= hOffsetMax)
 hOffset = 0;
 vOffset += vOffsetDelta;
 if (vOffset >= vOffsetMax)
 vOffset = 0;
 window = NewWindow(
 doc,   /* Allocated storage */
 &box,  /* Display Rect    */
 title, /* Title  */
 TRUE,  /* Visible on creation */
 noGrowDocProc,  /* Window type     */
 -1L,   /* Show in front   */
 TRUE,  /* GoAway box */
 ++sequence /* RefCon(debug only) */
 );
 if (window == NIL) {
 DisposPtr(doc);
 return (FALSE);
 }
 if (initialize_list(window) == FALSE) {
 CloseWindow(window);
 DisposPtr(doc);
 return (FALSE);
 }
 SetPort(window);
 TextFont(applFont);
 TextSize(9);
 read_icons(window, resFile);
 return (TRUE);
}

/*
 * initialize_list()
 * Build a list whose cells will hold our icon records.
 * If our LDEF is completely compiled, call add_LDEF
 * after creation.
 */
Boolean
initialize_list(window)
WindowPtr window;
{
 int    type;
 Handle handle;
 int    *jump;
 Rect   box;
 Point  cell;
 Rect   dimension;
 
 box = (*window).portRect;
 InsetRect(&box, 1, 1);  /* Room for frame */
 box.right -= sBarWidth;
 SetPt(&cell, iconSize, iconSize);
 box.bottom =
 box.top + (height(box) / cell.v) * cell.v;
 box.right =
 box.left + (width(box) / cell.h) * cell.h;
 SetRect(&dimension, 0, 0, box.right / cell.h, 0);
 DOC.list = LNew(
 &box,  /* Display rectangle*/
 &dimension,/* Shape (rows, cols)  */
 cell,  /* Cell shape on screen  */
 LDEF_ID, /* List handler, if any  */
 window,/* The window*/
 TRUE,  /* Drawing’s ok   */
 FALSE, /* No grow box    */
 FALSE, /* No horizontal scroll  */
 TRUE   /* Vertical scroll*/
 );
 if (DOC.list == NIL)
 return (FALSE);
 (**DOC.list).selFlags = lOnlyOne;
#if FORMAT == COMPILED
 add_LDEF(DOC.list);
#endif
 (**DOC.list).refCon = (long) iconicLDEF;
 return (TRUE);
}

/*
 * read_icons()
 * Fill the list with the icon handles and resource ids.
 */
void
read_icons(window, resFile)
WindowPtr window;
intresFile;
{
 int    n_icons;
 int    i;
 int    n_rows, n_cols;
 Cell   cell;
 ResTypetype;
 IconInfo iconInfo;
 Str255 name;
 
 LDoDraw(FALSE, DOC.list);
 if (resFile != -1) {
 UseResFile(resFile);
 n_icons = Count1Resources(RESOURCE);
 }
 else {
 n_icons = CountResources(RESOURCE);
 }
 n_cols = (**DOC.list).dataBounds.right;
 n_rows = (n_icons + (n_cols - 1)) / n_cols;
 /*
  * Note that we can have empty cells in the last row.
  * The drawing routine must check for this case.
  */
 if (n_rows > 0)
 LAddRow(n_rows, 0, DOC.list);
 for (i = 0; i < n_icons; i++) {
 if (resFile != -1)
 iconInfo.handle = Get1IndResource(RESOURCE, i + 1);
 else {
 iconInfo.handle = GetIndResource(RESOURCE, i + 1);
 }
 if (iconInfo.handle == NIL)
 iconInfo.number = -1;
 else {
 GetResInfo(
 iconInfo.handle, &iconInfo.number, &type, name);        
 DetachResource(iconInfo.handle);
 }
 cell.v = i / n_cols;
 cell.h = i % n_cols;
 LSetCell(&iconInfo, sizeof iconInfo, cell, DOC.list);
#if 0   /* Debug: watch the icons as they’re read in           */
 {
 Rect   rect;
 SetRect(&rect, 1, 1, 33, 33);
 PlotIcon(&rect, iconInfo.handle);
 }
#endif
 }
 LDoDraw(TRUE, DOC.list);
 InvalRect(&(**DOC.list).rView);
}
Listing:  FakeLDEF.c

/* LDEF Resource.c */
/*
 * Copyright © 1989, 1990 Martin Minow and MacTutor.
 *
 * You may use this software in any application and
 * redistribute this source without restriction as long
 * as this copyright and permission notice remains intact
 * and the source is not redistributed for profit and you
 * assume all responsibility for the proper operation of
 * this software.
 *
 * Written in Think C.  Set Tabs every 2 characters.
 */
#define FORMAT FAKE_RESOURCE
#ifdef DOCUMENTATION

Usage

 void   /* COMPILED only  */
 add_LDEF(list)  /* ...   */
 ListHandle list;/* ...   */
 
 void   /* COMPILED only  */
 remove_LDEF(list) /* ... */
 ListHandle list;/* ...   */
 
 void   /* FAKE_RESOURCE only */
 setup_LDEF(id)  /* ...   */
 int    id; /* ... */
 
User-provided function:

 void
 my_draw_function(
 Rect *lRrect,   /* Drawing rectangle*/
 Cell  lCcell,   /* Cell to redraw */
 short lDataOffset, /* Offset to cell to redraw */
 short lDataLen,  /* Length of cell’s data */
 ListHandle lHandle/* The list handle */
 )

 Note: this is called using C calling conventions --
 mostly because I couldn’t convince Think C to compile
 it as a pascal function.
 
Description

 Initialize your list as follows:
 
 setup_LDEF(resource_id); /* FAKE_RESOURCE only */
 resource_id = 0;/* COMPILED only */
 resource_id = <id>; /* FAKE_ or TRUE_RESOURCE */
 TextFont( ... );/* Font of your choice */
 TextSize( ... );/* Whatever you choose */
 myList = LNew(
 &box,  /* Display dimensions */
 &dimension,/* Shape (rows, cols) */
 cell,  /* Cell shape on screen */
 resource_id,    /* List func, if any */
 dialog,/* The window */
 FALSE, /* Don’t draw yet  */
 FALSE, /* No grow box     */
 FALSE, /* no horizontal scroll */
 TRUE   /* Vertical scroll */
 );
 add_LDEF(myList); /* COMPILED only */
 (**myList).refCon = my_draw_function;

 Now, whenever the list manager needs to draw something,
 the LDEF handler function will be called.  If the list
 refCon is zero, the LDEF handler operates identically
 to the standard, except that it preserves font and font
 size information.  This is all you need if you wish to
 draw a text list in a dialog using other than the system
 font.
 
 If the refCon is set to a user function, the function
 will be called after the following initialization has
 been completed:
 
 • The pen is “normal” and positioned properly to draw
   the text.
 • The cell to be drawn is locked.
 • The drawing rectangle is erased.
 • The font and font size are set to values in the list’s
   port.
  
 The simplest user function need only draw the cell:
 
 DrawText(*((**lHandle).cells), lDataOffset, lDataLen);
 
 A more complicated user function may get the cell’s
 contents (using LGetCell) and perform some function
 based on that information.
 
 If you have compiled the LDEF function, be sure to call
 remove_LDEF() before exiting: otherwise, your program
 will crash:
 
 remove_LDEF(myList);/* COMPILED only */
 LDispose(myList);
 
Author

 Martin Minow
 
 Thanks to Amanda Walker, InterCon Corporation,
 for the call-back idea.

#endif

/*
 * These values configure the demo program: that way
 * we only need to write one piece of code.
 */
#define COMPILED 0
#define FAKE_RESOURCE1
#define TRUE_RESOURCE2
#include <Color.h>
#define NIL 0
typedef short  word;
/*
 * The current ListHandle is always in local variable list.
 */
#define LIST(**list)

/*
 * This structure defines the fake LDEF resource.
 */
typedef struct {
 word instruction;
 void (*function)();
} LDEF_record, *LDEF_pointer, **LDEF_handle;

/*
 * Externally visible functions.
 */
#if FORMAT == FAKE_RESOURCE
void    setup_LDEF(int);
#endif
#if FORMAT == COMPILED
void    add_LDEF(ListHandle);
void    remove_LDEF(ListHandle);
#endif
#if FORMAT == TRUE_RESOURCE
pascal void main(
 int, Boolean, Rect *, Cell, int, int, ListHandle);
#else
static pascal void myListDef(
 int, Boolean, Rect *, Cell, int, int, ListHandle);
#endif

/*
 * Define the type of the callback function. Amanda Walker
 * calls this “the cast from hell”, and with good reason.
 */
typedef void (* FUNC)(Rect *, Cell, word, word, ListHandle);

#if FORMAT == COMPILED
/*
 * Call this after calling LNew for any list that is to
 * use this list definition routine.  It creates a handle
 * and fills it with enough code to jump to myListDef.
 * Note that we do not use a LDEF resource.
 */
void
add_LDEF(list)
ListHandlelist;
{
 LDEF_handleldef;
 
 ldef = (LDEF_handle) NewHandle(sizeof (LDEF_record));
 if (ldef != NIL) {
 (**ldef).instruction = 0x4EF9;  /* JMP instruction */
 (**ldef).function = myListDef;
 LIST.listDefProc = (Handle) ldef;
 }
}

/*
 * Be sure to call this before deleting the list.
 * Otherwise, you’ll have random program crashes.
 */
void
remove_LDEF(list)
ListHandlelist;
{
 LIST.listDefProc = NIL;
}
#endif

#if FORMAT == FAKE_RESOURCE
/*
 * Call this once when your application starts if it uses
 * the list definition function.  You only need to call it
 * once, even if several lists use this function.
 */
void
setup_LDEF(id)
intid;
{
 LDEF_handleldef;
 
 ldef = (LDEF_handle) Get1Resource(‘LDEF’, id);
 if (ldef != NIL
  && GetHandleSize(ldef) == sizeof (LDEF_record)) {
 (**ldef).instruction = 0x4EF9;
 (**ldef).function = myListDef;
 HNoPurge(ldef);
 }
}
#endif

/*
 * myListDef() is called by the Macintosh list manager.  It
 * is identical to the standard function, except that it
 * preserves font and size and may call a user function
 * for strange data formatting.
 */
#if FORMAT == TRUE_RESOURCE
pascal void main
#else
static pascal void myListDef
#endif
 (message, select, rect, cell, offset, length, list)
intmessage; /* List manager action  */
Boolean select;  /* TRUE if cell is to be selected */
Rect    *rect;   /* Rectangle to draw cell in */
Cell    cell;    /* The selected cell */
intoffset;/* Start of data in the list */
intlength;/* Number of bytes to draw */
ListHandlelist;  /* The list itself.  */
{
 int    old_font;
 int    old_size;
 FontInfo info;
 Point  where;
 int    lock_state;
 long   saved_A5;
 GrafPtrold_port;
 
 /*
  * This is needed so the drawing code can find the
  * application globals.
  */
 saved_A5 = SetCurrentA5();
 /*
  * If we’re compiled, we don’t have valid QuickDraw
  * globals (such as thePort), so we use the current
  * port information from the ListRecord.
  */
 GetPort(&old_port);
 SetPort(LIST.port);
 old_font = LIST.port->txFont;/* Save the old */
 old_size = LIST.port->txSize;/* font and size */
 /*
  * Editorial note: ‘--’ is the C decrement operator,
  * not the typeographer’s “long dash”.
  */
 if (message-- == 0) {    /* lInitMsg */
 /*
  * Initialization: save indentation.  Note: do not
  * touch select, rect, cell, offset, or length.
  */
 GetFontInfo(&info);
   LIST.indent.v = info.ascent;
   LIST.indent.h = 4;/* Arbitrary */
 }
 else if (message-- == 0) { /* lDrawMsg */
 where = topLeft(*rect);
 AddPt(LIST.indent, &where);
 MoveTo(where.h, where.v);
 PenNormal();
 lock_state = HGetState(LIST.cells);
 HLock(LIST.cells);
 EraseRect(rect);
 TextFont((LIST.port)->txFont);
 TextSize((LIST.port)->txSize);
 /*
  * We’re ready to roll.  If there’s a user-provided
  * function, call it.  Otherwise, just draw text.
  */
 if (LIST.refCon == NIL)
 DrawText(*(LIST.cells), offset, length);
 else {
 (*(FUNC) (LIST.refCon))
 (rect, cell, offset, length, list);
 } 
 HSetState(LIST.cells, lock_state);
 if (select)/* If selected */
 goto hilite;    /* go hilite it    */
 }
 else if (message-- == 0) { /* lHiliteMsg */
hilite:
 HiliteMode &= ~(1 << hiliteBit);  /* IM V-62 */
   InvertRect(rect);
 }
 TextFont(old_font);
 TextSize(old_size);
 SetA5(saved_A5);
}
Listing:  iconicLDEF.c

/* Iconic LDEF.c */
/*
 * All of the list-drawing nitty-gritty is here.
 * Each list cell contains an icon and the icon id.
 * Either draw the icon in the cell rectangle or convert
 * the icon id to hex and draw that string.
 *
 * Copyright © 1989, 1990 Martin Minow and MacTutor.
 */
#include “IconicLDEF.h”

void iconicLDEF(Rect *, Cell, short, short, ListHandle);
static void DrawHex(unsigned short, short);

/*
 * iconicLDEF() is called by the LDEF handler to draw
 * an icon whose resource ID is stored in the cell.
 */ 
void
iconicLDEF(rect, cell, offset, length, list)
Rect    *rect;   /* Rectangle to draw cell in */
Cell    cell;    /* The selected cell */
short   offset;  /* Start of data in the list */
short   length;  /* Number of bytes to draw */
ListHandlelist;  /* The list itself.  */
{
 IconInfo iconInfo;

 /*
  * Note that we ignore zero-length (empty) cells.
  */
 if (length == sizeof iconInfo) {
 LGetCell(&iconInfo, &length, cell, list);
 /*
  * Show we can access the global parameter.  Of
  * course, a “real” application would use a
  * document-specific data structure, probably
  * accessed via the document structure or window
  * refCon.  Using this global is actually incorrect
  * as partial window updates will leave a list cell
  * half in one format and half in the other.
  */
 if (drawAsText)
 DrawHex(iconInfo.number, sizeof (short) * 2);
 else {
 if (iconInfo.handle != NIL) {
 PlotIcon(rect, iconInfo.handle);
 }
 }
 }
}

/*
 * Recursive routine to draw a value in hex.
 * Each call of DrawHex outputs one nibble.
 */
static void
DrawHex(hex, size)
unsigned short   hex;
short   size;
{
 if (--size > 0)
 DrawHex(hex >> 4, size);
 hex &= 0x0f;
 DrawChar((hex >= 10) ? hex - 10 + ‘a’ : hex + ‘0’);
}
Listing:  FakeDemo.r

FakeResourceDemo.Π.rsrc
APPL????;; APPL, followed by your “signature”
Type LDEF = GNRL
, 128   ;; LDEF_Resource
.h
4EF9 0000 0000

 

Community Search:
MacTech Search:

Software Updates via MacUpdate

Latest Forum Discussions

See All

Fallout Shelter pulls in ten times its u...
When the Fallout TV series was announced I, like I assume many others, assumed it was going to be an utter pile of garbage. Well, as we now know that couldn't be further from the truth. It was a smash hit, and this success has of course given the... | Read more »
Recruit two powerful-sounding students t...
I am a fan of anime, and I hear about a lot that comes through, but one that escaped my attention until now is A Certain Scientific Railgun T, and that name is very enticing. If it's new to you too, then players of Blue Archive can get a hands-on... | Read more »
Top Hat Studios unveils a new gameplay t...
There are a lot of big games coming that you might be excited about, but one of those I am most interested in is Athenian Rhapsody because it looks delightfully silly. The developers behind this project, the rather fancy-sounding Top Hat Studios,... | Read more »
Bound through time on the hunt for sneak...
Have you ever sat down and wondered what would happen if Dr Who and Sherlock Holmes went on an adventure? Well, besides probably being the best mash-up of English fiction, you'd get the Hidden Through Time series, and now Rogueside has announced... | Read more »
The secrets of Penacony might soon come...
Version 2.2 of Honkai: Star Rail is on the horizon and brings the culmination of the Penacony adventure after quite the escalation in the latest story quests. To help you through this new expansion is the introduction of two powerful new... | Read more »
The Legend of Heroes: Trails of Cold Ste...
I adore game series that have connecting lore and stories, which of course means the Legend of Heroes is very dear to me, Trails lore has been building for two decades. Excitedly, the next stage is upon us as Userjoy has announced the upcoming... | Read more »
Go from lowly lizard to wicked Wyvern in...
Do you like questing, and do you like dragons? If not then boy is this not the announcement for you, as Loongcheer Game has unveiled Quest Dragon: Idle Mobile Game. Yes, it is amazing Square Enix hasn’t sued them for copyright infringement, but... | Read more »
Aether Gazer unveils Chapter 16 of its m...
After a bit of maintenance, Aether Gazer has released Chapter 16 of its main storyline, titled Night Parade of the Beasts. This big update brings a new character, a special outfit, some special limited-time events, and, of course, an engaging... | Read more »
Challenge those pesky wyverns to a dance...
After recently having you do battle against your foes by wildly flailing Hello Kitty and friends at them, GungHo Online has whipped out another surprising collaboration for Puzzle & Dragons. It is now time to beat your opponents by cha-cha... | Read more »
Pack a magnifying glass and practice you...
Somehow it has already been a year since Torchlight: Infinite launched, and XD Games is celebrating by blending in what sounds like a truly fantastic new update. Fans of Cthulhu rejoice, as Whispering Mist brings some horror elements, and tests... | Read more »

Price Scanner via MacPrices.net

Verizon has Apple AirPods on sale this weeken...
Verizon has Apple AirPods on sale for up to 31% off MSRP on their online store this weekend. Their prices are the lowest price available for AirPods from any Apple retailer. Verizon service is not... Read more
Apple has 15-inch M2 MacBook Airs available s...
Apple has clearance, Certified Refurbished, 15″ M2 MacBook Airs available starting at $1019 and ranging up to $300 off original MSRP. These are the cheapest 15″ MacBook Airs for sale today at Apple.... Read more
May 2024 Apple Education discounts on MacBook...
If you’re a student, teacher, or staff member at any educational institution, you can use your .edu email address when ordering at Apple Education to take up to $300 off the purchase of a new MacBook... Read more
Clearance 16-inch M2 Pro MacBook Pros in stoc...
Apple has clearance 16″ M2 Pro MacBook Pros available in their Certified Refurbished store starting at $2049 and ranging up to $450 off original MSRP. Each model features a new outer case, shipping... Read more
Save $300 at Apple on 14-inch M3 MacBook Pros...
Apple has 14″ M3 MacBook Pros with 16GB of RAM, Certified Refurbished, available for $270-$300 off MSRP. Each model features a new outer case, shipping is free, and an Apple 1-year warranty is... Read more
Apple continues to offer 14-inch M3 MacBook P...
Apple has 14″ M3 MacBook Pros, Certified Refurbished, available starting at only $1359 and ranging up to $270 off MSRP. Each model features a new outer case, shipping is free, and an Apple 1-year... Read more
Apple AirPods Pro with USB-C return to all-ti...
Amazon has Apple’s AirPods Pro with USB-C in stock and on sale for $179.99 including free shipping. Their price is $70 (28%) off MSRP, and it’s currently the lowest price available for new AirPods... Read more
Apple Magic Keyboards for iPads are on sale f...
Amazon has Apple Magic Keyboards for iPads on sale today for up to $70 off MSRP, shipping included: – Magic Keyboard for 10th-generation Apple iPad: $199, save $50 – Magic Keyboard for 11″ iPad Pro/... Read more
Apple’s 13-inch M2 MacBook Airs return to rec...
Apple retailers have 13″ MacBook Airs with M2 CPUs in stock and on sale this weekend starting at only $849 in Space Gray, Silver, Starlight, and Midnight colors. These are the lowest prices currently... Read more
Best Buy is clearing out iPad Airs for up to...
In advance of next week’s probably release of new and updated iPad Airs, Best Buy has 10.9″ M1 WiFi iPad Airs on record-low sale prices for up to $200 off Apple’s MSRP, starting at $399. Sale prices... Read more

Jobs Board

Liquor Stock Clerk - S. *Apple* St. - Idaho...
Liquor Stock Clerk - S. Apple St. Boise Posting Begin Date: 2023/10/10 Posting End Date: 2024/10/14 Category: Retail Sub Category: Customer Service Work Type: Part Read more
*Apple* App Developer - Datrose (United Stat...
…year experiencein programming and have computer knowledge with SWIFT. Job Responsibilites: Apple App Developer is expected to support essential tasks for the RxASL 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
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
All contents are Copyright 1984-2011 by Xplain Corporation. All rights reserved. Theme designed by Icreon.