|
Class: ObjectMemory
Object
|
+--ObjectMemory
- Package:
- stx:libbasic
- Category:
- System-Support
- Version:
- rev:
1.378
date: 2024/02/29 18:02:43
- user: cg
- file: ObjectMemory.st directory: libbasic
- module: stx stc-classLibrary: libbasic
This class contains access methods to the system memory and the VM.
In previous ST/X versions, this stuff used to be in the Smalltalk class.
It has been separated for better overall class structure and modularisation.
There are no instances of ObjectMemory - all is done in class methods.
(this is a functional interface).
Many methods here are for debuging purposes, for developers
or experimental, and therefore not standard.
Do not depend on them being there - some may vanish ...
(especially those, that depend on a specific GC implementation)
Most of the stuff found here is not available, or different or called
different in other smalltalk implementations. Be aware, that using these
interfaces (especially: depending on them) may make your application
non portable.
See more documentation in -> caching
-> interrupts
-> garbageCollection
[Class variables:]
InternalErrorHandler gets informed (by VM), when some runtime
error occurs (usually fatal)
UserInterruptHandler gets informed (by VM) when CNTL-C is pressed
TimerInterruptHandler gets alarm timer interrupts (from VM)
SpyInterruptHandler another alarm timer (from VM)
StepInterruptHandler gets single step interrupts (from VM)
ExceptionInterruptHandler gets floating point exceptions (from VM)
ErrorInterruptHandler gets primitive errors (from VM)
MemoryInterruptHandler gets soon-out-of-memory conditions (from VM)
SignalInterruptHandler gets unix signals (from VM)
ChildSignalInterruptHandler gets child death signals (from VM)
DisposeInterruptHandler gets informed, when an object is disposed from
a shadowArray (from VM)
RecursionInterruptHandler gets recursion limit violations (from VM)
IOInterruptHandler gets SIGIO unix signals (from VM)
CustomInterruptHandler gets custom interrupts (from VM)
InterruptLatencyMonitor if nonNil, that one will be notified (by the VM)
with an interruptLatency:millis message for every
interrupt and gets the delay time
(between the time when the signal arrived and
when it was really delivered) as argument.
This can be used to create a statistic for
realtime systems.
RegisteredErrorInterruptHandlers
associates errorID (as passed from primitive
to the __errorInterruptWithID() function)
with handlers.
IncrementalGCLimit number of bytes, that must be allocated since
last full garbage collect to turn the incremental
collector on (at idle time).
FreeSpaceGCLimit low limit on freeSpace, at which incremental
gc starts to run at idle time.
FreeSpaceGCAmount amount to allocate, once freeSpace drops
below FreeSpaceGCLimit
DynamicCodeGCTrigger amount of generated dynamically compiled code
to trigger the incremental garbage collector
nil means: no trigger
DynamicCodeLimit max. amount of space allocated for dynamically compiled code
nil means: unlimited.
JustInTimeCompilationEnabled boolean - enables/disables JIT-compilation of
bytecode to machine code.
(this has nothing to do with stc-compilation)
Dependents keep my dependents locally (its faster) for
all those registries
LowSpaceSemaphore a semaphore signalled whenever the system is
running in low memory (i.e. the memory manager
ran into memory shortage and feels that it
may soon no longer be able to grant allocation requests).
You can have a process waiting on this semaphore
which starts to remove (i.e. nil-out) objects
or preform other cleanup actions.
AllocationFailureSignal signal raised when a new fails (see Behavior)
When this signal is raised, the memory manager
is really in trouble (i.e. above low-mem feelings
were correct)
MallocFailureSignal signal raised when a malloc fails
mallocs are used internally in the VM and/or
by some classes (ExternalBytes)
BackgroundCollectProcess created by startBackgroundCollectorAt:
BackgroundFinalizationProcess created by startBackgroundFinalizationAt:
BackgroundCollectMaximumInterval
number of seconds after which an incremental background
collection is started - regardless of the allocation
rate or freeSpace situation. If nil, IGC is only done
when the space situation makes it feasable.
Can be set to (say) 3600, to have the memory cleaned
at least once an hour.
FinalizationSemaphore triggered by the VM, when any weak pointer is
lost. Been waited upon by the backgroundFinalizer.
ImageName name of the current image (or nil)
ImageSaveTime <Timestamp> timestamp when this image was saved
Warning:
The InterruptHandler variables are known by the runtime system -
they are the objects that get an interrupt message when the event
occurs. You may not remove any of them.
copyrightCOPYRIGHT (c) 1992 by Claus Gittinger
All Rights Reserved
This software is furnished under a license and may be used
only in accordance with the terms of that license and with the
inclusion of the above copyright notice. This software may not
be provided or otherwise made available to, or used by, any
other person. No title to or ownership of the software is
hereby transferred.
cachingThe system uses various caches to speed up method-lookup.
Currently, there is a three-level cache hierarchy:
inline-cache keeps the target of the last send at the caller-
side (i.e. every send goes through its private
1-slot inline-cache, where the address of the last
called function at this call location is kept.)
polymorph-inline-cache keeps a limited list of all targets ever reached
at this call location. The list is automatically
flushed if it grows too large, or the overall number
of poly-chache entries exceeds a limit.
method-lookup-cache a global cache. Hashes on class-selector pairs,
returning the target method.
Whenever methods are added or removed from the system, or the inheritance
hierarchy changes, some or all caches have to be flushed.
The flushXXX methods perform the task of flushing various caches.
All standard methods in Behavior call for cache flushing, when things change;
however, if you use the low level access methods in Behavior
(for example: #setSuperclass:) special care has to be taken.
In some situations, not all caches need flushing, for example a change
in an interpreted method (currently) needs no flushing of the inline caches.
Also, flushing can be limited to entries for a specific class for most changes.
To be 'on the brigth side of live', use ObjectMemory>>flushCaches (which
flushes all of them), when in doubt of which caches should be flushed.
It is better flush too much - otherwise you may end up in a wrong method after
a send (you wont really see a difference in speed after the flush, anyway).
garbageCollectionCurrently, Smalltalk/X uses a two-level memory hierachy (actually, there
are more memory regions used for stack, permanent objects, symbols etc.
but for the following discussion, these are not of interest).
newSpace:
Objects are created in a so-called newSpace, which is relatively small.
This newSpace is cleaned by a so called ``scavenge''-operation, whenever
becoming full. Scavenging means, that all still-live objects (i.e. referenced
by some other) are copied over to another memory area, leaving all unreachable
objects as garbage behind. Thus, the newSpace actually consists of two semispaces,
of whih only one is active - the other being used only while objects are
copied.
After this copying, these two semispaces exchange their roles - i.e. reachable
objects are copied ping-pong like between these semispaces.
Once an object survives enough of these copying operations, the next scavenge
will move it into the so called oldSpace, which is much larger, and not
processed by the scavenger.
This movement of an object from newSpace to oldSpace is called ``tenure''.
(this avoids objects being copied around forever).
Once tenured, an object is no longer contained in the newSpace, and
thus ceases to create any scavenging overhead after that.
Scavenging occurs automatically, and is usually done fast enough to go
unnoticed (typically, it takes some 5 to 40ms to perform a scavenge,
depending on how many live objects are in the newspace).
Interestingly, the scavenger performs better, if many garbage objects
are to be reclaimed, since less object-copying has to be done. Therefore,
the best-case scavenge time is almost zero, if there is only garbage in
the newSpace.
In contrast, the worst-case is when all newSpace objects are still living.
Thus, garbage reclamation of young objects is basically free -
the more garbage is in newspace, the faster is the collector, asymptotically approaching
zero time, when all new objects are garbage!
From the newSpace collector's viewPoint, it makes sense to get
objects out of the way as fast as possible. However the oldSpace is
collected much less frequently and the cost to reclaim an oldspace object
is much higher (actually, the cost to reclaim a newspace object is zero -
it's the *survival* of objects which we have to pay for).
Therefore, from an oldSpace collector's point of view, it's preferable to
keep objects in the newSpace as long as possible.
To honor this conflicting situation, the system uses an adaptive tenure-count,
which adjusts the number of scavenges required for tenure (the so called
'tenureAge') according to the fill-grade of the newSpace.
If the newSpace is relatively empty, it tries to keep objects longer there.
The controlling parameters of the tenure age can be changed dynamically,
detailed information is available upon request.
The exact speed of the scavenger depends mostly on the speed of your memory
interface (and, since most of todays memories have access times in the order
of 10-40ns, the raw CPU speed does not correlate linear with the GC speed).
Measurements (1992!) give roughly 40ms for a full 400k newSpace
(i.e. all objects survive) on a 486/50 - this only drops to some 20-30ms on a P5.
Big caches help - i.e. a 1Mb cache machine performs better than a 256k cache machine.
Also, a good memory interface (small number of wait cycles and burst modes)
help a lot.
The upper bounds of the scavenge blocking time can be controlled by changing
the size of the newSpace - either via a command line argument, or even dynamically
by Objectmemory>>newSpaceSize:. Smaller sizes lead to shorter blocking periods,
but greater absolute GC overhead. The default (400k) seems to be a good compromise.
(if you are not happy with it, try playing around with the settings)
oldSpace:
To reclaim oldspace, the system uses three algorithms: mark&sweep, a copying
(and compressing) baker-type collector and an incremental mark&sweep&compress.
The blocking mark&sweep runs whenever the oldspace becomes full and the oldSpace
limit has been reached (i.e. it prefers to map more pages to the oldSpace up to an
adjustable limit). It puts dead objects onto a free list.
If a memory request cannot be served from this freelist,
and the total size of objects on the freelist exceeds a threshold (actually: the fragmentation does so),
the system will compress the oldspace to make the free-space into one big area.
This compress is either done by a 1-pass semispace copy algorithm, or
a 2pass inplace compress - depending on the setting of the compress limit
(if lots of virtual address space is available, a 1-pass algorithm is chosen).
The 1pass algorithm copies all live objects into a newly allocated
area, and frees the previous memory afterwards (a baker style copying collector).
The 2pass algorithm moves objects inPlace, and adjusts the pointers in
a second pass.
The 1pass algorithm requires twice the amount of memory (virtually) and is
slightly faster, if enough real memory is available.
In memory limited systems, the 2pass algorithm generally performs better,
since it is less affected by paging.
To honor this situation, the compressLimit should be set to enforce the
2-pass algorithm if the oldSpace size exceeds a certain threshold.
We recommend setting the compressLimit to roughly 1/4th of the physical
memory size of the machine, if other programs are to run beside ST/X
(i.e. an XServer, some xterms etc.).
If ST/X is running almost alone (i.e. using an XTerminal), the compressLimit
can be set to 1/3rd of the physical memory.
This is only a rough estimate - you may want to play around with this
parameter, to find a value which avoids paging due to a 1pass compress.
Since a compressing oldspace collect leads to a noticable pause of the system,
the memory manager tries hard to avoid oldspace compression.
(well, if enough real memory is available to hold both spaces in physical
memory, the compress algorithms are actually pretty fast).
The incremental mark&sweep runs in the background, whenever the system is idle
(see ProcessorSceduler>>waitForEventOrTimeout), or alternatively as a low or high
priority background process (see ObjectMemory>>startBackgroundCollector).
Like the normal mark&sweep, this incremental collector follows object references
and marks reachable objects on its way.
However, this is done 'a few objects-at-a-time', to not disrupt the system noticably.
Currently, there are some (theoretical) and in practice never occurring situations,
in which the incremental GC still creates noticable delays.
A current project is involved with this and a future version of ST/X (ST/X-RT)
will be available which shows deterministic worst case behavior in its GC pauses
(this will be provided as an additional add-on option - certainly not for free ;-).
Currently (1995), incremental GC blockings are in the order of 10-70ms.
There is one catch with low priority background IGC: if there is never any idle
time available (i.e. all processes run all the time), it would never get a chance
to do any collection work.
To handle this case, a background IGC can either be started as a high priority
process, which gives up the cpu (by delaying on the time) after every IGC step,
or it can be gicen a dynamic priority, where the max-prio is above UserSchedulingPriority.
A high priority background collector will always make progress and eventually finish
a GC cycle. However, it may have more of an influence on the other processes.
The default setup to date is to give it a dynamic priority, so it is ensured to make some
progress - although sometimes only slowly.
So, its up to you, to decide ...
Incremental garbage collection is controlled by the variables
'IncrementalGCLimit', 'FreeSpaceGCLimit' and 'FreeSpaceGCAmount':
the ProcessorScheduler will perform incremental GC steps at idle time,
if the total space allocated since the last full collect exceeds
'IncrementalGCLimit',
or if there are less than 'FreeSpaceGCLimit' bytes available in free store.
If after the incrementalGC, less than 'FreeSpaceGCLimi't bytes are available,
'FreeSpaceGCAmount' more bytes are requested from the memory manager.
The defaults are set in ObjectMemory>>initialize and can be changed in your
startup 'smalltalk.rc'-file. Setting them to nil turns incremental GC off.
For example, setting 'IncrementalGCLimit' to 500000 will start the background collector
whenever 500k bytes have been allocated - usually very seldom. Setting it to some
small number (say 10000) will have it run very often.
Setting 'FreeSpaceGCAmount' to (say) 1meg lets the system try to always keep
1meg of freeSpace. If less memory is available, more oldSpace will be allocated.
Keeping some memory in the pocket may prevent the system from running into a blocking
GC if memory is allocated in peaks (but only, if the incremental GC can keep up with
allocation rate). The trigger level 'FreeSpaceGCLimit' should be below that amount;
to avoid excessive incremental GC activity (say 1/4 if the amount).
Having the background GC running often should not hurt the performance of your
smalltalk processes, since the IGC only runs at times when no ST processes are runnable.
(there are some short delays in event processing, since the IGC's steps may take
some XX ms.)
However, if you are not alone on your machine (i.e. a timesharing system) or
you have other Unix processes to run, you should not run the IGC too often,
since it may hurt OTHER users/unix processes.
Since this collector only runs at idle times, even a low priority background
process will prevent it from doing its work. You may want to start a somewhat
higher priority background collect (say at prio 4), which also preempts these
background processes. (see ObjectMemory>>startBackgroundCollectorAt:).
Beginning with 2.10.4, a third space, called symSpace has been added.
Objects in this space are never moved or garbage collected.
This space is (currently) used for symbols only.
Beginning with 2.10.5, a fourth space, called fixSpace has been added.
Objects in this space are never moved or garbage collected.
This space is used for constant objects (true, false, some basic classes etc.).
A plan for 2.11 is to offer an arbitrary number of spaces, which can be
attached and detached at runtime. This will allow easy share of object
with remote systems and separating objects into a per application/package
space. (be prepared for changes in the future and make your application
independ of the VM internals)
default setup:
The following table lists some default settings and means for changing them;
Notice, that the defaults below are those of the VM and or ObjectMemory class.
These may already be changed by a smalltalk.rc or private.rc startup file.
what default change by
command line arg dynamically
-----------------------------------------------------------------------
newSpace size 400k -Mnew nnn newSpaceSize:nnn
oldSpace size 3000k -Mold nnn moreOldSpace:
announceSpaceNeed:
collectGarbage
max tenure age 29 lockTenure:
avoidTenure:
(sets it to infinity)
adaptive tenure - - tenureParameters
2pass oldSpace
compressor enabled -Msingle -
limit for 1pass
old-compress 8000k - oldSpaceCompressLimit:
chunk size
to increase
oldSpace 256k - oldSpaceIncrement:
prefer moreOld
to doing GC false - fastMoreOldSpaceAllocation:
limit for
above - - fastMoreOldSpaceLimit:
keep size for - - freeSpaceGCAmount:
IGC
low water
trigger for IGC - - freeSpaceGCLimit:
allocated
trigger for IGC 500k - incrementalGCLimit
maximum time
interval between
IGC's - - BackgroundCollectMaximumInterval
JIT codeCache
size unlimited - dynamicCodeLimit:
new JIT code
trigger for IGC none - dynamicCodeGCTrigger:
By default, no incremental GC is started by the system; however,
the standard startup script starts a low prio background incremental GC process.
You have to edit your startup files to change this.
A suggested configuration (used by the author and the default) is:
' keep 1meg in the pocket '
ObjectMemory freeSpaceGCAmount:1000000.
' start incrementalGC when freespace drops below 250k '
' or 500k of oldSpace has been allocated '
ObjectMemory freeSpaceGCLimit:250000. '
ObjectMemory incrementalGCLimit:500000. '
' collect as a background process (the default is: at idle times)
' this means that running cubes or other demo processes are suspended
' for the collect; change the prio to below 4 if you want them to continue
ObjectMemory startBackgroundCollectorAt:5. '
ObjectMemory startBackgroundFinalizationAt:5. '
' quickly allocate more space (i.e. avoid blocking collects)
' up to 8meg - then start to collect if more memory is needed.
ObjectMemory fastMoreOldSpaceLimit:8*1024*1024. '
ObjectMemory fastMoreOldSpaceAllocation:true. '
hints & tricks:
normally, there is no need to call for an explicit garbage collection, or
modify the default parameters.
The memory system should adapt reasonable and provide good performance
for a wide range of allocation patterns (see Example3 below for an exception).
However, there may be situations, in which hints and/or explicit
control over allocation can speedup your programs; but please:
- if you think you have to play around with the memory policies,
first check your program - you may find useless allocations
or bad uses of collections. A typical error that is made is to
create large collections using the #, (comma) concatenation method,
which shows square behavior, since it allocates many, many temporary
collections. Also, watch out for #copyWith:, #add: etc.
All of these create a new collection. Remember, that most collections
offer methods to preallocate some space; for example, 'Set new:' creates
an empty set, but preallocates space to avoid resizing over and over.
An especially bad performace dog is to use #add: on fix-size collection
objects (such as Strings or Arrays), since in addition to allocating
lots of garbage, a #become: operation is required for EACH element
added. NEVER use Arrays for growing/shrinking data - use OrderedCollection
instead. (if you really need an array, use asArray afterwards)
- if you are going to allocate huge data structures, think about
optimizing space. For example, if you allocate a million instances of
some object, each added instance variable makes up 4Mb of additional
memory need.
Also, for Byte-valued, Integer-valued and Float like objects, special
collections are provided, which store their values directly inside (instead
of a reference to the object). A FloatArray consisting of 1 million floats
requires about 4mb of memory, while an Array of Floats requires 4mb for the
references to the floats, PLUS 20Mb for the floats themself.
- check if you really need fast access to all of these objects; you may
try to only keep some subset in memory, and use binary storage or
(if this is too slow) optimized store/retrieve methods and keep the bigger
part in a file.
(How about a DiskArray class, which does this transparently ?
See the FileText class for some ideas and something to start with ...)
Hint / Example 1:
you are about to allocate a huge data structure, which is known to
survive long. In this case, it is better to have these objects move into the
oldspace sooner, to avoid the copying overhead during scavenges.
To do this, you can call ObjectMemory>>tenure after allocation, which
forces all new-objects immediately into the oldspace.
Make certain, that not to many (ideally no) short-living objects are in the
newspace when doing this.
Another alternative is to tell the system that all allocation should be
done directly in the oldspace. This completely avoids the scavenging overhead
for these objects. To do so, use ObjectMemory>>turnGarbageCollectorOff
before the allocation, and ObjectMemory>>turnGarbageCollectorOn afterwards.
Keep in mind, that do-loops may allocate block-objects and other temporaries,
so there is a danger of making things worse due to having all those temporaries
in the oldspace afterwards. (which is not a fatal situation, but will
force the system to do an oldspace collect earlier, which may not be your
intention).
Hint / Example 2:
you know in advance, that a certain (big) amount of memory will be needed.
For example, the fileBrowser wants to show a huge file in its text-view.
In this case, it is better to tell the memory system in advance, how much
memory will be needed, since otherwise many compresses and reallocations will
occur (the memory system will allocate additional memory in chunks of smaller
256k pieces, if a compress failes. Thus, if you are going to allocate (say) 1Mb of
strings, it will perform 5 compressing GC's).
This is done using ObjectMemory>>moreOldSpace: or ObjectMemory announceSpaceNeed:.
In the above example, you would do 'ObjectMemory announceSpaceNeed:500000', which
avoids those annoying 5 compressing GC's.
BTW: if you have other smalltalk processes (threads) running which should not be
paused if possible, it is better to use #announceSpaceNeed. This tries to avoid
pausing in other processes and sometimes succeeds, while moreOldSpace will always
block the whole system for a while. However, there is no 'no-pause' guarantee.
The amount of automatic increase (in case the oldSpace becomes full) is 256k by
default. This number can be changed with ObjectMemory>>oldSpaceIncrement:.
Hint / Example3:
There are rare cases, when an explicit GC makes a difference: since
object finalization is done at GC time, objects which keep operatingSystem
resources may be finalized late. This is normally no problem, except if
the system is running out of resources. For example, allocating new colors
may fail if many colors have already been allocated in the past - even
though these colors are actually free. The Depth8Image calls for an
explicit GC, whenever it fails to allocate a color for a bitmap, to force
finalization of free, but not yet finalized colors.
The same is true for things like file descriptors, if fileStreams are not closed
correctly.
Hint 4:
If you run in too small of physical memory, the incremental GC may have a
bad effect on your working set: since it touches pages (which may otherwise
not be needed at the moment, the operating system is forced to steal other
(possibly more useful) pages from your set of incore pages.
Although ST/X would be willing to fix this behavior (by telling the OS about
its page requirements, many OS's do not listen. The SGI-Iris, For example ignores
the madvice system calls - other systems do not implement it.
The trouble is that the standard LRU paging strategy is exactly the worst for
a program which sequentially scans its memory once in a single direction ...
You may get better performance, if you turn off the incremental GC while
processing a big data structure.
Warning: many of the methods found here are not standard and may not even be available in
future versions of ST/X. Use them only in very special situations or experiments.
Let me know about additional special features you think are useful, and about
special features you are using - this provides the feedback required to decide
which methods are to be removed, kept or enhanced in future versions.
interruptsHandling of interrupts (i.e. unix-signals) is done via handler objects, which
get a #XXXInterrupt-message sent. This is more flexible than (say) signalling
a semaphore, since the handler-object may do anything to react on the signal
(of course, it can also signal a semaphore to emulate the above behavior).
Another reason for having handler objects is that they allow interrupt handling
without any context switch, for high speed interrupt response.
However, if you do this, special care is needed, since it is not defined,
which (smalltalk-)process gets the interrupt and will do the processing
(therefore, the default setup installs handlers which simply signal a semaphore
and continue the current process).
Typically, the handlers are set during early initialization of the system
by sending 'ObjectMemory XXXInterruptHandler:aHandler' and not changed later.
(see Smalltalk>>initialize or ProcessorScheduler>>initialize).
To setup your own handler, create some object which responds to #xxxInterrupt,
and make it the handler using the above method.
Interrupt messages sent to handlers are:
internalError:<someString> - internal interpreter/GC errors
userInterrupt - ^C interrupt
customInterrupt - custom interrupt
ioInterrupt - SIGIO interrupt
timerInterrupt - alarm timer (SIGALRM)
errorInterrupt:<id> - errors from other primitives/subsystems
(DisplayError)
spyInterrupt - spy timer interrupt (SIGVTALARM)
stepInterrupt - single step interrupt
disposeInterrupt - finalization required
recursionInterrupt - recursion (stack) overflow
memoryInterrupt - soon running out of memory
fpExceptionInterrupt - floating point exception (SIGFPE)
childSignalInterrupt - death of a child process (SIGCHILD)
signalInterrupt:<number> - unix signal (if other than above signals)
To avoid frustration in case of badly set handlers, these messages
are also implemented in the Object class - thus anything can be defined
as interrupt handler. However, the VM will not send any
interrupt message, if the corresonding handler object is nil
(which means that nil is a bad choice, if you are interested in the event).
Interrupt processing is not done immediately after the event arrives:
there are certain ``save-places'' at which this handling is performed
(message send, method return and loop-heads).
If not explicitely enabled, primitive code is never interrupted.
However, if you do enable interrupts in your primitive (see ExternalStream as example),
be prepared for your objects to move around ... therefore, these have to
be coded very carefully.
Interrupts may be disabled completely (OperatingSystem blockInterrupts) and
reenabled (unblockInterrupts) to allow for critical data to be manipulated.
The above are low-level primitive entries - you better use #valueUninterruptably,
which cares for unwinds, long returns and restores the blocking state.
Every process has its own interrupt-enable state which is switched
when processes switch control (i.e. you cannot block interrupts across
a suspend, delay etc.).
However, the state will be restored after a resume.
Compatibility-ST80
-
availableFreeBytes
-
return the amount of free memory
(both in the compact free area and in the free lists)
Usage example(s):
ObjectMemory availableFreeBytes
|
-
bytesPerOOP
-
return the number of bytes an object reference (for example: an instvar)
takes
Usage example(s):
-
bytesPerOTE
-
return the number of overhead bytes of an object.
i.e. the number of bytes in every objects header.
Usage example(s):
-
collectGarbage
-
ObjectMemory garbageCollect
-
compactingGC
-
perform a compacting garbage collect
-
current
-
the 'current' ObjectMemory - that's myself
-
globalCompactingGC
-
perform a compacting garbage collect
-
globalGarbageCollect
-
perform a compacting garbage collect
-
growMemoryBy: numberOfBytes
-
allocate more memory
-
numOopsNumBytes
-
return an array filled with the number of objects
and the number of used bytes.
Usage example(s):
ObjectMemory numOopsNumBytes
|
-
verboseCompactingGC
-
ST80 compatibility; same as verboseGarbageCollect
-
verboseGlobalCompactingGC
-
ST80 compatibility; same as verboseGarbageCollect
-
versionId
-
return this systems version.
For ST80 compatibility.
Signal constants
-
allocationFailureSignal
-
return the signal raised when an object allocation failed
-
mallocFailureSignal
-
return the signal raised when malloc memory allocation failed.
(usually, this kind of memory is used with I/O buffers or other temporary
non-Object storage)
VM messages
-
debugPrinting
-
return true, if various debug printouts in the VM
are turned on, false of off.
Usage example(s):
ObjectMemory debugPrinting
|
-
debugPrinting: aBoolean
-
turn on/off various debug printouts in the VM
in case of an error. For example, a double-notUnderstood
leads to a VM context dump if debugPrinting is on.
If off, those messages are suppressed.
The default is on, since these messages are only printed for severe errors.
Returns the previous setting.
-
infoPrinting
-
return true, if various informational printouts in the VM
are turned on, false of off.
Usage example(s):
ObjectMemory infoPrinting
|
-
infoPrinting: aBoolean
-
turn on/off various informational printouts in the VM.
For example, the GC activity messages are controlled by
this flags setting.
The default is true, since (currently) those messages are useful for ST/X developers.
Returns the previous setting.
-
initTrace: aBoolean
-
turn on/off various init-trace printouts in the VM.
The default is false.
Returns the previous setting.
VM unwind protect support
-
lookupMethodForSelectorUnwindHandlerFor: lookup
-
An unwind handler for external method lookup
(MOP). This method effectively called only
from handler block returned by
ObjectMemory>>unwindHandlerInContext:.
The VM also create an artifical context with
ObjectMemory as receiver and selector if this
method as selector and marks it for unwind.
See: ObjectMemory>>unwindHandlerInContext:
-
unwindHandlerInContext: aContext
-
Return an unwind handler block for given context.
Selector of that context denotes which unwind handler
to use.
Occasionally, the VM needs to unwind-protect some C code.
If so, it creates and artificial context on the stack and
marks it for unwind, so stack unwinding logic finds it
and handles it.
Now, only #lookupMethodForSelectorUnwindProtect is supported
(ensures the lookup is popped out from the lookupActications)
accessing-debugging
-
debugPrivacyChecks: aBoolean
-
turn on/off checks for private methods being called.
By default, this is on in the ST/X IDE, but off for standAlone (packaged) endUser
applications. Method privacy is an experimental feature, which may be removed in later
versions, if it turns out to be not useful.
-
setTrapOnAccessFor: anObject
-
install an access trap for anObject;
An accessSignal will be raised, whenever any instvar of anObject is either read or written.
This is not supported on all architectures, therefore the return value
(true of trap was installed ok, false if failed) should be checked.
-
setTrapOnReadFor: anObject
-
install a read trap for anObject;
An accessSignal will be raised, whenever any access into anObject occurs.
This is not supported on all architectures, therefore the return value
(true of trap was installed ok, false if failed) should be checked.
-
setTrapOnWriteFor: anObject
-
install a write trap for anObject;
An accessSignal will be raised, whenever any instvar of anObject is written to.
This is not supported on all architectures, therefore the return value
(true of trap was installed ok, false if failed) should be checked.
-
unsetAllTraps
-
remove all access traps
-
unsetTrapFor: anObject
-
remove any access trap for anObject.
cache management
-
debugBreakPoint
-
for VM debugging only (to run ST/X in gdb,
and setting a breakpoint on the corresponding C function,
you can force gdb to stop by sending this message)
-
flushCaches
-
flush method and inline caches for all classes
-
flushCachesFor: aClass
-
flush method and inline caches for aClass
-
flushCachesForSelector: aSelector
-
flush method and inline caches for aSelector
-
flushCachesForSelector: aSelector numArgs: numArgs
-
flush method and inline caches for aSelector
-
flushInlineCaches
-
flush all inlinecaches
-
flushInlineCachesFor: aClass withArgs: nargs
-
flush inlinecaches for calls to aClass with nargs arguments
-
flushInlineCachesForClass: aClass
-
flush inlinecaches for calls to aClass.
-
flushInlineCachesForSelector: aSelector
-
flush inlinecaches for sends of aSelector
-
flushInlineCachesWithArgs: nargs
-
flush inlinecaches for calls with nargs arguments
-
flushMethodCache
-
flush the method cache
-
flushMethodCacheFor: aClass
-
flush the method cache for sends to aClass
-
flushMethodCacheForSelector: aSelector
-
flush the method cache for sends of aSelector
-
ilcMisses: newValue
-
-
ilcMissesTrace: bool
-
-
incrementSnapshotID
-
obsolete - do not use
-
snapshotID
-
return the internal snapshotID number.
This is incremented when an image is restarted, and
stored with the image.
Not for normal users, this is used by the VM to invalidate
caches which are stored with the image
Usage example(s):
-
trapRestrictedMethods: trap
-
Allow/Deny execution of restricted Methods (see Method>>>restricted:)
Notice: method restriction is a nonstandard feature, not supported
by other smalltalk implementations and not specified in the ANSI spec.
This is EXPERIMENTAL - and being evaluated for usability.
It may change or even vanish (if it shows to be not useful).
Usage example(s):
ObjectMemory trapRestrictedMethods:true
ObjectMemory trapRestrictedMethods:false
|
debug queries
-
addressOf: anObject
-
return the core address of anObject as an integer
- since objects may move around, the returned value is invalid after the
next scavenge/collect.
WARNING: this method is for ST/X debugging only
it will be removed without notice
Usage example(s):
|p|
p := Point new.
((ObjectMemory addressOf:p) printStringRadix:16) printCR.
ObjectMemory scavenge.
((ObjectMemory addressOf:p) printStringRadix:16) printCR.
|
-
ageOf: anObject
-
return the number of scavenges, an object has survived
in new space.
For old objects and living contexts, the returned number is invalid.
WARNING: this method is for ST/X debugging only
it will be removed without notice
Usage example(s):
|p|
p := Point new.
(ObjectMemory ageOf:p) printCR.
ObjectMemory tenuringScavenge.
(ObjectMemory spaceOf:p) printCR.
ObjectMemory tenuringScavenge.
(ObjectMemory spaceOf:p) printCR.
ObjectMemory tenuringScavenge.
(ObjectMemory spaceOf:p) printCR.
ObjectMemory tenuringScavenge.
(ObjectMemory spaceOf:p) printCR.
|
-
displayRefChainTo: anObject
-
self displayRefChainTo:Point new
Usage example(s):
Smalltalk at:#foo put:Point new.
self displayRefChainTo:(Smalltalk at:#foo)
|
Usage example(s):
|p|
p := Point new.
Smalltalk at:#foo put:(#x -> p).
self displayRefChainTo:p
|
Usage example(s):
|a|
a := Array new:1. a at:1 put:a.
Smalltalk at:#foo put:(#x -> a).
self displayRefChainTo:a
|
Usage example(s):
|a|
a := Array new:1. a at:1 put:a.
Smalltalk at:#foo put:(#x -> (Array with:a)).
self displayRefChainTo:a
|
Usage example(s):
|a|
a := Array new:1. a at:1 put:a.
Smalltalk at:#foo put:(#x -> (Array with:a with:(#y -> a))).
self displayRefChainTo:a
|
Usage example(s):
|p|
p := Point new.
Smalltalk at:#foo put:(WeakArray with:(#x -> (#y -> p))).
self displayRefChainTo:p
|
Usage example(s):
self displayRefChainTo:Transcript topView
|
-
displayRefChainToAny: aCollection
-
-
displayRefChainToAny: aCollection limitNumberOfSearchedReferences: limitOrNil
-
consider this a kludge:
-
dumpObject: someObject
-
low level dump an object.
WARNING: this method is for ST/X debugging only
it may be removed (or replaced by a noop) without notice
Usage example(s):
ObjectMemory dumpObject:true
ObjectMemory dumpObject:(Array new:10)
ObjectMemory dumpObject:(10@20 corner:30@40)
|
-
dumpSender
-
dump my senders context
Usage example(s):
-
encodingOf: anObject
-
return the bit pattern of anObject as an unsigned integer
- since objects may move around, the returned value is invalid after the
next scavenge/collect.
Therefore, use it only for low level debug prints/dumping.
WARNING: this method is for ST/X debugging only
it will be removed without notice
Usage example(s):
|obj1 obj2 obj3|
obj1 := -1.
((ObjectMemory encodingOf:obj1) printStringRadix:16) printCR.
obj1 := 1.
((ObjectMemory encodingOf:obj1) printStringRadix:16) printCR.
obj1 := 0.
((ObjectMemory encodingOf:obj1) printStringRadix:16) printCR.
obj2 := true.
((ObjectMemory encodingOf:obj2) printStringRadix:16) printCR.
obj3 := Point new.
((ObjectMemory encodingOf:obj3) printStringRadix:16) printCR.
ObjectMemory scavenge.
((ObjectMemory encodingOf:obj1) printStringRadix:16) printCR.
((ObjectMemory encodingOf:obj2) printStringRadix:16) printCR.
((ObjectMemory encodingOf:obj3) printStringRadix:16) printCR.
|
-
flagsOf: anObject
-
For debugging only.
WARNING: this method is for ST/X debugging only
it will be removed without notice
Usage example(s):
|arr|
arr := Array new.
arr at:1 put:([thisContext] value).
(ObjectMemory flagsOf:anObject) printCR
|
-
objectAt: anAddress
-
return whatever anAddress points to as object.
BIG BIG DANGER ALERT:
this method is only to be used for debugging ST/X itself
- you can easily (and badly) crash the system.
WARNING: this method is for ST/X debugging only
it will be removed without notice
-
printReferences: anObject
-
for debugging: print referents to anObject.
WARNING: this method is for ST/X debugging only
it will be removed without notice
use ObjectMemory>>whoReferences: or anObject>>allOwners.
-
refChainFrom: start to: anObject inRefSets: levels startingAt: index
-
(self refNameFor:anObject in:start)
Usage example(s):
|o a1 a2 a3 a4 levels|
o := Object new.
a1 := Array with:o.
a2 := Array with:a1.
a3 := Array with:a2.
a4 := Array with:a3.
levels := Array with:(Set with:a3)
with:(Set with:a2)
with:(Set with:a1).
self refChainFrom:a4 to:o inRefSets:levels startingAt:1.
|
-
refChainsFrom: start to: anObject inRefSets: levels startingAt: index
-
(self refNameFor:anObject in:start)
-
refNameFor: anObject in: referent
-
for our convenience - if it's a nameSpace, cut off Smalltalk.
-
sizeOf: anObject
-
return the size of anObject in bytes.
(this is not the same as 'anObject size').
WARNING: this method is for ST/X debugging only
it will be removed without notice
Usage example(s):
|hist big nw|
hist := Array new:100 withAll:0.
big := 0.
ObjectMemory allObjectsDo:[:o |
nw := (ObjectMemory sizeOf:o) // 4 + 1.
nw > 100 ifTrue:[
big := big + 1
] ifFalse:[
hist at:nw put:(hist at:nw) + 1
].
].
hist printCR.
big printCR
|
-
spaceOf: anObject
-
return the memory space, in which anObject is.
- since objects may move between spaces,
the returned value may be invalid after the next scavenge/collect.
WARNING: this method is for ST/X debugging only
it will be removed without notice
debugging ST/X
-
checkConsistency
-
call the object memory consistency checker.
Useful to check if all obejct references are still valid,
especially when primitive (inline-C) code is developed.
If called before and after a primitive, missing STORE checks or
overwritten object headers etc. might be detected.
(there is no real guarantee, that all such errors are detected, though)
Usage example(s):
ObjectMemory checkConsistency
|
-
printPolyCaches
-
dump poly caches.
WARNING: this method is for debugging only
it will be removed without notice
Usage example(s):
ObjectMemory printPolyCaches
|
-
printStackBacktrace
-
print a stack backtrace - then continue.
(You may turn off the stack print with debugPrinting:false)
WARNING: this method is for debugging only
it will be removed without notice
Usage example(s):
ObjectMemory printStackBacktrace
|
-
printStackBacktraceFrom: aContext
-
print a stack backtrace - then continue.
(You may turn off the stack print with debugPrinting:false)
WARNING: this method is for debugging only
it will be removed without notice
Usage example(s):
ObjectMemory printStackBacktraceFrom:thisContext sender sender
|
-
printSymbols
-
dump the internal symbol table.
WARNING: this method is for debugging only
it will be removed without notice
Usage example(s):
ObjectMemory printSymbols
|
-
sendConsistencyCheckPrimitivesOn
-
turns consistency check after every send to primitive code.
WARNING: this method is for debugging only
it may be removed without notice
-
sendConsistencyChecksOn
-
turns consistency check after every message sends on.
This will slow down the system to make it almost unusable,
so this should only be enabled around small pieces of code
to find errors in primitive code (eg. missing STOREs).
WARNING: this method is for debugging only
it may be removed without notice
Usage example(s):
ObjectMemory sendConsistencyChecksOn
ObjectMemory sendTraceOff
|
-
sendTraceAndConsistencyChecksOn
-
turns tracing of message sends on
AND performs memory consistency checks after every message
send.
This will slow down the system to make it almost unusable,
so this should only be enabled around small pieces of code
to find errors in primitive code (eg. missing STOREs).
WARNING: this method is for debugging only
it may be removed without notice
Usage example(s):
ObjectMemory sendTraceAndConsistencyChecksOn
ObjectMemory sendTraceOff
|
-
sendTraceOff
-
turns tracing of message sends off.
WARNING: this method is for debugging only
it may be removed without notice
Usage example(s):
ObjectMemory sendTraceOn
ObjectMemory sendTraceOff
|
-
sendTraceOn
-
backward compatibility
Usage example(s):
ObjectMemory sendTraceOnForThread
ObjectMemory sendTraceOff
|
-
sendTraceOnForAll
-
turns tracing of message sends on for all threads.
WARNING: this method is for debugging only
it may be removed without notice
-
sendTraceOnForThread
-
turns tracing of message sends on for the current thread.
WARNING: this method is for debugging only
it may be removed without notice
-
traceSendsIn: aBlock
-
evaluate aBlock, sending low level VM trace to stderr
Usage example(s):
ObjectMemory traceSendsIn:[ 10 factorial ]
|
dependents access
-
dependents
-
return the collection of my dependents
-
dependents: aCollection
-
set the dependents collection
-
dependentsDo: aBlock
-
evaluate aBlock for all of my dependents.
Since this is performed at startup time (under the scheduler),
this is redefined here to catch abort signals.
Thus, if any error occurs in a #returnFromSnapshot,
the user can press abort to continue.
enumerating
-
allInstancesOf: aClass do: aBlock
-
evaluate the argument, aBlock for all instances of aClass in the system.
There is one caveat: if a compressing oldSpace collect
occurs while looping over the objects, the loop cannot be
continued (for some internal reasons). In this case, false
is returned.
-
allObjectsDo: aBlock
-
evaluate the argument, aBlock for all objects in the system.
There is one caveat: if a compressing oldSpace collect
occurs while looping over the objects, the loop cannot be
continued (for some internal reasons). In this case, false
is returned.
-
allObjectsIncludingContextsDo: aBlock
-
like allObjectsDo, but also walks over all contexts
of living processes
-
allOldObjectsDo: aBlock
-
evaluate the argument, aBlock for all old objects in the system.
For debugging and tests only - do not use
-
processesKnownInVM
-
debug query: return a collection of processObjects as known
in the VM. For ST/X internal use only.
Usage example(s):
ObjectMemory processesKnownInVM
|
garbage collection
-
backgroundCollectProcess
-
return the backgroundCollectProcess (or nil, if noone is running)
-
backgroundCollectorRunning
-
return true, if a backgroundCollector is running
Usage example(s):
ObjectMemory backgroundCollectorRunning
|
-
compressOldSpace
-
COMPRESS the oldSpace memory area.
This uses an inplace 2-pass compress algorithm, which may
be slightly slower than the semispace compress if lots of real memory
is available.
In memory limited systems, this inplace compress is usually preferable.
Inplace compression can be enforced by setting the compress-limit to a
small number.
This can take a long time.
Usage example(s):
ObjectMemory compressOldSpace
|
Usage example(s):
Transcript showCR:(Time millisecondsToRun:[
ObjectMemory markAndSweep.
ObjectMemory compressOldSpace.
]).
|
-
compressingGarbageCollect
-
search for and free garbage in the oldSpace (newSpace is cleaned automatically)
performing a COMPRESSING garbage collect.
This uses a 1-pass copying semispace algorithm, which may
be slightly faster than the 2-pass in-place compress if enough real memory
is available. In memory limited systems, an inplace compress is
preferable, which is enforced by setting the compress-limit to a
small number.
This can take a long time - especially, if paging is involved
(when no paging is involved, its faster than I thought :-).
If no memory is available for the compress, or the system has been started with
the -Msingle option, this does a non-COMPRESSING collect.
Usage example(s):
ObjectMemory compressingGarbageCollect
|
-
garbageCollect
-
search for and free garbage in the oldSpace.
This can take a long time - especially, if paging is involved.
Usage example(s):
ObjectMemory garbageCollect
|
-
gcStep
-
one incremental garbage collect step.
Mark or sweep some small number of objects. This
method will return after a reasonable (short) time.
This is used by the ProcessorScheduler at idle times.
Returns true, if an incremental GC cycle has finished.
-
gcStepIfUseful
-
If either the IncrementalGCLimit or the FreeSpaceGCLimits have been
reached, perform one incremental garbage collect step.
Return true, if more gcSteps are required to finish the cycle,
false if done with a gc round.
If no limit has been reached yet, do nothing and return false.
This is called by the ProcessorScheduler at idle times or by the
backgroundCollector.
-
incrementalGC
-
perform one round of incremental GC steps.
The overall effect of this method is (almost) the same as calling
markAndSweep. However, #incrementalGC is interruptable while #markAndSweep
is atomic and blocks for a while. The code here performs incremental
GC steps, until one complete gc-cycle is completed. If running at a higher
than userBackground priority, it will give up the CPU after every such
step for a while.
Thus this method can be called either from a low prio (background) process
or from a high prio process.
(however, if you have nothing else to do, its better to call for markAndSweep,
since it is faster)
For example, someone allocating huge amounts of memory could
ask for the possibility of a quick allocation using
#checkForFastNew: and try a #incrementalGC if not. In many
cases, this can avoid a pause (in the higher prio processes) due to
a blocking GC.
Usage example(s):
ObjectMemory incrementalGC
[ObjectMemory incrementalGC] forkAt:3
[ObjectMemory incrementalGC] forkAt:9
|
-
markAndSweep
-
mark/sweep garbage collector.
perform a full mark&sweep collect.
Warning: this may take some time and it is NOT interruptable.
If you want to do a collect from a background process, or have
other things to do, better use #incrementalGC which is interruptable.
Usage example(s):
ObjectMemory markAndSweep
|
-
nonVerboseGarbageCollect
-
perform a compressing garbage collect or fallback to non-compressing collect,
if required.
Usage example(s):
ObjectMemory nonVerboseGarbageCollect
|
-
reclaimSymbols
-
reclaim unused symbols;
Unused symbols are (currently) not reclaimed automatically,
but only upon request with this method.
It takes some time to do this ... and it is NOT interruptable.
Future versions may do this automatically, while garbage collecting.
Usage example(s):
ObjectMemory reclaimSymbols
|
-
resumeBackgroundCollector
-
resume the background collector process
Usage example(s):
ObjectMemory resumeBackgroundCollector
|
-
scavenge
-
collect young objects, without aging (i.e. no tenure).
Can be used to quickly get rid of shortly before allocated
stuff. This is relatively fast (compared to oldspace collect).
An example where a non-tenuring scavenge makes sense is when
allocating some OperatingSystem resource (a Color, File or View)
and the OS runs out of resources. In this case, the scavenge may
free some ST-objects and therefore (by signalling the WeakArrays
or Registries) free the OS resources too.
Of course, only recently allocated resources will be freed this
way. If none was freed, a full collect will be needed.
Usage example(s):
-
startBackgroundCollectorAt: aPriority
-
start a process doing incremental GC in the background.
Use this, if you have suspendable background processes which
run all the time, and therefore would prevent the idle-collector
from running. See documentation in this class for more details.
Usage example(s):
ObjectMemory stopBackgroundCollector.
ObjectMemory incrementalGCLimit:100000.
ObjectMemory freeSpaceGCLimit:1000000.
ObjectMemory startBackgroundCollectorAt:4.
|
-
stopBackgroundCollector
-
stop the background collector
Usage example(s):
ObjectMemory stopBackgroundCollector
|
-
suspendBackgroundCollector
-
suspend the background collector process.
Answer true, if the background collector was running before
Usage example(s):
ObjectMemory suspendBackgroundCollector.
ObjectMemory resumeBackgroundCollector
|
-
tenure
-
force all living new stuff into old-space - effectively making
all living young objects become old objects immediately.
This is relatively fast (compared to oldspace collect).
This method should only be used in very special situations:
for example, when building up some long-living data structure
in a time critical application.
To do so, you have to do a scavenge followed by a tenure after the
objects are created. Be careful, to not reference any other chunk-
data when calling for a tenure (this will lead to lots of garbage in
the oldspace).
In normal situations, explicit tenures are not needed.
Usage example(s):
Usage example(s):
... build up long living objects ...
ObjectMemory scavenge.
ObjectMemory tenure
... continue - objects created above are now in oldSpace ...
|
-
tenuringScavenge
-
collect newspace stuff, with aging (i.e. objects old enough
will be moved into the oldSpace).
Use this for debugging and testing only - the system performs
this automatically when the newspace fills up.
This is relatively fast (compared to oldspace collect)
Usage example(s):
ObjectMemory tenuringScavenge
|
-
verboseGarbageCollect
-
perform a compressing garbage collect and show some informational
output on the Transcript
Usage example(s):
ObjectMemory verboseGarbageCollect
|
garbage collector control
-
allowTenureOf: anObject
-
set the age of anObject back to 0 so it may eventually tenure
into old space.
This should only be used in very special situations.
One such situation may be to ensure that an object is finalized early by the next
scavenge, and not by a (possibly late) old space collect.
To undo this setup (i.e. to allow the object to tenure again), set its age back to
any value with the seatAgeOf:to: message.
If the object is already old, this call has no effect.
WARNING: this method is for ST/X experts only
it is dangerous, should be used with care
and it may be removed without notice
-
announceOldSpaceNeed: howMuch
-
announce to the memory system, that howMuch bytes of memory will be needed
soon, which is going to live longer (whatever that means).
It first checks if the memory can be allocated without forcing a compressing
GC. If not, the oldSpace is increased. This may also lead to a slow compressing
collect. However, many smaller increases are avoided afterwards. Calling this
method before allocating huge chunks of data may provide better overall performance.
Notice: this is a nonstandard interface - use only in special situations.
Usage example(s):
ObjectMemory announceOldSpaceNeed:1000000
|
-
announceSpaceNeed: howMuch
-
announce to the memory system, that howMuch bytes of memory will be needed
soon. The VM tries to prepare itself for this allocation to be performed
with less overhead. For example, it could preallocate some memory in one
big chunk (instead of doing many smaller reallocations later).
Notice: this is a nonstandard interface - use only in special situations.
Also, this does a background collect before the big chunk of memory is
allocated, not locking other processes while doing so.
Usage example(s):
ObjectMemory announceSpaceNeed:100000
|
-
avoidTenure: flag
-
set/clear the avoidTenure flag. If set, aging of newSpace is turned off
as long as the newSpace fill-grade stays below some magic high-water mark.
If off (the default), aging is done as usual.
If the flag is turned on, scavenge may be a bit slower, due to more
objects being copied around. However, chances are high that in an idle
or (almost idle) system, less objects are moved into oldSpace.
Therefore, this helps to avoid oldSpace collects, in systems which go into
some standby mode and are reactivated by some external event.
(the avoid-flag should be turned off there, and set again once the idle loop
is reentered).
This is an EXPERIMENTAL interface.
-
avoidTenure: flag fraction: edenFraction
-
set/clear the avoidTenure flag and set the fraction of eden to be kept.
If set, aging of newSpace is turned off
as long as the newSpace fill-grade stays below a 1/edenFraction high-water mark.
If off (the default), aging is done as usual.
If the flag is turned on, scavenge may be a bit slower, due to more
objects being copied around. However, chances are high that in an idle
or (almost idle) system, less objects are moved into oldSpace.
Therefore, this helps to avoid oldSpace collects, in systems which go into
some standby mode and are reactivated by some external event.
(the avoid-flag should be turned off there, and set again once the idle loop
is reentered).
This is an EXPERIMENTAL interface.
-
checkForFastNew: amount
-
this method returns true, if amount bytes could be allocated
quickly (i.e. without forcing a full GC or compress).
This can be used for smart background processes, which want to
allocate big chunks of data without disturbing foreground processes
too much. Such a process would check for fast-allocation, and perform
incremental GC-steps if required. Thus, avoiding the long blocking pause
due to a forced (non-incremental) GC.
Especially: doing so will not block higher priority foreground processes.
See an example use in Behavior>>niceBasicNew:.
This is experimental and not guaranteed to be in future versions.
-
dynamicCodeGCTrigger
-
return the dynamic code trigger limit for incremental GC activation.
The system will start doing incremental background GC, whenever this amount
of code was dynamically generated.
The default is nil; which disables this trigger
Usage example(s):
ObjectMemory dynamicCodeGCTrigger
|
-
dynamicCodeGCTrigger: numberOfBytesOrNil
-
set the dynamic code trigger limit for incremental GC activation.
The system will start doing incremental background GC, whenever this amount
of code was dynamically generated.
The default is nil; which disables this trigger
Usage example(s):
ObjectMemory dynamicCodeGCTrigger:50000
|
-
dynamicCodeLimit
-
return the dynamic code limit.
The system will start doing incremental background GC, whenever this amount
of code has been generated (overall), and start to flush the code cache,
if (after the GC), more code is still allocated.
The default is nil; which disables this trigger
Usage example(s):
ObjectMemory dynamicCodeLimit
|
-
dynamicCodeLimit: nBytesOrNil
-
set the dynamic code limit.
The system will start doing incremental background GC, whenever this amount
of code has been generated (overall), and start to flush the code cache,
if (after the GC), more code is still allocated.
The default is nil; which disables this trigger
Usage example(s):
ObjectMemory dynamicCodeLimit:100000
|
-
fastMoreOldSpaceAllocation: aBoolean
-
this method turns on/off fastMoreOldSpace allocation.
By default, this is turned off (false), which means that in case of
a filled-up oldSpace, a GC is tried first before more oldSpace is allocated.
This strategy is ok for the normal operation of the system,
but behaves badly, if the program allocates huge data structures (say a
game tree of 30Mb in size) which survives and therefore will not be reclaimed
by a GC.
Of course while building this tree, and the memory becomes full, the system
would not know in advance, that the GC will not reclaim anything.
Setting fastMoreOldSpaceAllocation to true will avoid this, by forcing the
memory system to allocate more memory right away, without doing a GC first.
WARNING: make certain that this flag is turned off, after your huge data
is allocated, since otherwise the system may continue to increase its
virtual memory without ever checking for garbage.
This method returns the previous value of the flag; typically this return
value should be used to switch back.
Usage example(s):
|previousSetting|
previousSetting := ObjectMemory fastMoreOldSpaceAllocation:true.
[
...
allocate your huge data
...
] ensure:[
ObjectMemory fastMoreOldSpaceAllocation:previousSetting
]
|
Usage example(s):
|prev this|
prev := ObjectMemory fastMoreOldSpaceAllocation:true.
ObjectMemory fastMoreOldSpaceAllocation:prev.
^ prev
|
-
fastMoreOldSpaceLimit: aNumber
-
this method sets and returns the fastMoreOldSpace limit.
If fastMoreOldSpaceAllocation is true, and the current oldSpace size is
below this limit, the memory manager will NOT do a GC when running out of
oldSpace, but instead quickly go ahead increasing the size of the oldSpace.
Setting the limit to 0 turns off any limit (i.e. it will continue to
increase the oldSpace forwever - actually, until the OS refuses to give us
more memory). The returned value is the previous setting of the limit.
Usage example(s):
|prev this|
prev := ObjectMemory fastMoreOldSpaceLimit:10*1024*1024.
ObjectMemory fastMoreOldSpaceLimit:prev.
^ prev
|
-
freeSpaceGCAmount
-
return the amount to be allocated if, after an incrementalGC,
not at least FreeSpaceGCLimit bytes are available for allocation.
The default is nil, which lets the system compute an abbpropriate value
Usage example(s):
ObjectMemory freeSpaceGCAmount
|
-
freeSpaceGCAmount: aNumber
-
set the amount to be allocated if, after an incrementalGC,
not at least FreeSpaceGCLimit bytes are available for allocation.
The amount should be greater than the limit, otherwise the incremental
GC may try over and over to get the memory (actually waisting time).
Usage example(s):
ObjectMemory freeSpaceGCLimit:250000.
ObjectMemory freeSpaceGCAmount:1000000.
|
Usage example(s):
ObjectMemory freeSpaceGCAmount:nil.
|
-
freeSpaceGCLimit
-
return the freeSpace limit for incremental GC activation.
The system will start doing incremental background GC, once less than this number
of bytes are available in the compact free space.
The default is 100000; setting it to nil will turn this trigger off.
Usage example(s):
ObjectMemory freeSpaceGCLimit
|
-
freeSpaceGCLimit: aNumber
-
set the freeSpace limit for incremental GC activation.
The system will start doing incremental background GC, once less than this number
of bytes are available for allocation.
The default is nil; setting it to nil will turn this trigger off.
Usage example(s):
ObjectMemory freeSpaceGCLimit:1000000.
|
Usage example(s):
ObjectMemory freeSpaceGCLimit:nil.
|
-
incrementalGCLimit
-
return the allocatedSinceLastGC limit for incremental GC activation.
The system will start doing incremental background GC, once more than this number
of bytes have been allocated since the last GC.
The default is 500000; setting it to nil will turn this trigger off.
Usage example(s):
ObjectMemory incrementalGCLimit
|
-
incrementalGCLimit: aNumber
-
set the allocatedSinceLastGC limit for incremental GC activation.
The system will start doing incremental background GC, once more than this number
of bytes have been allocated since the last GC.
The default is 500000; setting it to nil will turn this trigger off.
Usage example(s):
ObjectMemory incrementalGCLimit:500000. 'do incr. GC very seldom'
ObjectMemory incrementalGCLimit:100000. 'medium'
ObjectMemory incrementalGCLimit:10000. 'do incr. GC very often'
ObjectMemory incrementalGCLimit:nil. 'never'
|
-
incrementalSweep: aBoolean
-
ineable/disable incremental sweeps during background GC.
This entry is provided as a test interface and should not be
used by applications - it may vanish without notice
Usage example(s):
ObjectMemory incrementalSweep:false.
ObjectMemory incrementalSweep:true
|
-
lockTenure: flag
-
set/clear the tenureLock. If the lock is set, the system
completely turns off tenuring, and objects remain in newSpace (forever).
Once this lock is set, the system operates only in the newSpace and no memory
allocations from oldSpace are allowed (except for explicit tenure calls).
If any allocation request cannot be resoved, the VM raises a memory interrupt,
clears the lockTenure-flag and returns nil. Thus, it automatically falls back into
the normal mode of operation, to avoid big trouble
(fail to allocate memory when handling the exception).
This interface can be used in applications, which are guaranteed to have their
working set completely in the newSpace AND want to limit the worst case
pause times to the worst case scavenge time
(which itself is limitd by the size of the newSpace).
I.e. systems which go into some event loop after initial startup,
may turn on the tenureLock to make certain that no oldSpace memory is
allocated in the future; thereby limiting any GC activity to newSpace scavenges only.
This is an EXPERIMENTAL interface.
-
makeOld: anObject
-
move anObject into oldSpace.
This method is for internal & debugging purposes only -
it may vanish. Don't use it, unless you know what you are doing.
-
makeOld: anObject now: aBoolean
-
move anObject into oldSpace.
If aBoolean is true, this is done immediately, but takes some processing time.
Otherwise, it will be done on-the-fly in the near future, without any cost.
If multiple objects are to be aged this way, pass a false as argument.
This method is for internal & debugging purposes only -
it may vanish. Don't use it, unless you know what you are doing.
-
maxOldSpace
-
return the maxOldSpace value. If non-zero, that's the limit for which the
VM will try hard to not allocate more oldSpace memory. (its not a hard limit)
If zero, it will allocate forever (until the OS won't hand out more).
The default is zero.
Usage example(s):
-
maxOldSpace: amount
-
set the maxOldSpace value. If non-zero, that's the limit for which the
VM will try hard to not allocate more oldSpace memory. (its not a hard limit)
If zero, it will allocate forever (until the OS wont hand out more).
The default is zero.
WARNING:
an oldSpace limit may lead to trashing due to exorbitant GC activity;
its usually better to let it allocate more and page in/page out.
Usually, the background GC will catch up sooner or later and reclaim
the memory without blocking the system
Usage example(s):
to change maximum to 1GByte:
ObjectMemory maxOldSpace:1024*1024*1024
|
-
moreOldSpace: howMuch
-
allocate howMuch bytes more for old objects; return true if this worked,
false if that failed.
This is done automatically, when running out of space, but makes
sense, if it's known in advance that a lot of memory is needed to
avoid multiple reallocations and compresses.
On systems which do not support the mmap (or equivalent) system call,
this (currently) implies a compressing garbage collect - so its slow.
Notice: this is a nonstandard interface - use only in special situations.
Usage example(s):
ObjectMemory moreOldSpace:1000000
|
-
moreOldSpaceIfUseful
-
to be called after an incremental GC cycle;
if freeSpace is still below limit, allocate more oldSpace
-
newSpaceSize: newSize
-
change the size of the newSpace. To do this, the current contents
of the newSpace may have to be tenured (if size is smaller).
Returns false, if it failed for any reason.
Experimental: this interface may valish without notice.
DANGER ALERT:
be careful too big of a size may lead to longer scavenge pauses.
Too small of a newSpace may lead to more CPU overhead, due to
excessive scavenges. You have been warned.
Usage example(s):
less absolute CPU overhead (but longer pauses):
ObjectMemory newSpaceSize:1600*1024
|
Usage example(s):
smaller pauses, but more overall CPU overhead:
ObjectMemory newSpaceSize:200*1024
|
Usage example(s):
the default:
ObjectMemory newSpaceSize:800*1024
|
-
oldSpaceCompressLimit
-
return the limit for oldSpace compression. If more memory than this
limit is in use, the system will not perform compresses on the oldspace,
but instead do a mark&sweep GC followed by an oldSpace increase if not enough
could be reclaimed. The default is currently some 8Mb, which is ok for workstations
with 16..32Mb of physical memory. If your system has much more physical RAM,
you may want to increase this limit.
Usage example(s):
ObjectMemory oldSpaceCompressLimit
|
-
oldSpaceCompressLimit: amount
-
set the limit for oldSpace compression. If more memory than this
limit is in use, the system will not perform compresses on the oldspace,
but instead do a mark&sweep GC followed by an oldSpace increase if not enough
could be reclaimed. The default is currently some 8Mb, which is ok for workstations
with 16..32Mb of physical memory. If your system has much more physical RAM,
you may want to increase this limit.
This method returns the previous increment value.
Usage example(s):
ObjectMemory oldSpaceCompressLimit:12*1024*1024
|
-
oldSpaceIncrement
-
return the oldSpaceIncrement value. That's the amount by which
more memory is allocated in case the oldSpace gets filled up.
In normal situations, the default value used in the VM is fine
and there is no need to change it.
Usage example(s):
ObjectMemory oldSpaceIncrement
|
-
oldSpaceIncrement: amount
-
set the oldSpaceIncrement value. That's the amount by which
more memory is allocated in case the oldSpace gets filled up.
In normal situations, the default value used in the VM is fine
and there is no need to change it. This method returns the
previous increment value.
Usage example(s):
ObjectMemory oldSpaceIncrement:1024*1024
|
-
preventTenureOf: anObject
-
set the age of anObject to the never-tenure special age.
This prevents the object from ever going out of the new space,
and if used without care may lead to a filling of the newspace to a point,
where the system becomes inoperable.
Therefore it should only be used in very special situations.
One such situation may be to ensure that an object is finalized early by the next
scavenge, and not by a (possibly late) old space collect.
To undo this setup (i.e. to allow the object to tenure again), set its age back to
any value with the setAgeOf:to: message.
If the object is already old, this call has no effect.
WARNING: this method is for ST/X experts only
it is dangerous, should be used with care
and it may be removed without notice
Usage example(s):
|p|
p := Point new.
Transcript showCR:(ObjectMemory preventTenureOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenure.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenure.
ObjectMemory tenure.
ObjectMemory tenure.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory setAgeOf:p to:30.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenure.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenure.
Transcript showCR:(ObjectMemory ageOf:p).
|
-
setAgeOf: anObject to: newAge
-
change the age of anObject.
This counts the number of scavenges that an object has survived in new space.
If it is set to 0, this makes GC think, that the object is just created, and it will
remain in eden for a longer time.
If it is set to a big number (say > 32), GC will think that it is old, and tenure it
with the next collect into old space. This later operation will get the object out of the way,
if it is well-known, that it will survive for a very long time.
For old space objects, this is a no-op.
WARNING: this method is for ST/X debugging only
it may be removed without notice
Usage example(s):
|p|
p := Point new.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory setAgeOf:p to:0.
Transcript showCR:(ObjectMemory ageOf:p).
ObjectMemory tenuringScavenge.
Transcript showCR:(ObjectMemory ageOf:p).
|
-
tenureParameters: magic
-
this is pure magic and not for public eyes ...
This method allows fine tuning the scavenger internals,
in cooperation to some statistic & test programs.
It is undocumented, secret and may vanish.
If you play around here, the system may behave very strange.
-
turnGarbageCollectorOff
-
turn off the generational garbage collector by forcing new objects to be
allocated directly in oldSpace (instead of newSpace)
WARNING:
This is somewhat dangerous: if collector is turned off,
and too many objects are created, the system may run into trouble
(i.e. oldSpace becomes full) and be forced to perform a full mark&sweep
or even a compressing collect - making the overall realtime behavior worse.
Use this only for special purposes or when realtime behavior
is required for a limited time period.
OBSOLETE: this is no longer supported
- it may be a no-operation by the time you read this.
-
turnGarbageCollectorOn
-
turn garbage collector on again (see ObjectMemory>>turnGarbageCollectorOff)
-
watchTenure: flag
-
set/clear the tenureWatch. If set, an internalError exception will be raised,
whenever objects are tenured from newSpace into oldSpace
(except for an explicit tenure request).
This can be used to validate that no oldSpace objects are created
(i.e. the system operates fully in newSpace).
Be careful, if the avoidTenure flag is not set,
there will almost always be a tenure sooner or later.
EXPERIMENTAL - no warranty
garbage collector settings
-
restoreGarbageCollectorSettings
-
restore the saved garbage collector settings
-
saveGarbageCollectorSetting: aSymbol value: something
-
save some garbage collector setting, which is stored only in the VM,
to be restored on snapshot return
initialization
-
initialize
-
initialize the class
interrupt handler access
-
childSignalInterruptHandler
-
return the handler for UNIX-death-of-a-childprocess-signal interrupts
-
childSignalInterruptHandler: aHandler
-
set the handler for UNIX-death-of-a-childprocess-signal interrupts
-
customInterruptHandler
-
return the handler for custom interrupts
-
customInterruptHandler: aHandler
-
set the handler for custom interrupts
-
disposeInterruptHandler
-
return the handler for object disposal interrupts
-
disposeInterruptHandler: aHandler
-
set the handler for object disposal interrupts
-
errorInterruptHandler
-
return the handler for display error interrupts
-
errorInterruptHandler: aHandler
-
set the handler for display error interrupts
-
exceptionInterruptHandler
-
return the handler for floating point exception interrupts
-
internalErrorHandler
-
return the handler for ST/X internal errors.
An internal error is reported for example when a methods
bytecode is not a ByteArray, the selector table is not an Array
etc.
Those should not occur in normal circumstances.
-
ioInterruptHandler
-
return the handler for I/O available signal interrupts (SIGIO/SIGPOLL)
-
ioInterruptHandler: aHandler
-
set the handler for I/O available signal interrupts (SIGIO/SIGPOLL)
-
recursionInterruptHandler
-
return the handler for recursion/stack overflow interrupts
-
recursionInterruptHandler: aHandler
-
set the handler for recursion/stack overflow interrupts
-
registerErrorInterruptHandler: aHandler forID: errorIDSymbol
-
register a handler
-
registeredErrorInterruptHandlers
-
return registered handlers
-
signalInterruptHandler
-
return the handler for UNIX-signal interrupts
-
signalInterruptHandler: aHandler
-
set the handler for UNIX-signal interrupts
-
spyInterruptHandler
-
return the handler for spy-timer interrupts
-
spyInterruptHandler: aHandler
-
set the handler for spy-timer interrupts
-
stepInterruptHandler
-
return the handler for single step interrupts
-
stepInterruptHandler: aHandler
-
set the handler for single step interrupts
-
timerInterruptHandler
-
return the handler for timer interrupts
-
timerInterruptHandler: aHandler
-
set the handler for timer interrupts
-
userInterruptHandler
-
return the handler for CNTL-C interrupt handling
-
userInterruptHandler: aHandler
-
set the handler for CNTL-C interrupt handling
interrupt statistics
-
interruptLatency: ms receiver: rec class: cls selector: sel vmActivity: vmActivity id: pid
-
example implementation of latencyTime monitoring:
This method simply measures the max-latency time.
You may want to use some other handler (see #interruptLatencyMonitor:)
and extract more information (blocking context).
DEMO Example.
-
interruptLatencyGoal: millis
-
setup to report an error message, whenever a realtime goal could not be
met due to blocked interrupts or long primitives or GC activity.
An argument of nil clears the check.
DEMO Example.
Usage example(s):
ObjectMemory interruptLatencyGoal:50
|
-
interruptLatencyMonitor
-
return the interrupt-latency-monitor if any.
See comment in #interruptLatencyMonitor:.
This is a non-standard debugging/realtime instrumentation entry.
-
interruptLatencyMonitor: aHandler
-
set the interrupt latency monitor. If non-nil, this one will be sent
an interruptLatency: message with the millisecond delay between
the interrupt and its handling.
This is a non-standard debugging/realtime instrumentation entry.
-
maxInterruptLatency
-
return the maximum accumulated interrupt latency in millis.
DEMO Example.
-
resetMaxInterruptLatency
-
reset the maximum accumulated interrupt latency probe time.
DEMO Example.
just in time compilation
-
byteCodeSizeLimitForDynamicCompilation: aNumber
-
set a limit on a methods number of byteCodes.
Compilation of a method into machine code is aborted,
if it's bytecode size is larger than the given number.
This is only useful, if large methods have a smaller
chance of being evaluated often (which may not be true).
The predefined limit is some 4k (which seems to be ok).
Usage example(s):
ObjectMemory byteCodeSizeLimitForDynamicCompilation:nil
ObjectMemory byteCodeSizeLimitForDynamicCompilation:8000
|
-
codeForCPU: aCPUSymbol
-
instruct the just in time compiler that some specific CPU
is present (forcing it to generate code for that).
The default is set correct for the architecture, and the
runTime system tries to figure out the cpu - but who knows ...
The valid symbols depend on the architecture:
i386: #i486 / #i586 (affects code ordering)
sparc: #sparcV8 / #sparcV8 (affects instruction set)
mips: #rs2000 / #rs4000 (affects delay slot generation)
This method returns the current setting; a nil arg will not change
the setting (but only return the current).
This is a nonstandard entry and may be removed without notice -
not for the general user.
Usage example(s):
ObjectMemory codeForCPU:nil
ObjectMemory codeForCPU:#i486
ObjectMemory codeForCPU:#i586
|
-
codeSizeLimitForDynamicCompilation: aNumber
-
set a limit on the resulting dynamic generates code
size. Compilation of a method into machine code is aborted,
if the resulting code is larger than the given number of
bytes. This is only useful, if large methods have a smaller
chance of being evaluated often (which may not be true).
The predefined limit is some 4k (which seems to be ok).
Usage example(s):
ObjectMemory codeSizeLimitForDynamicCompilation:nil
ObjectMemory codeSizeLimitForDynamicCompilation:8000
|
-
compiledCodeCounter
-
return the number of additional code-bytes which
were generated since the counter was last reset
Usage example(s):
ObjectMemory compiledCodeCounter
|
-
compiledCodeSpaceUsed
-
return the actual number of bytes used for compiled code
Usage example(s):
ObjectMemory compiledCodeSpaceUsed
|
-
fullSingleStepSupport
-
return the setting of the full single step support flag
Usage example(s):
ObjectMemory fullSingleStepSupport
|
-
fullSingleStepSupport: aBoolean
-
enable/disable full single step support for the just-in-time-compiled code.
If off, things like simple increment/decrement, additions and variable-
stores are not steppable, but treated like atomar invisible operations.
If on, single step halts at those operations.
Execution is a bit slower if enabled.
Usage example(s):
ObjectMemory fullSingleStepSupport:true
ObjectMemory fullSingleStepSupport:false
|
-
getCompiledCodeLimit
-
get the codeLimit from the VM
-
insnSizeLimitForDynamicCompilation: aNumber
-
set a limit on a methods number of internal insns.
Compilation of a method into machine code is aborted,
if during compilation, more than the given number of
internal insns are generated.
The limit controls the amount of dynamic memory allocated
during compilation and may be changed for small-memory
systems.
The predefined limit is some 4k (which seems to be ok).
Usage example(s):
ObjectMemory insnSizeLimitForDynamicCompilation:nil
ObjectMemory insnSizeLimitForDynamicCompilation:8000
|
-
javaJustInTimeCompilation
-
return the value of the java-just-in-time-compilation flag
Usage example(s):
ObjectMemory javaJustInTimeCompilation
|
-
javaJustInTimeCompilation: aBoolean
-
enable/disable java just-in-time-compilation.
Usage example(s):
ObjectMemory javaJustInTimeCompilation:true
ObjectMemory javaJustInTimeCompilation:false
|
-
javaNativeCodeOptimization
-
return the value of the java-native-code-optimization flag
Usage example(s):
ObjectMemory javaNativeCodeOptimization
|
-
javaNativeCodeOptimization: aBoolean
-
enable/disable java native code-optimization.
Usage example(s):
ObjectMemory javaNativeCodeOptimization:true
ObjectMemory javaNativeCodeOptimization:false
|
-
justInTimeCompilation
-
return the value of the just-in-time-compilation flag
Usage example(s):
ObjectMemory justInTimeCompilation
|
-
justInTimeCompilation: aBoolean
-
enable/disable just-in-time-compilation.
Usage example(s):
ObjectMemory justInTimeCompilation:true
ObjectMemory justInTimeCompilation:false
|
-
optimizeContexts
-
return the setting of the optimize contexts flag
Usage example(s):
ObjectMemory optimizeContexts
|
-
optimizeContexts: aBoolean
-
enable/disable restartable contexts for the just-in-time-compiled code.
If off, contexts that does not contain blocks are not restartable.
Execution is a bit slower if enabled.
Usage example(s):
ObjectMemory optimizeContexts:true
ObjectMemory optimizeContexts:false
|
-
reEnableJustInTimeCompilation
-
to be called after a snapshot restart; if justInTimeCompiler
was enabled before, do it again.
For now, this is not done automatically, to allow restarting
a system with the dynamic compiler turned off (its still experimental).
Therefore, this reenabling is done in the smalltalk_r.rc file.
-
resetCompiledCodeCounter
-
reset the counter of additional code-bytes
Usage example(s):
ObjectMemory resetCompiledCodeCounter
|
-
setCompiledCodeLimit: newLimit
-
set the VM's limit
-
supportsJustInTimeCompilation
-
return true, if this system supports just-in-time-compilation of
bytecode to machine code. Don't confuse this with stc-compilation.
Usage example(s):
ObjectMemory supportsJustInTimeCompilation
|
low memory handling
-
allocationFailed
-
memory allocation has failed in the VM
This is triggered by the runtime system (or possibly by
a user primitive)
-
memoryInterrupt
-
when a low-memory condition arises, ask all classes to
remove possibly cached data. You may help the system a bit,
in providing a lowSpaceCleanup method in your classes which have
lots of data kept somewhere (usually, cached data).
- this may or may not help.
-
performLowSpaceCleanup
-
ask all classes to remove possibly cached data.
You may help the system a bit, in providing a lowSpaceCleanup method
in your classes which have lots of data kept somewhere (usually, cached data).
Notice: it may never hurt to call lowSpaceCleanup (i.e. the data must always be
reconstructable)
Usage example(s):
ObjectMemory performLowSpaceCleanup
|
object finalization
-
allChangedShadowObjectsDo: aBlock
-
evaluate the argument, aBlock for all known shadow objects which have
lost a pointer recently.
-
backgroundFinalizationProcess
-
return the backgroundFinalizationProcess (or nil, if noone is running)
-
disposeInterrupt
-
this is triggered by the garbage collector,
whenever any shadowArray looses a pointer.
-
finalize
-
tell all weak objects that something happened.
-
startBackgroundFinalizationAt: aPriority
-
start a process doing finalization work in the background.
Can be used to reduce the pauses created by finalization.
Normally, these pauses are not noticed; however if you have (say)
ten thousands of weak objects, these could become long enough to
make background finalization useful.
WARNING: background finalization may lead to much delayed freeing of
system resources. Especially, you may temporarily run out of free
color table entries or fileDescriptors etc. Use at your own risk (if at all)
Usage example(s):
ObjectMemory stopBackgroundFinalization.
ObjectMemory startBackgroundFinalizationAt:5
|
-
stopBackgroundFinalization
-
stop the background finalizer
Usage example(s):
ObjectMemory stopBackgroundFinalization
|
physical memory access
-
collectedOldSpacePagesDo: aBlock
-
evaluates aBlock for all pages in the prev. oldSpace,
passing the page's address as argument.
For internal & debugging use only.
-
newSpacePagesDo: aBlock
-
evaluates aBlock for all pages in the newSpace,
passing the page's address as argument.
For internal & debugging use only.
-
oldSpacePagesDo: aBlock
-
evaluates aBlock for all pages in the oldSpace,
passing the page's address as argument.
For internal & debugging use only.
-
pageIsInCore: aPageNumber
-
return true, if the page (as enumerated via oldSpacePagesDo:)
is in memory; false, if currently paged out. For internal
use / monitors only; may vanish.
NOTICE: not all systems provide this information; on those that
do not, true is returned for all pages.
queries
-
bytesUsed
-
return the number of bytes allocated for objects -
this number is not exact, since some objects may already be dead
(i.e. not yet reclaimed by the garbage collector).
If you need the exact number, you have to loop over all
objects and ask for the bytesize using ObjectMemory>>sizeOf:.
Usage example(s):
-
collectObjectsWhich: aBlock
-
helper for the whoReferences queries. Returns a collection
of objects for which aBlock returns true.
-
collectedOldSpaceAddress
-
self collectedOldSpaceAddress
-
fixSpaceAddress
-
self fixSpaceAddress hexPrintString => '1FFE0000'
self fixSpaceSize hexPrintString => ''C000''
-
fixSpaceSize
-
return the total size of the fix space.
Usage example(s):
ObjectMemory fixSpaceSize
|
-
fixSpaceUsed
-
return the number of bytes allocated for old objects in fix space.
Usage example(s):
ObjectMemory fixSpaceUsed
|
-
freeListSpace
-
return the number of bytes in the free lists.
(which is included in oldSpaceUsed)
Usage example(s):
ObjectMemory freeListSpace
|
-
freeSpace
-
return the number of bytes in the compact free area.
(oldSpaceUsed + freeSpaceSize = oldSpaceSize)
Usage example(s):
-
garbageCollectCount
-
return the number of compressing collects that occurred since startup
Usage example(s):
ObjectMemory garbageCollectCount
|
-
incrementalGCCount
-
return the number of incremental collects that occurred since startup
Usage example(s):
ObjectMemory incrementalGCCount
|
-
incrementalGCPhase
-
returns the internal state of the incremental GC.
The meaning of those numbers is a secret :-).
(for the curious: (currently)
2 is idle, 3..11 are various mark phases,
12 is the sweep phase. 0 and 1 are cleanup phases when the
incr. GC gets interrupted by a full GC).
Do not depend on the values - there may be additional phases in
future versions (incremental compact ;-).
This is for debugging and monitoring only - and may change or vanish
-
incrementalGCPhaseSymbolic
-
returns the internal state of the incremental GC
in a symbolic form.
(for the curious: (currently)
2 is idle, 3..11 are various mark phases,
12 is the sweep phase. 0 and 1 are cleanup phases when the
incr. GC gets interrupted by a full GC).
Do not depend on the values - there may be additional phases in
future versions (incremental compact ;-).
This is for debugging and monitoring only - and may change or vanish
-
isSchteamEngine
-
is this Smalltalk/X system running under the new Schteam engine?
-
lastScavengeReclamation
-
returns the number of bytes replacimed by the last scavenge.
For statistic only - this may vanish.
Usage example(s):
percentage of reclaimed objects is returned by:
((ObjectMemory lastScavengeReclamation)
/ (ObjectMemory newSpaceSize)) * 100.0
|
-
lifoRememberedSet
-
return the lifoRemSet.
This is pure VM debugging and will vanish without notice.
Usage example(s):
ObjectMemory lifoRememberedSet
|
-
lifoRememberedSetSize
-
return the size of the lifoRemSet.
This is a VM debugging interface and may vanish without notice.
Usage example(s):
ObjectMemory lifoRememberedSetSize
|
-
mallocAllocated
-
return the number of bytes allocated (and used) by malloc.
Usage example(s):
ObjectMemory mallocAllocated
|
-
mallocTotal
-
return the number of bytes reserved by malloc (may not have been used yet).
Usage example(s):
-
markAndSweepCount
-
return the number of mark&sweep collects that occurred since startup
Usage example(s):
ObjectMemory markAndSweepCount
|
-
maximumIdentityHashValue
-
for ST-80 compatibility: return the maximum value
a hashKey as returned by identityHash can get.
Since ST/X uses direct pointers, a field in the objectHeader
is used, which is currently 11 bits in size.
Usage example(s):
ObjectMemory maximumIdentityHashValue
|
-
minScavengeReclamation
-
returns the number of bytes replaimed by the least effective scavenge.
For statistic only - this may vanish.
Usage example(s):
ObjectMemory minScavengeReclamation
|
-
newSpaceSize
-
return the total size of the new space - this is usually fix
Usage example(s):
ObjectMemory newSpaceSize
|
-
newSpaceUsed
-
return the number of bytes allocated for new objects.
The returned value is usually obsolete as soon as you do
something with it ...
Usage example(s):
ObjectMemory newSpaceUsed
|
-
numberOfObjects
-
return the number of objects in the system.
Usage example(s):
ObjectMemory numberOfObjects
|
-
numberOfWeakObjects
-
return the number of weak objects in the system
Usage example(s):
ObjectMemory numberOfWeakObjects
|
-
oldSpaceAddress
-
self oldSpaceAddress
-
oldSpaceAllocatedSinceLastGC
-
return the number of bytes allocated for old objects since the
last oldspace garbage collect occurred. This information is used
by ProcessorScheduler to decide when to start the incremental
background GC.
Usage example(s):
ObjectMemory oldSpaceAllocatedSinceLastGC
|
-
oldSpaceSize
-
return the total size of the old space. - may grow slowly
Usage example(s):
ObjectMemory oldSpaceSize
|
-
oldSpaceUsed
-
return the number of bytes allocated for old objects.
(This includes the free lists)
Usage example(s):
ObjectMemory oldSpaceUsed
|
-
rememberedSetSize
-
return the number of old objects referencing new ones.
This is a VM debugging interface and may vanish without notice.
Usage example(s):
ObjectMemory rememberedSetSize
|
-
resetMinScavengeReclamation
-
resets the number of bytes replacimed by the least effective scavenge.
For statistic only - this may vanish.
Usage example(s):
ObjectMemory resetMinScavengeReclamation.
ObjectMemory minScavengeReclamation
|
-
runsSingleOldSpace
-
return true, if the system runs in a single oldSpace or
false if not.
The memory system will always drop the second semispace when
running out of virtual memory, or the baker-limit is reached.
OBSOLETE:
the system may now decide at any time to switch between
single and double-space algorithms, depending on the overall memory
size. You will now almost always get true as result, since the
second semispace is only allocated when needed, and released
immediately afterwards.
Usage example(s):
ObjectMemory runsSingleOldSpace
|
-
scavengeCount
-
return the number of scavenges that occurred since startup
Usage example(s):
ObjectMemory scavengeCount
|
-
symSpaceAddress
-
self symSpaceAddress hexPrintString => '20000000'
self symSpaceSize hexPrintString => '600000'
-
symSpaceSize
-
return the total size of the sym space.
Usage example(s):
ObjectMemory symSpaceSize
|
-
symSpaceUsed
-
return the number of bytes allocated for old objects in sym space.
Usage example(s):
ObjectMemory symSpaceUsed
|
-
tenureAge
-
return the current tenure age - that's the number of times
an object has to survive scavenges to be moved into oldSpace.
For statistic/debugging only - this method may vanish
-
vmSymbols
-
return a collection of symbols used by the VM
-
whoReferences: anObject
-
return a collection of objects referencing the argument, anObject
Usage example(s):
(ObjectMemory whoReferences:Transcript) printCR
|
-
whoReferencesAny: aCollection
-
return a collection of objects referencing any object from
the argument, aCollection
Usage example(s):
ObjectMemory whoReferencesAny:(Array with:Transcript with:Smalltalk)
|
-
whoReferencesDerivedInstancesOf: aClass
-
return a collection of objects refering to instances
of the argument, aClass or a subclass of it.
Usage example(s):
(ObjectMemory whoReferencesDerivedInstancesOf:View) printCR
|
-
whoReferencesInstancesOf: aClass
-
return a collection of objects refering to instances
of the argument, aClass
Usage example(s):
(ObjectMemory whoReferencesInstancesOf:SystemBrowser) printCR
|
semaphore access
-
lowSpaceSemaphore
-
return the semaphore that is signalled when the system detects a
low space condition. Usually, some time after this, an allocationFailure
will happen. You can have a cleanup process sitting in that semaphore and
start to release object.
statistics
-
ageStatistic
-
for ST/X developers only:
dump contents of newSpace with objects age information.
This method may be removed without notice
Usage example(s):
ObjectMemory ageStatistic
|
-
codeCacheInfo
-
for ST/X developers only:
dump contents of dynamic code cache LRU lists.
This method may be removed without notice
Usage example(s):
ObjectMemory codeCacheInfo do:[:item |
|n nMethods nBytes|
n := item at:1.
nMethods := item at:2.
nBytes := item at:3.
n isNil ifTrue:[
'>>' print
] ifFalse:[
(n printStringLeftPaddedTo:2) print.
].
' ' print.
(nMethods printStringLeftPaddedTo:4) print.
' ' print.
(nBytes printStringLeftPaddedTo:6) printCR.
]
|
-
mallocStatistics
-
for ST/X developers only:
dump statistics on malloc memory allocation (used, for example for ExternalBytes) on
the standard output. Dummy on some architectures, where the standard malloc is used (win32, for example).
This method may be removed without notice
Usage example(s):
ObjectMemory mallocStatistics
|
system configuration queries
-
allBinaryModulesDo: aBlock
-
internal private method - walk over all known binary
modules and evaluate aBlock for each entry.
Do not depend on the information returned for each - this may
change without notice.
Usage example(s):
|modules|
modules := OrderedCollection new.
self allBinaryModulesDo:[:idArg :nameArg :flagsArg :libName :timeStamp |
modules add:{idArg. nameArg. flagsArg. libName. timeStamp}.
].
modules
|
-
binaryModuleInfo
-
return a collection of moduleInfo entries.
This returns a dictionary (keys are internal moduleIDs)
with one entry for each binary package (module).
Usage example(s):
ObjectMemory binaryModuleInfo
|
-
getVMIdentificationStrings
-
return a collection of release strings giving information
about the running VM. This is for configuration management only.
Do not depend on the information returned - this may
change or vanish without notice.
Usage example(s):
ObjectMemory getVMIdentificationStrings
|
system management
-
directoryForImageAndChangeFile
-
the current directory is not a good idea, if stx is started via a desktop manager
Usage example(s):
self directoryForImageAndChangeFile
|
-
imageBaseName
-
return a reasonable filename to use as baseName (i.e. without extension).
This is the filename of the current image (without '.img') or,
if not running from an image, the default name 'st'
Usage example(s):
ObjectMemory imageBaseName
|
-
imageName
-
return the filename of the current image, or nil
if not running from an image.
Usage example(s):
-
imageSaveTime
-
return a timestamp for when the running image was saved.
Return nil if not running from an image.
-
initChangeFilename
-
make the changeFilePath an absolute one,
Usage example(s):
-
nameForChanges
-
return a reasonable filename string to store the changes into.
By default, this is the basename of the current image with '.img' replaced
by '.chg', or, if not running from an image, the default name 'st.chg'.
However, it can be overwritten via the nameForChanges: setter.
For now, this returns a string (for backward compatibility);
senders should be prepared to get a filename in the future.
Usage example(s):
ObjectMemory nameForChanges
|
-
nameForChanges: aFilename
-
set the name of the file where changes are stored into.
Usage example(s):
ObjectMemory nameForChanges:'myChanges'
|
-
nameForChangesLocal
-
return a reasonable filename to store the changes into.
-
nameForCrashImage
-
ObjectMemory nameForCrashImage
-
nameForSnapshot
-
return a reasonable filename to store the snapshot image into.
This is the filename of the current image or,
if not running from an image, the default name 'st.img'
Usage example(s):
ObjectMemory nameForSnapshot
|
-
nameForSnapshotLocal
-
return a reasonable filename to store the snapshot image into.
This is the filename of the current image or,
if not running from an image, the default name 'st.img'
-
nameForSources
-
return a reasonable filename to store the sources into.
This is the basename of the current image with '.img' replaced
by '.src', or, if not running from an image, the default name 'st.src'
Usage example(s):
ObjectMemory nameForSources
|
-
primSnapShotOn: aFilename
-
create a snapshot in the given file.
Low level entry. Does not notify classes or write an entry to
the changes file. Also, no image backup is created.
Returns true if the snapshot worked, false if it failed for some reason.
This method should not be used in normal cases.
-
refreshChangesFrom: oldChangesName
-
The snapshot image name has changed (snapshot saved),
the changes file must be copied to the new name.
No copy when the changes name is given explicitly.
-
snapShot
-
create a snapshot file containing all of the current state.
Usage example(s):
-
snapShotOn: aFileName
-
create a snapshot file containing all of the current state.
Usage example(s):
ObjectMemory snapShotOn:'myimage.img'
|
-
snapShotOn: aFileName setImageName: setImageName
-
create a snapshot in the given file.
If the file exists, save it for backup.
Return true if the snapshot worked, false if it failed for some reason.
Notify dependents before and after the snapshot operation.
If setImageName is true, the name of the current image is set and
a copy of the change file is created.
Usage example(s):
ObjectMemory snapShotOn:'myimage.img' setImageName:false
ObjectMemory snapShotOn:'myimage.img' setImageName:true
|
-
suffixForSnapshot
-
return the suffix used for snapshot files'
-
writeCrashImage
-
create a 'crash.img' snapshot file containing all of the current state.
Keep the current image name.
Usage example(s):
ObjectMemory writeCrashImage
|
BinaryModuleDescriptor
|