github.com/MangoDowner/go-gm@v0.0.0-20180818020936-8baa2bd4408c/src/runtime/mgcmark.go (about)

     1  // Copyright 2009 The Go Authors. All rights reserved.
     2  // Use of this source code is governed by a BSD-style
     3  // license that can be found in the LICENSE file.
     4  
     5  // Garbage collector: marking and scanning
     6  
     7  package runtime
     8  
     9  import (
    10  	"runtime/internal/atomic"
    11  	"runtime/internal/sys"
    12  	"unsafe"
    13  )
    14  
    15  const (
    16  	fixedRootFinalizers = iota
    17  	fixedRootFreeGStacks
    18  	fixedRootCount
    19  
    20  	// rootBlockBytes is the number of bytes to scan per data or
    21  	// BSS root.
    22  	rootBlockBytes = 256 << 10
    23  
    24  	// rootBlockSpans is the number of spans to scan per span
    25  	// root.
    26  	rootBlockSpans = 8 * 1024 // 64MB worth of spans
    27  
    28  	// maxObletBytes is the maximum bytes of an object to scan at
    29  	// once. Larger objects will be split up into "oblets" of at
    30  	// most this size. Since we can scan 1–2 MB/ms, 128 KB bounds
    31  	// scan preemption at ~100 µs.
    32  	//
    33  	// This must be > _MaxSmallSize so that the object base is the
    34  	// span base.
    35  	maxObletBytes = 128 << 10
    36  
    37  	// idleCheckThreshold specifies how many units of work to do
    38  	// between run queue checks in an idle worker. Assuming a scan
    39  	// rate of 1 MB/ms, this is ~100 µs. Lower values have higher
    40  	// overhead in the scan loop (the scheduler check may perform
    41  	// a syscall, so its overhead is nontrivial). Higher values
    42  	// make the system less responsive to incoming work.
    43  	idleCheckThreshold = 100000
    44  )
    45  
    46  // gcMarkRootPrepare queues root scanning jobs (stacks, globals, and
    47  // some miscellany) and initializes scanning-related state.
    48  //
    49  // The caller must have call gcCopySpans().
    50  //
    51  // The world must be stopped.
    52  //
    53  //go:nowritebarrier
    54  func gcMarkRootPrepare() {
    55  	if gcphase == _GCmarktermination {
    56  		work.nFlushCacheRoots = int(gomaxprocs)
    57  	} else {
    58  		work.nFlushCacheRoots = 0
    59  	}
    60  
    61  	// Compute how many data and BSS root blocks there are.
    62  	nBlocks := func(bytes uintptr) int {
    63  		return int((bytes + rootBlockBytes - 1) / rootBlockBytes)
    64  	}
    65  
    66  	work.nDataRoots = 0
    67  	work.nBSSRoots = 0
    68  
    69  	// Only scan globals once per cycle; preferably concurrently.
    70  	if !work.markrootDone {
    71  		for _, datap := range activeModules() {
    72  			nDataRoots := nBlocks(datap.edata - datap.data)
    73  			if nDataRoots > work.nDataRoots {
    74  				work.nDataRoots = nDataRoots
    75  			}
    76  		}
    77  
    78  		for _, datap := range activeModules() {
    79  			nBSSRoots := nBlocks(datap.ebss - datap.bss)
    80  			if nBSSRoots > work.nBSSRoots {
    81  				work.nBSSRoots = nBSSRoots
    82  			}
    83  		}
    84  	}
    85  
    86  	if !work.markrootDone {
    87  		// On the first markroot, we need to scan span roots.
    88  		// In concurrent GC, this happens during concurrent
    89  		// mark and we depend on addfinalizer to ensure the
    90  		// above invariants for objects that get finalizers
    91  		// after concurrent mark. In STW GC, this will happen
    92  		// during mark termination.
    93  		//
    94  		// We're only interested in scanning the in-use spans,
    95  		// which will all be swept at this point. More spans
    96  		// may be added to this list during concurrent GC, but
    97  		// we only care about spans that were allocated before
    98  		// this mark phase.
    99  		work.nSpanRoots = mheap_.sweepSpans[mheap_.sweepgen/2%2].numBlocks()
   100  
   101  		// On the first markroot, we need to scan all Gs. Gs
   102  		// may be created after this point, but it's okay that
   103  		// we ignore them because they begin life without any
   104  		// roots, so there's nothing to scan, and any roots
   105  		// they create during the concurrent phase will be
   106  		// scanned during mark termination. During mark
   107  		// termination, allglen isn't changing, so we'll scan
   108  		// all Gs.
   109  		work.nStackRoots = int(atomic.Loaduintptr(&allglen))
   110  	} else {
   111  		// We've already scanned span roots and kept the scan
   112  		// up-to-date during concurrent mark.
   113  		work.nSpanRoots = 0
   114  
   115  		// The hybrid barrier ensures that stacks can't
   116  		// contain pointers to unmarked objects, so on the
   117  		// second markroot, there's no need to scan stacks.
   118  		work.nStackRoots = 0
   119  
   120  		if debug.gcrescanstacks > 0 {
   121  			// Scan stacks anyway for debugging.
   122  			work.nStackRoots = int(atomic.Loaduintptr(&allglen))
   123  		}
   124  	}
   125  
   126  	work.markrootNext = 0
   127  	work.markrootJobs = uint32(fixedRootCount + work.nFlushCacheRoots + work.nDataRoots + work.nBSSRoots + work.nSpanRoots + work.nStackRoots)
   128  }
   129  
   130  // gcMarkRootCheck checks that all roots have been scanned. It is
   131  // purely for debugging.
   132  func gcMarkRootCheck() {
   133  	if work.markrootNext < work.markrootJobs {
   134  		print(work.markrootNext, " of ", work.markrootJobs, " markroot jobs done\n")
   135  		throw("left over markroot jobs")
   136  	}
   137  
   138  	lock(&allglock)
   139  	// Check that stacks have been scanned.
   140  	var gp *g
   141  	if gcphase == _GCmarktermination && debug.gcrescanstacks > 0 {
   142  		for i := 0; i < len(allgs); i++ {
   143  			gp = allgs[i]
   144  			if !(gp.gcscandone && gp.gcscanvalid) && readgstatus(gp) != _Gdead {
   145  				goto fail
   146  			}
   147  		}
   148  	} else {
   149  		for i := 0; i < work.nStackRoots; i++ {
   150  			gp = allgs[i]
   151  			if !gp.gcscandone {
   152  				goto fail
   153  			}
   154  		}
   155  	}
   156  	unlock(&allglock)
   157  	return
   158  
   159  fail:
   160  	println("gp", gp, "goid", gp.goid,
   161  		"status", readgstatus(gp),
   162  		"gcscandone", gp.gcscandone,
   163  		"gcscanvalid", gp.gcscanvalid)
   164  	unlock(&allglock) // Avoid self-deadlock with traceback.
   165  	throw("scan missed a g")
   166  }
   167  
   168  // ptrmask for an allocation containing a single pointer.
   169  var oneptrmask = [...]uint8{1}
   170  
   171  // markroot scans the i'th root.
   172  //
   173  // Preemption must be disabled (because this uses a gcWork).
   174  //
   175  // nowritebarrier is only advisory here.
   176  //
   177  //go:nowritebarrier
   178  func markroot(gcw *gcWork, i uint32) {
   179  	// TODO(austin): This is a bit ridiculous. Compute and store
   180  	// the bases in gcMarkRootPrepare instead of the counts.
   181  	baseFlushCache := uint32(fixedRootCount)
   182  	baseData := baseFlushCache + uint32(work.nFlushCacheRoots)
   183  	baseBSS := baseData + uint32(work.nDataRoots)
   184  	baseSpans := baseBSS + uint32(work.nBSSRoots)
   185  	baseStacks := baseSpans + uint32(work.nSpanRoots)
   186  	end := baseStacks + uint32(work.nStackRoots)
   187  
   188  	// Note: if you add a case here, please also update heapdump.go:dumproots.
   189  	switch {
   190  	case baseFlushCache <= i && i < baseData:
   191  		flushmcache(int(i - baseFlushCache))
   192  
   193  	case baseData <= i && i < baseBSS:
   194  		for _, datap := range activeModules() {
   195  			markrootBlock(datap.data, datap.edata-datap.data, datap.gcdatamask.bytedata, gcw, int(i-baseData))
   196  		}
   197  
   198  	case baseBSS <= i && i < baseSpans:
   199  		for _, datap := range activeModules() {
   200  			markrootBlock(datap.bss, datap.ebss-datap.bss, datap.gcbssmask.bytedata, gcw, int(i-baseBSS))
   201  		}
   202  
   203  	case i == fixedRootFinalizers:
   204  		// Only do this once per GC cycle since we don't call
   205  		// queuefinalizer during marking.
   206  		if work.markrootDone {
   207  			break
   208  		}
   209  		for fb := allfin; fb != nil; fb = fb.alllink {
   210  			cnt := uintptr(atomic.Load(&fb.cnt))
   211  			scanblock(uintptr(unsafe.Pointer(&fb.fin[0])), cnt*unsafe.Sizeof(fb.fin[0]), &finptrmask[0], gcw)
   212  		}
   213  
   214  	case i == fixedRootFreeGStacks:
   215  		// Only do this once per GC cycle; preferably
   216  		// concurrently.
   217  		if !work.markrootDone {
   218  			// Switch to the system stack so we can call
   219  			// stackfree.
   220  			systemstack(markrootFreeGStacks)
   221  		}
   222  
   223  	case baseSpans <= i && i < baseStacks:
   224  		// mark MSpan.specials
   225  		markrootSpans(gcw, int(i-baseSpans))
   226  
   227  	default:
   228  		// the rest is scanning goroutine stacks
   229  		var gp *g
   230  		if baseStacks <= i && i < end {
   231  			gp = allgs[i-baseStacks]
   232  		} else {
   233  			throw("markroot: bad index")
   234  		}
   235  
   236  		// remember when we've first observed the G blocked
   237  		// needed only to output in traceback
   238  		status := readgstatus(gp) // We are not in a scan state
   239  		if (status == _Gwaiting || status == _Gsyscall) && gp.waitsince == 0 {
   240  			gp.waitsince = work.tstart
   241  		}
   242  
   243  		// scang must be done on the system stack in case
   244  		// we're trying to scan our own stack.
   245  		systemstack(func() {
   246  			// If this is a self-scan, put the user G in
   247  			// _Gwaiting to prevent self-deadlock. It may
   248  			// already be in _Gwaiting if this is a mark
   249  			// worker or we're in mark termination.
   250  			userG := getg().m.curg
   251  			selfScan := gp == userG && readgstatus(userG) == _Grunning
   252  			if selfScan {
   253  				casgstatus(userG, _Grunning, _Gwaiting)
   254  				userG.waitreason = "garbage collection scan"
   255  			}
   256  
   257  			// TODO: scang blocks until gp's stack has
   258  			// been scanned, which may take a while for
   259  			// running goroutines. Consider doing this in
   260  			// two phases where the first is non-blocking:
   261  			// we scan the stacks we can and ask running
   262  			// goroutines to scan themselves; and the
   263  			// second blocks.
   264  			scang(gp, gcw)
   265  
   266  			if selfScan {
   267  				casgstatus(userG, _Gwaiting, _Grunning)
   268  			}
   269  		})
   270  	}
   271  }
   272  
   273  // markrootBlock scans the shard'th shard of the block of memory [b0,
   274  // b0+n0), with the given pointer mask.
   275  //
   276  //go:nowritebarrier
   277  func markrootBlock(b0, n0 uintptr, ptrmask0 *uint8, gcw *gcWork, shard int) {
   278  	if rootBlockBytes%(8*sys.PtrSize) != 0 {
   279  		// This is necessary to pick byte offsets in ptrmask0.
   280  		throw("rootBlockBytes must be a multiple of 8*ptrSize")
   281  	}
   282  
   283  	b := b0 + uintptr(shard)*rootBlockBytes
   284  	if b >= b0+n0 {
   285  		return
   286  	}
   287  	ptrmask := (*uint8)(add(unsafe.Pointer(ptrmask0), uintptr(shard)*(rootBlockBytes/(8*sys.PtrSize))))
   288  	n := uintptr(rootBlockBytes)
   289  	if b+n > b0+n0 {
   290  		n = b0 + n0 - b
   291  	}
   292  
   293  	// Scan this shard.
   294  	scanblock(b, n, ptrmask, gcw)
   295  }
   296  
   297  // markrootFreeGStacks frees stacks of dead Gs.
   298  //
   299  // This does not free stacks of dead Gs cached on Ps, but having a few
   300  // cached stacks around isn't a problem.
   301  //
   302  //TODO go:nowritebarrier
   303  func markrootFreeGStacks() {
   304  	// Take list of dead Gs with stacks.
   305  	lock(&sched.gflock)
   306  	list := sched.gfreeStack
   307  	sched.gfreeStack = nil
   308  	unlock(&sched.gflock)
   309  	if list == nil {
   310  		return
   311  	}
   312  
   313  	// Free stacks.
   314  	tail := list
   315  	for gp := list; gp != nil; gp = gp.schedlink.ptr() {
   316  		shrinkstack(gp)
   317  		tail = gp
   318  	}
   319  
   320  	// Put Gs back on the free list.
   321  	lock(&sched.gflock)
   322  	tail.schedlink.set(sched.gfreeNoStack)
   323  	sched.gfreeNoStack = list
   324  	unlock(&sched.gflock)
   325  }
   326  
   327  // markrootSpans marks roots for one shard of work.spans.
   328  //
   329  //go:nowritebarrier
   330  func markrootSpans(gcw *gcWork, shard int) {
   331  	// Objects with finalizers have two GC-related invariants:
   332  	//
   333  	// 1) Everything reachable from the object must be marked.
   334  	// This ensures that when we pass the object to its finalizer,
   335  	// everything the finalizer can reach will be retained.
   336  	//
   337  	// 2) Finalizer specials (which are not in the garbage
   338  	// collected heap) are roots. In practice, this means the fn
   339  	// field must be scanned.
   340  	//
   341  	// TODO(austin): There are several ideas for making this more
   342  	// efficient in issue #11485.
   343  
   344  	if work.markrootDone {
   345  		throw("markrootSpans during second markroot")
   346  	}
   347  
   348  	sg := mheap_.sweepgen
   349  	spans := mheap_.sweepSpans[mheap_.sweepgen/2%2].block(shard)
   350  	// Note that work.spans may not include spans that were
   351  	// allocated between entering the scan phase and now. This is
   352  	// okay because any objects with finalizers in those spans
   353  	// must have been allocated and given finalizers after we
   354  	// entered the scan phase, so addfinalizer will have ensured
   355  	// the above invariants for them.
   356  	for _, s := range spans {
   357  		if s.state != mSpanInUse {
   358  			continue
   359  		}
   360  		if !useCheckmark && s.sweepgen != sg {
   361  			// sweepgen was updated (+2) during non-checkmark GC pass
   362  			print("sweep ", s.sweepgen, " ", sg, "\n")
   363  			throw("gc: unswept span")
   364  		}
   365  
   366  		// Speculatively check if there are any specials
   367  		// without acquiring the span lock. This may race with
   368  		// adding the first special to a span, but in that
   369  		// case addfinalizer will observe that the GC is
   370  		// active (which is globally synchronized) and ensure
   371  		// the above invariants. We may also ensure the
   372  		// invariants, but it's okay to scan an object twice.
   373  		if s.specials == nil {
   374  			continue
   375  		}
   376  
   377  		// Lock the specials to prevent a special from being
   378  		// removed from the list while we're traversing it.
   379  		lock(&s.speciallock)
   380  
   381  		for sp := s.specials; sp != nil; sp = sp.next {
   382  			if sp.kind != _KindSpecialFinalizer {
   383  				continue
   384  			}
   385  			// don't mark finalized object, but scan it so we
   386  			// retain everything it points to.
   387  			spf := (*specialfinalizer)(unsafe.Pointer(sp))
   388  			// A finalizer can be set for an inner byte of an object, find object beginning.
   389  			p := s.base() + uintptr(spf.special.offset)/s.elemsize*s.elemsize
   390  
   391  			// Mark everything that can be reached from
   392  			// the object (but *not* the object itself or
   393  			// we'll never collect it).
   394  			scanobject(p, gcw)
   395  
   396  			// The special itself is a root.
   397  			scanblock(uintptr(unsafe.Pointer(&spf.fn)), sys.PtrSize, &oneptrmask[0], gcw)
   398  		}
   399  
   400  		unlock(&s.speciallock)
   401  	}
   402  }
   403  
   404  // gcAssistAlloc performs GC work to make gp's assist debt positive.
   405  // gp must be the calling user gorountine.
   406  //
   407  // This must be called with preemption enabled.
   408  func gcAssistAlloc(gp *g) {
   409  	// Don't assist in non-preemptible contexts. These are
   410  	// generally fragile and won't allow the assist to block.
   411  	if getg() == gp.m.g0 {
   412  		return
   413  	}
   414  	if mp := getg().m; mp.locks > 0 || mp.preemptoff != "" {
   415  		return
   416  	}
   417  
   418  	traced := false
   419  retry:
   420  	// Compute the amount of scan work we need to do to make the
   421  	// balance positive. When the required amount of work is low,
   422  	// we over-assist to build up credit for future allocations
   423  	// and amortize the cost of assisting.
   424  	debtBytes := -gp.gcAssistBytes
   425  	scanWork := int64(gcController.assistWorkPerByte * float64(debtBytes))
   426  	if scanWork < gcOverAssistWork {
   427  		scanWork = gcOverAssistWork
   428  		debtBytes = int64(gcController.assistBytesPerWork * float64(scanWork))
   429  	}
   430  
   431  	// Steal as much credit as we can from the background GC's
   432  	// scan credit. This is racy and may drop the background
   433  	// credit below 0 if two mutators steal at the same time. This
   434  	// will just cause steals to fail until credit is accumulated
   435  	// again, so in the long run it doesn't really matter, but we
   436  	// do have to handle the negative credit case.
   437  	bgScanCredit := atomic.Loadint64(&gcController.bgScanCredit)
   438  	stolen := int64(0)
   439  	if bgScanCredit > 0 {
   440  		if bgScanCredit < scanWork {
   441  			stolen = bgScanCredit
   442  			gp.gcAssistBytes += 1 + int64(gcController.assistBytesPerWork*float64(stolen))
   443  		} else {
   444  			stolen = scanWork
   445  			gp.gcAssistBytes += debtBytes
   446  		}
   447  		atomic.Xaddint64(&gcController.bgScanCredit, -stolen)
   448  
   449  		scanWork -= stolen
   450  
   451  		if scanWork == 0 {
   452  			// We were able to steal all of the credit we
   453  			// needed.
   454  			if traced {
   455  				traceGCMarkAssistDone()
   456  			}
   457  			return
   458  		}
   459  	}
   460  
   461  	if trace.enabled && !traced {
   462  		traced = true
   463  		traceGCMarkAssistStart()
   464  	}
   465  
   466  	// Perform assist work
   467  	systemstack(func() {
   468  		gcAssistAlloc1(gp, scanWork)
   469  		// The user stack may have moved, so this can't touch
   470  		// anything on it until it returns from systemstack.
   471  	})
   472  
   473  	completed := gp.param != nil
   474  	gp.param = nil
   475  	if completed {
   476  		gcMarkDone()
   477  	}
   478  
   479  	if gp.gcAssistBytes < 0 {
   480  		// We were unable steal enough credit or perform
   481  		// enough work to pay off the assist debt. We need to
   482  		// do one of these before letting the mutator allocate
   483  		// more to prevent over-allocation.
   484  		//
   485  		// If this is because we were preempted, reschedule
   486  		// and try some more.
   487  		if gp.preempt {
   488  			Gosched()
   489  			goto retry
   490  		}
   491  
   492  		// Add this G to an assist queue and park. When the GC
   493  		// has more background credit, it will satisfy queued
   494  		// assists before flushing to the global credit pool.
   495  		//
   496  		// Note that this does *not* get woken up when more
   497  		// work is added to the work list. The theory is that
   498  		// there wasn't enough work to do anyway, so we might
   499  		// as well let background marking take care of the
   500  		// work that is available.
   501  		if !gcParkAssist() {
   502  			goto retry
   503  		}
   504  
   505  		// At this point either background GC has satisfied
   506  		// this G's assist debt, or the GC cycle is over.
   507  	}
   508  	if traced {
   509  		traceGCMarkAssistDone()
   510  	}
   511  }
   512  
   513  // gcAssistAlloc1 is the part of gcAssistAlloc that runs on the system
   514  // stack. This is a separate function to make it easier to see that
   515  // we're not capturing anything from the user stack, since the user
   516  // stack may move while we're in this function.
   517  //
   518  // gcAssistAlloc1 indicates whether this assist completed the mark
   519  // phase by setting gp.param to non-nil. This can't be communicated on
   520  // the stack since it may move.
   521  //
   522  //go:systemstack
   523  func gcAssistAlloc1(gp *g, scanWork int64) {
   524  	// Clear the flag indicating that this assist completed the
   525  	// mark phase.
   526  	gp.param = nil
   527  
   528  	if atomic.Load(&gcBlackenEnabled) == 0 {
   529  		// The gcBlackenEnabled check in malloc races with the
   530  		// store that clears it but an atomic check in every malloc
   531  		// would be a performance hit.
   532  		// Instead we recheck it here on the non-preemptable system
   533  		// stack to determine if we should preform an assist.
   534  
   535  		// GC is done, so ignore any remaining debt.
   536  		gp.gcAssistBytes = 0
   537  		return
   538  	}
   539  	// Track time spent in this assist. Since we're on the
   540  	// system stack, this is non-preemptible, so we can
   541  	// just measure start and end time.
   542  	startTime := nanotime()
   543  
   544  	decnwait := atomic.Xadd(&work.nwait, -1)
   545  	if decnwait == work.nproc {
   546  		println("runtime: work.nwait =", decnwait, "work.nproc=", work.nproc)
   547  		throw("nwait > work.nprocs")
   548  	}
   549  
   550  	// gcDrainN requires the caller to be preemptible.
   551  	casgstatus(gp, _Grunning, _Gwaiting)
   552  	gp.waitreason = "GC assist marking"
   553  
   554  	// drain own cached work first in the hopes that it
   555  	// will be more cache friendly.
   556  	gcw := &getg().m.p.ptr().gcw
   557  	workDone := gcDrainN(gcw, scanWork)
   558  	// If we are near the end of the mark phase
   559  	// dispose of the gcw.
   560  	if gcBlackenPromptly {
   561  		gcw.dispose()
   562  	}
   563  
   564  	casgstatus(gp, _Gwaiting, _Grunning)
   565  
   566  	// Record that we did this much scan work.
   567  	//
   568  	// Back out the number of bytes of assist credit that
   569  	// this scan work counts for. The "1+" is a poor man's
   570  	// round-up, to ensure this adds credit even if
   571  	// assistBytesPerWork is very low.
   572  	gp.gcAssistBytes += 1 + int64(gcController.assistBytesPerWork*float64(workDone))
   573  
   574  	// If this is the last worker and we ran out of work,
   575  	// signal a completion point.
   576  	incnwait := atomic.Xadd(&work.nwait, +1)
   577  	if incnwait > work.nproc {
   578  		println("runtime: work.nwait=", incnwait,
   579  			"work.nproc=", work.nproc,
   580  			"gcBlackenPromptly=", gcBlackenPromptly)
   581  		throw("work.nwait > work.nproc")
   582  	}
   583  
   584  	if incnwait == work.nproc && !gcMarkWorkAvailable(nil) {
   585  		// This has reached a background completion point. Set
   586  		// gp.param to a non-nil value to indicate this. It
   587  		// doesn't matter what we set it to (it just has to be
   588  		// a valid pointer).
   589  		gp.param = unsafe.Pointer(gp)
   590  	}
   591  	duration := nanotime() - startTime
   592  	_p_ := gp.m.p.ptr()
   593  	_p_.gcAssistTime += duration
   594  	if _p_.gcAssistTime > gcAssistTimeSlack {
   595  		atomic.Xaddint64(&gcController.assistTime, _p_.gcAssistTime)
   596  		_p_.gcAssistTime = 0
   597  	}
   598  }
   599  
   600  // gcWakeAllAssists wakes all currently blocked assists. This is used
   601  // at the end of a GC cycle. gcBlackenEnabled must be false to prevent
   602  // new assists from going to sleep after this point.
   603  func gcWakeAllAssists() {
   604  	lock(&work.assistQueue.lock)
   605  	injectglist(work.assistQueue.head.ptr())
   606  	work.assistQueue.head.set(nil)
   607  	work.assistQueue.tail.set(nil)
   608  	unlock(&work.assistQueue.lock)
   609  }
   610  
   611  // gcParkAssist puts the current goroutine on the assist queue and parks.
   612  //
   613  // gcParkAssist returns whether the assist is now satisfied. If it
   614  // returns false, the caller must retry the assist.
   615  //
   616  //go:nowritebarrier
   617  func gcParkAssist() bool {
   618  	lock(&work.assistQueue.lock)
   619  	// If the GC cycle finished while we were getting the lock,
   620  	// exit the assist. The cycle can't finish while we hold the
   621  	// lock.
   622  	if atomic.Load(&gcBlackenEnabled) == 0 {
   623  		unlock(&work.assistQueue.lock)
   624  		return true
   625  	}
   626  
   627  	gp := getg()
   628  	oldHead, oldTail := work.assistQueue.head, work.assistQueue.tail
   629  	if oldHead == 0 {
   630  		work.assistQueue.head.set(gp)
   631  	} else {
   632  		oldTail.ptr().schedlink.set(gp)
   633  	}
   634  	work.assistQueue.tail.set(gp)
   635  	gp.schedlink.set(nil)
   636  
   637  	// Recheck for background credit now that this G is in
   638  	// the queue, but can still back out. This avoids a
   639  	// race in case background marking has flushed more
   640  	// credit since we checked above.
   641  	if atomic.Loadint64(&gcController.bgScanCredit) > 0 {
   642  		work.assistQueue.head = oldHead
   643  		work.assistQueue.tail = oldTail
   644  		if oldTail != 0 {
   645  			oldTail.ptr().schedlink.set(nil)
   646  		}
   647  		unlock(&work.assistQueue.lock)
   648  		return false
   649  	}
   650  	// Park.
   651  	goparkunlock(&work.assistQueue.lock, "GC assist wait", traceEvGoBlockGC, 2)
   652  	return true
   653  }
   654  
   655  // gcFlushBgCredit flushes scanWork units of background scan work
   656  // credit. This first satisfies blocked assists on the
   657  // work.assistQueue and then flushes any remaining credit to
   658  // gcController.bgScanCredit.
   659  //
   660  // Write barriers are disallowed because this is used by gcDrain after
   661  // it has ensured that all work is drained and this must preserve that
   662  // condition.
   663  //
   664  //go:nowritebarrierrec
   665  func gcFlushBgCredit(scanWork int64) {
   666  	if work.assistQueue.head == 0 {
   667  		// Fast path; there are no blocked assists. There's a
   668  		// small window here where an assist may add itself to
   669  		// the blocked queue and park. If that happens, we'll
   670  		// just get it on the next flush.
   671  		atomic.Xaddint64(&gcController.bgScanCredit, scanWork)
   672  		return
   673  	}
   674  
   675  	scanBytes := int64(float64(scanWork) * gcController.assistBytesPerWork)
   676  
   677  	lock(&work.assistQueue.lock)
   678  	gp := work.assistQueue.head.ptr()
   679  	for gp != nil && scanBytes > 0 {
   680  		// Note that gp.gcAssistBytes is negative because gp
   681  		// is in debt. Think carefully about the signs below.
   682  		if scanBytes+gp.gcAssistBytes >= 0 {
   683  			// Satisfy this entire assist debt.
   684  			scanBytes += gp.gcAssistBytes
   685  			gp.gcAssistBytes = 0
   686  			xgp := gp
   687  			gp = gp.schedlink.ptr()
   688  			// It's important that we *not* put xgp in
   689  			// runnext. Otherwise, it's possible for user
   690  			// code to exploit the GC worker's high
   691  			// scheduler priority to get itself always run
   692  			// before other goroutines and always in the
   693  			// fresh quantum started by GC.
   694  			ready(xgp, 0, false)
   695  		} else {
   696  			// Partially satisfy this assist.
   697  			gp.gcAssistBytes += scanBytes
   698  			scanBytes = 0
   699  			// As a heuristic, we move this assist to the
   700  			// back of the queue so that large assists
   701  			// can't clog up the assist queue and
   702  			// substantially delay small assists.
   703  			xgp := gp
   704  			gp = gp.schedlink.ptr()
   705  			if gp == nil {
   706  				// gp is the only assist in the queue.
   707  				gp = xgp
   708  			} else {
   709  				xgp.schedlink = 0
   710  				work.assistQueue.tail.ptr().schedlink.set(xgp)
   711  				work.assistQueue.tail.set(xgp)
   712  			}
   713  			break
   714  		}
   715  	}
   716  	work.assistQueue.head.set(gp)
   717  	if gp == nil {
   718  		work.assistQueue.tail.set(nil)
   719  	}
   720  
   721  	if scanBytes > 0 {
   722  		// Convert from scan bytes back to work.
   723  		scanWork = int64(float64(scanBytes) * gcController.assistWorkPerByte)
   724  		atomic.Xaddint64(&gcController.bgScanCredit, scanWork)
   725  	}
   726  	unlock(&work.assistQueue.lock)
   727  }
   728  
   729  // scanstack scans gp's stack, greying all pointers found on the stack.
   730  //
   731  // scanstack is marked go:systemstack because it must not be preempted
   732  // while using a workbuf.
   733  //
   734  //go:nowritebarrier
   735  //go:systemstack
   736  func scanstack(gp *g, gcw *gcWork) {
   737  	if gp.gcscanvalid {
   738  		return
   739  	}
   740  
   741  	if readgstatus(gp)&_Gscan == 0 {
   742  		print("runtime:scanstack: gp=", gp, ", goid=", gp.goid, ", gp->atomicstatus=", hex(readgstatus(gp)), "\n")
   743  		throw("scanstack - bad status")
   744  	}
   745  
   746  	switch readgstatus(gp) &^ _Gscan {
   747  	default:
   748  		print("runtime: gp=", gp, ", goid=", gp.goid, ", gp->atomicstatus=", readgstatus(gp), "\n")
   749  		throw("mark - bad status")
   750  	case _Gdead:
   751  		return
   752  	case _Grunning:
   753  		print("runtime: gp=", gp, ", goid=", gp.goid, ", gp->atomicstatus=", readgstatus(gp), "\n")
   754  		throw("scanstack: goroutine not stopped")
   755  	case _Grunnable, _Gsyscall, _Gwaiting:
   756  		// ok
   757  	}
   758  
   759  	if gp == getg() {
   760  		throw("can't scan our own stack")
   761  	}
   762  	mp := gp.m
   763  	if mp != nil && mp.helpgc != 0 {
   764  		throw("can't scan gchelper stack")
   765  	}
   766  
   767  	// Shrink the stack if not much of it is being used. During
   768  	// concurrent GC, we can do this during concurrent mark.
   769  	if !work.markrootDone {
   770  		shrinkstack(gp)
   771  	}
   772  
   773  	// Scan the stack.
   774  	var cache pcvalueCache
   775  	scanframe := func(frame *stkframe, unused unsafe.Pointer) bool {
   776  		scanframeworker(frame, &cache, gcw)
   777  		return true
   778  	}
   779  	gentraceback(^uintptr(0), ^uintptr(0), 0, gp, 0, nil, 0x7fffffff, scanframe, nil, 0)
   780  	tracebackdefers(gp, scanframe, nil)
   781  	gp.gcscanvalid = true
   782  }
   783  
   784  // Scan a stack frame: local variables and function arguments/results.
   785  //go:nowritebarrier
   786  func scanframeworker(frame *stkframe, cache *pcvalueCache, gcw *gcWork) {
   787  
   788  	f := frame.fn
   789  	targetpc := frame.continpc
   790  	if targetpc == 0 {
   791  		// Frame is dead.
   792  		return
   793  	}
   794  	if _DebugGC > 1 {
   795  		print("scanframe ", funcname(f), "\n")
   796  	}
   797  	if targetpc != f.entry {
   798  		targetpc--
   799  	}
   800  	pcdata := pcdatavalue(f, _PCDATA_StackMapIndex, targetpc, cache)
   801  	if pcdata == -1 {
   802  		// We do not have a valid pcdata value but there might be a
   803  		// stackmap for this function. It is likely that we are looking
   804  		// at the function prologue, assume so and hope for the best.
   805  		pcdata = 0
   806  	}
   807  
   808  	// Scan local variables if stack frame has been allocated.
   809  	size := frame.varp - frame.sp
   810  	var minsize uintptr
   811  	switch sys.ArchFamily {
   812  	case sys.ARM64:
   813  		minsize = sys.SpAlign
   814  	default:
   815  		minsize = sys.MinFrameSize
   816  	}
   817  	if size > minsize {
   818  		stkmap := (*stackmap)(funcdata(f, _FUNCDATA_LocalsPointerMaps))
   819  		if stkmap == nil || stkmap.n <= 0 {
   820  			print("runtime: frame ", funcname(f), " untyped locals ", hex(frame.varp-size), "+", hex(size), "\n")
   821  			throw("missing stackmap")
   822  		}
   823  
   824  		// Locals bitmap information, scan just the pointers in locals.
   825  		if pcdata < 0 || pcdata >= stkmap.n {
   826  			// don't know where we are
   827  			print("runtime: pcdata is ", pcdata, " and ", stkmap.n, " locals stack map entries for ", funcname(f), " (targetpc=", targetpc, ")\n")
   828  			throw("scanframe: bad symbol table")
   829  		}
   830  		bv := stackmapdata(stkmap, pcdata)
   831  		size = uintptr(bv.n) * sys.PtrSize
   832  		scanblock(frame.varp-size, size, bv.bytedata, gcw)
   833  	}
   834  
   835  	// Scan arguments.
   836  	if frame.arglen > 0 {
   837  		var bv bitvector
   838  		if frame.argmap != nil {
   839  			bv = *frame.argmap
   840  		} else {
   841  			stkmap := (*stackmap)(funcdata(f, _FUNCDATA_ArgsPointerMaps))
   842  			if stkmap == nil || stkmap.n <= 0 {
   843  				print("runtime: frame ", funcname(f), " untyped args ", hex(frame.argp), "+", hex(frame.arglen), "\n")
   844  				throw("missing stackmap")
   845  			}
   846  			if pcdata < 0 || pcdata >= stkmap.n {
   847  				// don't know where we are
   848  				print("runtime: pcdata is ", pcdata, " and ", stkmap.n, " args stack map entries for ", funcname(f), " (targetpc=", targetpc, ")\n")
   849  				throw("scanframe: bad symbol table")
   850  			}
   851  			bv = stackmapdata(stkmap, pcdata)
   852  		}
   853  		scanblock(frame.argp, uintptr(bv.n)*sys.PtrSize, bv.bytedata, gcw)
   854  	}
   855  }
   856  
   857  type gcDrainFlags int
   858  
   859  const (
   860  	gcDrainUntilPreempt gcDrainFlags = 1 << iota
   861  	gcDrainNoBlock
   862  	gcDrainFlushBgCredit
   863  	gcDrainIdle
   864  
   865  	// gcDrainBlock means neither gcDrainUntilPreempt or
   866  	// gcDrainNoBlock. It is the default, but callers should use
   867  	// the constant for documentation purposes.
   868  	gcDrainBlock gcDrainFlags = 0
   869  )
   870  
   871  // gcDrain scans roots and objects in work buffers, blackening grey
   872  // objects until all roots and work buffers have been drained.
   873  //
   874  // If flags&gcDrainUntilPreempt != 0, gcDrain returns when g.preempt
   875  // is set. This implies gcDrainNoBlock.
   876  //
   877  // If flags&gcDrainIdle != 0, gcDrain returns when there is other work
   878  // to do. This implies gcDrainNoBlock.
   879  //
   880  // If flags&gcDrainNoBlock != 0, gcDrain returns as soon as it is
   881  // unable to get more work. Otherwise, it will block until all
   882  // blocking calls are blocked in gcDrain.
   883  //
   884  // If flags&gcDrainFlushBgCredit != 0, gcDrain flushes scan work
   885  // credit to gcController.bgScanCredit every gcCreditSlack units of
   886  // scan work.
   887  //
   888  //go:nowritebarrier
   889  func gcDrain(gcw *gcWork, flags gcDrainFlags) {
   890  	if !writeBarrier.needed {
   891  		throw("gcDrain phase incorrect")
   892  	}
   893  
   894  	gp := getg().m.curg
   895  	preemptible := flags&gcDrainUntilPreempt != 0
   896  	blocking := flags&(gcDrainUntilPreempt|gcDrainIdle|gcDrainNoBlock) == 0
   897  	flushBgCredit := flags&gcDrainFlushBgCredit != 0
   898  	idle := flags&gcDrainIdle != 0
   899  
   900  	initScanWork := gcw.scanWork
   901  	// idleCheck is the scan work at which to perform the next
   902  	// idle check with the scheduler.
   903  	idleCheck := initScanWork + idleCheckThreshold
   904  
   905  	// Drain root marking jobs.
   906  	if work.markrootNext < work.markrootJobs {
   907  		for !(preemptible && gp.preempt) {
   908  			job := atomic.Xadd(&work.markrootNext, +1) - 1
   909  			if job >= work.markrootJobs {
   910  				break
   911  			}
   912  			markroot(gcw, job)
   913  			if idle && pollWork() {
   914  				goto done
   915  			}
   916  		}
   917  	}
   918  
   919  	// Drain heap marking jobs.
   920  	for !(preemptible && gp.preempt) {
   921  		// Try to keep work available on the global queue. We used to
   922  		// check if there were waiting workers, but it's better to
   923  		// just keep work available than to make workers wait. In the
   924  		// worst case, we'll do O(log(_WorkbufSize)) unnecessary
   925  		// balances.
   926  		if work.full == 0 {
   927  			gcw.balance()
   928  		}
   929  
   930  		var b uintptr
   931  		if blocking {
   932  			b = gcw.get()
   933  		} else {
   934  			b = gcw.tryGetFast()
   935  			if b == 0 {
   936  				b = gcw.tryGet()
   937  			}
   938  		}
   939  		if b == 0 {
   940  			// work barrier reached or tryGet failed.
   941  			break
   942  		}
   943  		scanobject(b, gcw)
   944  
   945  		// Flush background scan work credit to the global
   946  		// account if we've accumulated enough locally so
   947  		// mutator assists can draw on it.
   948  		if gcw.scanWork >= gcCreditSlack {
   949  			atomic.Xaddint64(&gcController.scanWork, gcw.scanWork)
   950  			if flushBgCredit {
   951  				gcFlushBgCredit(gcw.scanWork - initScanWork)
   952  				initScanWork = 0
   953  			}
   954  			idleCheck -= gcw.scanWork
   955  			gcw.scanWork = 0
   956  
   957  			if idle && idleCheck <= 0 {
   958  				idleCheck += idleCheckThreshold
   959  				if pollWork() {
   960  					break
   961  				}
   962  			}
   963  		}
   964  	}
   965  
   966  	// In blocking mode, write barriers are not allowed after this
   967  	// point because we must preserve the condition that the work
   968  	// buffers are empty.
   969  
   970  done:
   971  	// Flush remaining scan work credit.
   972  	if gcw.scanWork > 0 {
   973  		atomic.Xaddint64(&gcController.scanWork, gcw.scanWork)
   974  		if flushBgCredit {
   975  			gcFlushBgCredit(gcw.scanWork - initScanWork)
   976  		}
   977  		gcw.scanWork = 0
   978  	}
   979  }
   980  
   981  // gcDrainN blackens grey objects until it has performed roughly
   982  // scanWork units of scan work or the G is preempted. This is
   983  // best-effort, so it may perform less work if it fails to get a work
   984  // buffer. Otherwise, it will perform at least n units of work, but
   985  // may perform more because scanning is always done in whole object
   986  // increments. It returns the amount of scan work performed.
   987  //
   988  // The caller goroutine must be in a preemptible state (e.g.,
   989  // _Gwaiting) to prevent deadlocks during stack scanning. As a
   990  // consequence, this must be called on the system stack.
   991  //
   992  //go:nowritebarrier
   993  //go:systemstack
   994  func gcDrainN(gcw *gcWork, scanWork int64) int64 {
   995  	if !writeBarrier.needed {
   996  		throw("gcDrainN phase incorrect")
   997  	}
   998  
   999  	// There may already be scan work on the gcw, which we don't
  1000  	// want to claim was done by this call.
  1001  	workFlushed := -gcw.scanWork
  1002  
  1003  	gp := getg().m.curg
  1004  	for !gp.preempt && workFlushed+gcw.scanWork < scanWork {
  1005  		// See gcDrain comment.
  1006  		if work.full == 0 {
  1007  			gcw.balance()
  1008  		}
  1009  
  1010  		// This might be a good place to add prefetch code...
  1011  		// if(wbuf.nobj > 4) {
  1012  		//         PREFETCH(wbuf->obj[wbuf.nobj - 3];
  1013  		//  }
  1014  		//
  1015  		b := gcw.tryGetFast()
  1016  		if b == 0 {
  1017  			b = gcw.tryGet()
  1018  		}
  1019  
  1020  		if b == 0 {
  1021  			// Try to do a root job.
  1022  			//
  1023  			// TODO: Assists should get credit for this
  1024  			// work.
  1025  			if work.markrootNext < work.markrootJobs {
  1026  				job := atomic.Xadd(&work.markrootNext, +1) - 1
  1027  				if job < work.markrootJobs {
  1028  					markroot(gcw, job)
  1029  					continue
  1030  				}
  1031  			}
  1032  			// No heap or root jobs.
  1033  			break
  1034  		}
  1035  		scanobject(b, gcw)
  1036  
  1037  		// Flush background scan work credit.
  1038  		if gcw.scanWork >= gcCreditSlack {
  1039  			atomic.Xaddint64(&gcController.scanWork, gcw.scanWork)
  1040  			workFlushed += gcw.scanWork
  1041  			gcw.scanWork = 0
  1042  		}
  1043  	}
  1044  
  1045  	// Unlike gcDrain, there's no need to flush remaining work
  1046  	// here because this never flushes to bgScanCredit and
  1047  	// gcw.dispose will flush any remaining work to scanWork.
  1048  
  1049  	return workFlushed + gcw.scanWork
  1050  }
  1051  
  1052  // scanblock scans b as scanobject would, but using an explicit
  1053  // pointer bitmap instead of the heap bitmap.
  1054  //
  1055  // This is used to scan non-heap roots, so it does not update
  1056  // gcw.bytesMarked or gcw.scanWork.
  1057  //
  1058  //go:nowritebarrier
  1059  func scanblock(b0, n0 uintptr, ptrmask *uint8, gcw *gcWork) {
  1060  	// Use local copies of original parameters, so that a stack trace
  1061  	// due to one of the throws below shows the original block
  1062  	// base and extent.
  1063  	b := b0
  1064  	n := n0
  1065  
  1066  	arena_start := mheap_.arena_start
  1067  	arena_used := mheap_.arena_used
  1068  
  1069  	for i := uintptr(0); i < n; {
  1070  		// Find bits for the next word.
  1071  		bits := uint32(*addb(ptrmask, i/(sys.PtrSize*8)))
  1072  		if bits == 0 {
  1073  			i += sys.PtrSize * 8
  1074  			continue
  1075  		}
  1076  		for j := 0; j < 8 && i < n; j++ {
  1077  			if bits&1 != 0 {
  1078  				// Same work as in scanobject; see comments there.
  1079  				obj := *(*uintptr)(unsafe.Pointer(b + i))
  1080  				if obj != 0 && arena_start <= obj && obj < arena_used {
  1081  					if obj, hbits, span, objIndex := heapBitsForObject(obj, b, i); obj != 0 {
  1082  						greyobject(obj, b, i, hbits, span, gcw, objIndex)
  1083  					}
  1084  				}
  1085  			}
  1086  			bits >>= 1
  1087  			i += sys.PtrSize
  1088  		}
  1089  	}
  1090  }
  1091  
  1092  // scanobject scans the object starting at b, adding pointers to gcw.
  1093  // b must point to the beginning of a heap object or an oblet.
  1094  // scanobject consults the GC bitmap for the pointer mask and the
  1095  // spans for the size of the object.
  1096  //
  1097  //go:nowritebarrier
  1098  func scanobject(b uintptr, gcw *gcWork) {
  1099  	// Note that arena_used may change concurrently during
  1100  	// scanobject and hence scanobject may encounter a pointer to
  1101  	// a newly allocated heap object that is *not* in
  1102  	// [start,used). It will not mark this object; however, we
  1103  	// know that it was just installed by a mutator, which means
  1104  	// that mutator will execute a write barrier and take care of
  1105  	// marking it. This is even more pronounced on relaxed memory
  1106  	// architectures since we access arena_used without barriers
  1107  	// or synchronization, but the same logic applies.
  1108  	arena_start := mheap_.arena_start
  1109  	arena_used := mheap_.arena_used
  1110  
  1111  	// Find the bits for b and the size of the object at b.
  1112  	//
  1113  	// b is either the beginning of an object, in which case this
  1114  	// is the size of the object to scan, or it points to an
  1115  	// oblet, in which case we compute the size to scan below.
  1116  	hbits := heapBitsForAddr(b)
  1117  	s := spanOfUnchecked(b)
  1118  	n := s.elemsize
  1119  	if n == 0 {
  1120  		throw("scanobject n == 0")
  1121  	}
  1122  
  1123  	if n > maxObletBytes {
  1124  		// Large object. Break into oblets for better
  1125  		// parallelism and lower latency.
  1126  		if b == s.base() {
  1127  			// It's possible this is a noscan object (not
  1128  			// from greyobject, but from other code
  1129  			// paths), in which case we must *not* enqueue
  1130  			// oblets since their bitmaps will be
  1131  			// uninitialized.
  1132  			if s.spanclass.noscan() {
  1133  				// Bypass the whole scan.
  1134  				gcw.bytesMarked += uint64(n)
  1135  				return
  1136  			}
  1137  
  1138  			// Enqueue the other oblets to scan later.
  1139  			// Some oblets may be in b's scalar tail, but
  1140  			// these will be marked as "no more pointers",
  1141  			// so we'll drop out immediately when we go to
  1142  			// scan those.
  1143  			for oblet := b + maxObletBytes; oblet < s.base()+s.elemsize; oblet += maxObletBytes {
  1144  				if !gcw.putFast(oblet) {
  1145  					gcw.put(oblet)
  1146  				}
  1147  			}
  1148  		}
  1149  
  1150  		// Compute the size of the oblet. Since this object
  1151  		// must be a large object, s.base() is the beginning
  1152  		// of the object.
  1153  		n = s.base() + s.elemsize - b
  1154  		if n > maxObletBytes {
  1155  			n = maxObletBytes
  1156  		}
  1157  	}
  1158  
  1159  	var i uintptr
  1160  	for i = 0; i < n; i += sys.PtrSize {
  1161  		// Find bits for this word.
  1162  		if i != 0 {
  1163  			// Avoid needless hbits.next() on last iteration.
  1164  			hbits = hbits.next()
  1165  		}
  1166  		// Load bits once. See CL 22712 and issue 16973 for discussion.
  1167  		bits := hbits.bits()
  1168  		// During checkmarking, 1-word objects store the checkmark
  1169  		// in the type bit for the one word. The only one-word objects
  1170  		// are pointers, or else they'd be merged with other non-pointer
  1171  		// data into larger allocations.
  1172  		if i != 1*sys.PtrSize && bits&bitScan == 0 {
  1173  			break // no more pointers in this object
  1174  		}
  1175  		if bits&bitPointer == 0 {
  1176  			continue // not a pointer
  1177  		}
  1178  
  1179  		// Work here is duplicated in scanblock and above.
  1180  		// If you make changes here, make changes there too.
  1181  		obj := *(*uintptr)(unsafe.Pointer(b + i))
  1182  
  1183  		// At this point we have extracted the next potential pointer.
  1184  		// Check if it points into heap and not back at the current object.
  1185  		if obj != 0 && arena_start <= obj && obj < arena_used && obj-b >= n {
  1186  			// Mark the object.
  1187  			if obj, hbits, span, objIndex := heapBitsForObject(obj, b, i); obj != 0 {
  1188  				greyobject(obj, b, i, hbits, span, gcw, objIndex)
  1189  			}
  1190  		}
  1191  	}
  1192  	gcw.bytesMarked += uint64(n)
  1193  	gcw.scanWork += int64(i)
  1194  }
  1195  
  1196  // Shade the object if it isn't already.
  1197  // The object is not nil and known to be in the heap.
  1198  // Preemption must be disabled.
  1199  //go:nowritebarrier
  1200  func shade(b uintptr) {
  1201  	if obj, hbits, span, objIndex := heapBitsForObject(b, 0, 0); obj != 0 {
  1202  		gcw := &getg().m.p.ptr().gcw
  1203  		greyobject(obj, 0, 0, hbits, span, gcw, objIndex)
  1204  		if gcphase == _GCmarktermination || gcBlackenPromptly {
  1205  			// Ps aren't allowed to cache work during mark
  1206  			// termination.
  1207  			gcw.dispose()
  1208  		}
  1209  	}
  1210  }
  1211  
  1212  // obj is the start of an object with mark mbits.
  1213  // If it isn't already marked, mark it and enqueue into gcw.
  1214  // base and off are for debugging only and could be removed.
  1215  //go:nowritebarrierrec
  1216  func greyobject(obj, base, off uintptr, hbits heapBits, span *mspan, gcw *gcWork, objIndex uintptr) {
  1217  	// obj should be start of allocation, and so must be at least pointer-aligned.
  1218  	if obj&(sys.PtrSize-1) != 0 {
  1219  		throw("greyobject: obj not pointer-aligned")
  1220  	}
  1221  	mbits := span.markBitsForIndex(objIndex)
  1222  
  1223  	if useCheckmark {
  1224  		if !mbits.isMarked() {
  1225  			printlock()
  1226  			print("runtime:greyobject: checkmarks finds unexpected unmarked object obj=", hex(obj), "\n")
  1227  			print("runtime: found obj at *(", hex(base), "+", hex(off), ")\n")
  1228  
  1229  			// Dump the source (base) object
  1230  			gcDumpObject("base", base, off)
  1231  
  1232  			// Dump the object
  1233  			gcDumpObject("obj", obj, ^uintptr(0))
  1234  
  1235  			getg().m.traceback = 2
  1236  			throw("checkmark found unmarked object")
  1237  		}
  1238  		if hbits.isCheckmarked(span.elemsize) {
  1239  			return
  1240  		}
  1241  		hbits.setCheckmarked(span.elemsize)
  1242  		if !hbits.isCheckmarked(span.elemsize) {
  1243  			throw("setCheckmarked and isCheckmarked disagree")
  1244  		}
  1245  	} else {
  1246  		if debug.gccheckmark > 0 && span.isFree(objIndex) {
  1247  			print("runtime: marking free object ", hex(obj), " found at *(", hex(base), "+", hex(off), ")\n")
  1248  			gcDumpObject("base", base, off)
  1249  			gcDumpObject("obj", obj, ^uintptr(0))
  1250  			getg().m.traceback = 2
  1251  			throw("marking free object")
  1252  		}
  1253  
  1254  		// If marked we have nothing to do.
  1255  		if mbits.isMarked() {
  1256  			return
  1257  		}
  1258  		// mbits.setMarked() // Avoid extra call overhead with manual inlining.
  1259  		atomic.Or8(mbits.bytep, mbits.mask)
  1260  		// If this is a noscan object, fast-track it to black
  1261  		// instead of greying it.
  1262  		if span.spanclass.noscan() {
  1263  			gcw.bytesMarked += uint64(span.elemsize)
  1264  			return
  1265  		}
  1266  	}
  1267  
  1268  	// Queue the obj for scanning. The PREFETCH(obj) logic has been removed but
  1269  	// seems like a nice optimization that can be added back in.
  1270  	// There needs to be time between the PREFETCH and the use.
  1271  	// Previously we put the obj in an 8 element buffer that is drained at a rate
  1272  	// to give the PREFETCH time to do its work.
  1273  	// Use of PREFETCHNTA might be more appropriate than PREFETCH
  1274  	if !gcw.putFast(obj) {
  1275  		gcw.put(obj)
  1276  	}
  1277  }
  1278  
  1279  // gcDumpObject dumps the contents of obj for debugging and marks the
  1280  // field at byte offset off in obj.
  1281  func gcDumpObject(label string, obj, off uintptr) {
  1282  	if obj < mheap_.arena_start || obj >= mheap_.arena_used {
  1283  		print(label, "=", hex(obj), " is not in the Go heap\n")
  1284  		return
  1285  	}
  1286  	k := obj >> _PageShift
  1287  	x := k
  1288  	x -= mheap_.arena_start >> _PageShift
  1289  	s := mheap_.spans[x]
  1290  	print(label, "=", hex(obj), " k=", hex(k))
  1291  	if s == nil {
  1292  		print(" s=nil\n")
  1293  		return
  1294  	}
  1295  	print(" s.base()=", hex(s.base()), " s.limit=", hex(s.limit), " s.spanclass=", s.spanclass, " s.elemsize=", s.elemsize, " s.state=")
  1296  	if 0 <= s.state && int(s.state) < len(mSpanStateNames) {
  1297  		print(mSpanStateNames[s.state], "\n")
  1298  	} else {
  1299  		print("unknown(", s.state, ")\n")
  1300  	}
  1301  
  1302  	skipped := false
  1303  	size := s.elemsize
  1304  	if s.state == _MSpanManual && size == 0 {
  1305  		// We're printing something from a stack frame. We
  1306  		// don't know how big it is, so just show up to an
  1307  		// including off.
  1308  		size = off + sys.PtrSize
  1309  	}
  1310  	for i := uintptr(0); i < size; i += sys.PtrSize {
  1311  		// For big objects, just print the beginning (because
  1312  		// that usually hints at the object's type) and the
  1313  		// fields around off.
  1314  		if !(i < 128*sys.PtrSize || off-16*sys.PtrSize < i && i < off+16*sys.PtrSize) {
  1315  			skipped = true
  1316  			continue
  1317  		}
  1318  		if skipped {
  1319  			print(" ...\n")
  1320  			skipped = false
  1321  		}
  1322  		print(" *(", label, "+", i, ") = ", hex(*(*uintptr)(unsafe.Pointer(obj + i))))
  1323  		if i == off {
  1324  			print(" <==")
  1325  		}
  1326  		print("\n")
  1327  	}
  1328  	if skipped {
  1329  		print(" ...\n")
  1330  	}
  1331  }
  1332  
  1333  // gcmarknewobject marks a newly allocated object black. obj must
  1334  // not contain any non-nil pointers.
  1335  //
  1336  // This is nosplit so it can manipulate a gcWork without preemption.
  1337  //
  1338  //go:nowritebarrier
  1339  //go:nosplit
  1340  func gcmarknewobject(obj, size, scanSize uintptr) {
  1341  	if useCheckmark && !gcBlackenPromptly { // The world should be stopped so this should not happen.
  1342  		throw("gcmarknewobject called while doing checkmark")
  1343  	}
  1344  	markBitsForAddr(obj).setMarked()
  1345  	gcw := &getg().m.p.ptr().gcw
  1346  	gcw.bytesMarked += uint64(size)
  1347  	gcw.scanWork += int64(scanSize)
  1348  	if gcBlackenPromptly {
  1349  		// There shouldn't be anything in the work queue, but
  1350  		// we still need to flush stats.
  1351  		gcw.dispose()
  1352  	}
  1353  }
  1354  
  1355  // gcMarkTinyAllocs greys all active tiny alloc blocks.
  1356  //
  1357  // The world must be stopped.
  1358  func gcMarkTinyAllocs() {
  1359  	for _, p := range &allp {
  1360  		if p == nil || p.status == _Pdead {
  1361  			break
  1362  		}
  1363  		c := p.mcache
  1364  		if c == nil || c.tiny == 0 {
  1365  			continue
  1366  		}
  1367  		_, hbits, span, objIndex := heapBitsForObject(c.tiny, 0, 0)
  1368  		gcw := &p.gcw
  1369  		greyobject(c.tiny, 0, 0, hbits, span, gcw, objIndex)
  1370  		if gcBlackenPromptly {
  1371  			gcw.dispose()
  1372  		}
  1373  	}
  1374  }
  1375  
  1376  // Checkmarking
  1377  
  1378  // To help debug the concurrent GC we remark with the world
  1379  // stopped ensuring that any object encountered has their normal
  1380  // mark bit set. To do this we use an orthogonal bit
  1381  // pattern to indicate the object is marked. The following pattern
  1382  // uses the upper two bits in the object's boundary nibble.
  1383  // 01: scalar  not marked
  1384  // 10: pointer not marked
  1385  // 11: pointer     marked
  1386  // 00: scalar      marked
  1387  // Xoring with 01 will flip the pattern from marked to unmarked and vica versa.
  1388  // The higher bit is 1 for pointers and 0 for scalars, whether the object
  1389  // is marked or not.
  1390  // The first nibble no longer holds the typeDead pattern indicating that the
  1391  // there are no more pointers in the object. This information is held
  1392  // in the second nibble.
  1393  
  1394  // If useCheckmark is true, marking of an object uses the
  1395  // checkmark bits (encoding above) instead of the standard
  1396  // mark bits.
  1397  var useCheckmark = false
  1398  
  1399  //go:nowritebarrier
  1400  func initCheckmarks() {
  1401  	useCheckmark = true
  1402  	for _, s := range mheap_.allspans {
  1403  		if s.state == _MSpanInUse {
  1404  			heapBitsForSpan(s.base()).initCheckmarkSpan(s.layout())
  1405  		}
  1406  	}
  1407  }
  1408  
  1409  func clearCheckmarks() {
  1410  	useCheckmark = false
  1411  	for _, s := range mheap_.allspans {
  1412  		if s.state == _MSpanInUse {
  1413  			heapBitsForSpan(s.base()).clearCheckmarkSpan(s.layout())
  1414  		}
  1415  	}
  1416  }