Script 'mail_helper' called by obssrc
Hello community,

here is the log from the commit of package fx for openSUSE:Factory checked in 
at 2024-07-01 11:22:13
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Comparing /work/SRC/openSUSE:Factory/fx (Old)
 and      /work/SRC/openSUSE:Factory/.fx.new.18349 (New)
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++

Package is "fx"

Mon Jul  1 11:22:13 2024 rev:6 rq:1184197 version:35.0.0

Changes:
--------
--- /work/SRC/openSUSE:Factory/fx/fx.changes    2024-03-25 21:18:53.636986396 
+0100
+++ /work/SRC/openSUSE:Factory/.fx.new.18349/fx.changes 2024-07-01 
11:23:03.820935445 +0200
@@ -1,0 +2,16 @@
+Sun Jun 30 17:18:05 UTC 2024 - Martin Hauke <[email protected]>
+
+- Update to version 35.0.0
+  * Fixed a bug with very long arguments.
+  * Fixed a bug with closing profiles properly.
+  * Fixed bash autocomplete for files without newline at the end.
+  * Fixed a bug with --raw flag reading files without newline at
+    the end.
+  * Updated dependencies.
+- Update to version 34.0.0
+  * Now fx has a built-in JS engine! So, JSON processing will work
+    everywhere!
+  * Added list function to print array as list of strings.
+  * Fixed yanking of wrapped object keys.
+
+-------------------------------------------------------------------

Old:
----
  fx-33.0.0.tar.gz

New:
----
  fx-35.0.0.tar.gz

++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++

Other differences:
------------------
++++++ fx.spec ++++++
--- /var/tmp/diff_new_pack.wtwonJ/_old  2024-07-01 11:23:04.396956293 +0200
+++ /var/tmp/diff_new_pack.wtwonJ/_new  2024-07-01 11:23:04.400956437 +0200
@@ -18,7 +18,7 @@
 
 
 Name:           fx
-Version:        33.0.0
+Version:        35.0.0
 Release:        0
 Summary:        Terminal JSON viewer
 License:        MIT

++++++ fx-33.0.0.tar.gz -> fx-35.0.0.tar.gz ++++++
++++ 4329 lines of diff (skipped)

++++++ vendor.tar.gz ++++++
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/dlclark/regexp2/README.md 
new/vendor/github.com/dlclark/regexp2/README.md
--- old/vendor/github.com/dlclark/regexp2/README.md     2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/dlclark/regexp2/README.md     2024-06-30 
19:19:20.000000000 +0200
@@ -92,6 +92,66 @@
 
 This feature is a work in progress and I'm open to ideas for more things to 
put here (maybe more relaxed character escaping rules?).
 
+## Catastrophic Backtracking and Timeouts
+
+`regexp2` supports features that can lead to catastrophic backtracking.
+`Regexp.MatchTimeout` can be set to to limit the impact of such behavior; the
+match will fail with an error after approximately MatchTimeout. No timeout
+checks are done by default.
+
+Timeout checking is not free. The current timeout checking implementation 
starts
+a background worker that updates a clock value approximately once every 100
+milliseconds. The matching code compares this value against the precomputed
+deadline for the match. The performance impact is as follows.
+
+1.  A match with a timeout runs almost as fast as a match without a timeout.
+2.  If any live matches have a timeout, there will be a background CPU load
+    (`~0.15%` currently on a modern machine). This load will remain constant
+    regardless of the number of matches done including matches done in 
parallel.
+3.  If no live matches are using a timeout, the background load will remain
+    until the longest deadline (match timeout + the time when the match 
started)
+    is reached. E.g., if you set a timeout of one minute the load will persist
+    for approximately a minute even if the match finishes quickly.
+
+See [PR #58](https://github.com/dlclark/regexp2/pull/58) for more details and 
+alternatives considered.
+
+## Goroutine leak error
+If you're using a library during unit tests (e.g. 
https://github.com/uber-go/goleak) that validates all goroutines are exited 
then you'll likely get an error if you or any of your dependencies use regex's 
with a MatchTimeout. 
+To remedy the problem you'll need to tell the unit test to wait until the 
backgroup timeout goroutine is exited.
+
+```go
+func TestSomething(t *testing.T) {
+    defer goleak.VerifyNone(t)
+    defer regexp2.StopTimeoutClock()
+
+    // ... test
+}
+
+//or
+
+func TestMain(m *testing.M) {
+    // setup
+    // ...
+
+    // run 
+    m.Run()
+
+    //tear down
+    regexp2.StopTimeoutClock()
+    goleak.VerifyNone(t)
+}
+```
+
+This will add ~100ms runtime to each test (or TestMain). If that's too much 
time you can set the clock cycle rate of the timeout goroutine in an init 
function in a test file. `regexp2.SetTimeoutCheckPeriod` isn't threadsafe so it 
must be setup before starting any regex's with Timeouts.
+
+```go
+func init() {
+       //speed up testing by making the timeout clock 1ms
+       regexp2.SetTimeoutCheckPeriod(time.Millisecond)
+}
+```
+
 ## ECMAScript compatibility mode
 In this mode the engine provides compatibility with the [regex 
engine](https://tc39.es/ecma262/multipage/text-processing.html#sec-regexp-regular-expression-objects)
 described in the ECMAScript specification.
 
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/dlclark/regexp2/fastclock.go 
new/vendor/github.com/dlclark/regexp2/fastclock.go
--- old/vendor/github.com/dlclark/regexp2/fastclock.go  1970-01-01 
01:00:00.000000000 +0100
+++ new/vendor/github.com/dlclark/regexp2/fastclock.go  2024-06-30 
19:19:20.000000000 +0200
@@ -0,0 +1,129 @@
+package regexp2
+
+import (
+       "sync"
+       "sync/atomic"
+       "time"
+)
+
+// fasttime holds a time value (ticks since clock initialization)
+type fasttime int64
+
+// fastclock provides a fast clock implementation.
+//
+// A background goroutine periodically stores the current time
+// into an atomic variable.
+//
+// A deadline can be quickly checked for expiration by comparing
+// its value to the clock stored in the atomic variable.
+//
+// The goroutine automatically stops once clockEnd is reached.
+// (clockEnd covers the largest deadline seen so far + some
+// extra time). This ensures that if regexp2 with timeouts
+// stops being used we will stop background work.
+type fastclock struct {
+       // instances of atomicTime must be at the start of the struct (or at 
least 64-bit aligned)
+       // otherwise 32-bit architectures will panic
+
+       current  atomicTime // Current time (approximate)
+       clockEnd atomicTime // When clock updater is supposed to stop (>= any 
existing deadline)
+
+       // current and clockEnd can be read via atomic loads.
+       // Reads and writes of other fields require mu to be held.
+       mu      sync.Mutex
+       start   time.Time // Time corresponding to fasttime(0)
+       running bool      // Is a clock updater running?
+}
+
+var fast fastclock
+
+// reached returns true if current time is at or past t.
+func (t fasttime) reached() bool {
+       return fast.current.read() >= t
+}
+
+// makeDeadline returns a time that is approximately time.Now().Add(d)
+func makeDeadline(d time.Duration) fasttime {
+       // Increase the deadline since the clock we are reading may be
+       // just about to tick forwards.
+       end := fast.current.read() + durationToTicks(d+clockPeriod)
+
+       // Start or extend clock if necessary.
+       if end > fast.clockEnd.read() {
+               extendClock(end)
+       }
+       return end
+}
+
+// extendClock ensures that clock is live and will run until at least end.
+func extendClock(end fasttime) {
+       fast.mu.Lock()
+       defer fast.mu.Unlock()
+
+       if fast.start.IsZero() {
+               fast.start = time.Now()
+       }
+
+       // Extend the running time to cover end as well as a bit of slop.
+       if shutdown := end + durationToTicks(time.Second); shutdown > 
fast.clockEnd.read() {
+               fast.clockEnd.write(shutdown)
+       }
+
+       // Start clock if necessary
+       if !fast.running {
+               fast.running = true
+               go runClock()
+       }
+}
+
+// stop the timeout clock in the background
+// should only used for unit tests to abandon the background goroutine
+func stopClock() {
+       fast.mu.Lock()
+       if fast.running {
+               fast.clockEnd.write(fasttime(0))
+       }
+       fast.mu.Unlock()
+
+       // pause until not running
+       // get and release the lock
+       isRunning := true
+       for isRunning {
+               time.Sleep(clockPeriod / 2)
+               fast.mu.Lock()
+               isRunning = fast.running
+               fast.mu.Unlock()
+       }
+}
+
+func durationToTicks(d time.Duration) fasttime {
+       // Downscale nanoseconds to approximately a millisecond so that we can 
avoid
+       // overflow even if the caller passes in math.MaxInt64.
+       return fasttime(d) >> 20
+}
+
+const DefaultClockPeriod = 100 * time.Millisecond
+
+// clockPeriod is the approximate interval between updates of approximateClock.
+var clockPeriod = DefaultClockPeriod
+
+func runClock() {
+       fast.mu.Lock()
+       defer fast.mu.Unlock()
+
+       for fast.current.read() <= fast.clockEnd.read() {
+               // Unlock while sleeping.
+               fast.mu.Unlock()
+               time.Sleep(clockPeriod)
+               fast.mu.Lock()
+
+               newTime := durationToTicks(time.Since(fast.start))
+               fast.current.write(newTime)
+       }
+       fast.running = false
+}
+
+type atomicTime struct{ v int64 } // Should change to atomic.Int64 when we can 
use go 1.19
+
+func (t *atomicTime) read() fasttime   { return 
fasttime(atomic.LoadInt64(&t.v)) }
+func (t *atomicTime) write(v fasttime) { atomic.StoreInt64(&t.v, int64(v)) }
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/dlclark/regexp2/regexp.go 
new/vendor/github.com/dlclark/regexp2/regexp.go
--- old/vendor/github.com/dlclark/regexp2/regexp.go     2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/dlclark/regexp2/regexp.go     2024-06-30 
19:19:20.000000000 +0200
@@ -18,13 +18,21 @@
        "github.com/dlclark/regexp2/syntax"
 )
 
-// Default timeout used when running regexp matches -- "forever"
-var DefaultMatchTimeout = time.Duration(math.MaxInt64)
+var (
+       // DefaultMatchTimeout used when running regexp matches -- "forever"
+       DefaultMatchTimeout = time.Duration(math.MaxInt64)
+       // DefaultUnmarshalOptions used when unmarshaling a regex from text
+       DefaultUnmarshalOptions = None
+)
 
 // Regexp is the representation of a compiled regular expression.
 // A Regexp is safe for concurrent use by multiple goroutines.
 type Regexp struct {
-       //timeout when trying to find matches
+       // A match will time out if it takes (approximately) more than
+       // MatchTimeout. This is a safety check in case the match
+       // encounters catastrophic backtracking.  The default value
+       // (DefaultMatchTimeout) causes all time out checking to be
+       // suppressed.
        MatchTimeout time.Duration
 
        // read-only after Compile
@@ -39,7 +47,7 @@
        code *syntax.Code // compiled program
 
        // cache of machines for running regexp
-       muRun  sync.Mutex
+       muRun  *sync.Mutex
        runner []*runner
 }
 
@@ -68,6 +76,7 @@
                capsize:      code.Capsize,
                code:         code,
                MatchTimeout: DefaultMatchTimeout,
+               muRun:        &sync.Mutex{},
        }, nil
 }
 
@@ -92,6 +101,19 @@
        return syntax.Unescape(input)
 }
 
+// SetTimeoutPeriod is a debug function that sets the frequency of the timeout 
goroutine's sleep cycle.
+// Defaults to 100ms. The only benefit of setting this lower is that the 1 
background goroutine that manages
+// timeouts may exit slightly sooner after all the timeouts have expired. See 
Github issue #63
+func SetTimeoutCheckPeriod(d time.Duration) {
+       clockPeriod = d
+}
+
+// StopTimeoutClock should only be used in unit tests to prevent the timeout 
clock goroutine
+// from appearing like a leaking goroutine
+func StopTimeoutClock() {
+       stopClock()
+}
+
 // String returns the source text used to compile the regular expression.
 func (re *Regexp) String() string {
        return re.pattern
@@ -354,3 +376,20 @@
 
        return -1
 }
+
+// MarshalText implements [encoding.TextMarshaler]. The output
+// matches that of calling the [Regexp.String] method.
+func (re *Regexp) MarshalText() ([]byte, error) {
+       return []byte(re.String()), nil
+}
+
+// UnmarshalText implements [encoding.TextUnmarshaler] by calling
+// [Compile] on the encoded value.
+func (re *Regexp) UnmarshalText(text []byte) error {
+       newRE, err := Compile(string(text), DefaultUnmarshalOptions)
+       if err != nil {
+               return err
+       }
+       *re = *newRE
+       return nil
+}
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/dlclark/regexp2/runner.go 
new/vendor/github.com/dlclark/regexp2/runner.go
--- old/vendor/github.com/dlclark/regexp2/runner.go     2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/dlclark/regexp2/runner.go     2024-06-30 
19:19:20.000000000 +0200
@@ -58,10 +58,9 @@
 
        runmatch *Match // result object
 
-       ignoreTimeout       bool
-       timeout             time.Duration // timeout in milliseconds (needed 
for actual)
-       timeoutChecksToSkip int
-       timeoutAt           time.Time
+       ignoreTimeout bool
+       timeout       time.Duration // timeout in milliseconds (needed for 
actual)
+       deadline      fasttime
 
        operator        syntax.InstOp
        codepos         int
@@ -1551,39 +1550,15 @@
                (index < endpos && syntax.IsECMAWordChar(r.runtext[index]))
 }
 
-// this seems like a comment to justify randomly picking 1000 :-P
-// We have determined this value in a series of experiments where x86 retail
-// builds (ono-lab-optimized) were run on different pattern/input pairs. 
Larger values
-// of TimeoutCheckFrequency did not tend to increase performance; smaller 
values
-// of TimeoutCheckFrequency tended to slow down the execution.
-const timeoutCheckFrequency int = 1000
-
 func (r *runner) startTimeoutWatch() {
        if r.ignoreTimeout {
                return
        }
-
-       r.timeoutChecksToSkip = timeoutCheckFrequency
-       r.timeoutAt = time.Now().Add(r.timeout)
+       r.deadline = makeDeadline(r.timeout)
 }
 
 func (r *runner) checkTimeout() error {
-       if r.ignoreTimeout {
-               return nil
-       }
-       r.timeoutChecksToSkip--
-       if r.timeoutChecksToSkip != 0 {
-               return nil
-       }
-
-       r.timeoutChecksToSkip = timeoutCheckFrequency
-       return r.doCheckTimeout()
-}
-
-func (r *runner) doCheckTimeout() error {
-       current := time.Now()
-
-       if current.Before(r.timeoutAt) {
+       if r.ignoreTimeout || !r.deadline.reached() {
                return nil
        }
 
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/dlclark/regexp2/syntax/parser.go 
new/vendor/github.com/dlclark/regexp2/syntax/parser.go
--- old/vendor/github.com/dlclark/regexp2/syntax/parser.go      2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/dlclark/regexp2/syntax/parser.go      2024-06-30 
19:19:20.000000000 +0200
@@ -1311,6 +1311,17 @@
 
 // Scans X for \p{X} or \P{X}
 func (p *parser) parseProperty() (string, error) {
+       // RE2 and PCRE supports \pX syntax (no {} and only 1 letter unicode 
cats supported)
+       // since this is purely additive syntax it's not behind a flag
+       if p.charsRight() >= 1 && p.rightChar(0) != '{' {
+               ch := string(p.moveRightGetChar())
+               // check if it's a valid cat
+               if !isValidUnicodeCat(ch) {
+                       return "", p.getErr(ErrUnknownSlashP, ch)
+               }
+               return ch, nil
+       }
+
        if p.charsRight() < 3 {
                return "", p.getErr(ErrIncompleteSlashP)
        }
@@ -1427,7 +1438,7 @@
        return string(p.pattern[startpos:p.textpos()])
 }
 
-//Scans contents of [] (not including []'s), and converts to a set.
+// Scans contents of [] (not including []'s), and converts to a set.
 func (p *parser) scanCharSet(caseInsensitive, scanOnly bool) (*CharSet, error) 
{
        ch := '\x00'
        chPrev := '\x00'
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/go-sourcemap/sourcemap/.travis.yml 
new/vendor/github.com/go-sourcemap/sourcemap/.travis.yml
--- old/vendor/github.com/go-sourcemap/sourcemap/.travis.yml    2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/go-sourcemap/sourcemap/.travis.yml    1970-01-01 
01:00:00.000000000 +0100
@@ -1,12 +0,0 @@
-sudo: false
-language: go
-
-go:
-  - 1.12.x
-  - 1.13.x
-  - 1.14.x
-  - tip
-
-matrix:
-  allow_failures:
-    - go: tip
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/go-sourcemap/sourcemap/README.md 
new/vendor/github.com/go-sourcemap/sourcemap/README.md
--- old/vendor/github.com/go-sourcemap/sourcemap/README.md      2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/go-sourcemap/sourcemap/README.md      2024-06-30 
19:19:20.000000000 +0200
@@ -1,10 +1,11 @@
 # Source maps consumer for Golang
 
-[![Build 
Status](https://travis-ci.org/go-sourcemap/sourcemap.svg)](https://travis-ci.org/go-sourcemap/sourcemap)
+[![PkgGoDev](https://pkg.go.dev/badge/github.com/go-sourcemap/sourcemap)](https://pkg.go.dev/github.com/go-sourcemap/sourcemap)
 
-API docs: https://godoc.org/github.com/go-sourcemap/sourcemap.
-Examples: https://godoc.org/github.com/go-sourcemap/sourcemap#pkg-examples.
-Spec: 
https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit.
+> This package is brought to you by :star: 
[**uptrace/uptrace**](https://github.com/uptrace/uptrace).
+> Uptrace is an open-source APM tool that supports distributed tracing, 
metrics, and logs. You can
+> use it to monitor applications and set up automatic alerts to receive 
notifications via email,
+> Slack, Telegram, and others.
 
 ## Installation
 
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/go-sourcemap/sourcemap/consumer.go 
new/vendor/github.com/go-sourcemap/sourcemap/consumer.go
--- old/vendor/github.com/go-sourcemap/sourcemap/consumer.go    2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/go-sourcemap/sourcemap/consumer.go    2024-06-30 
19:19:20.000000000 +0200
@@ -184,6 +184,10 @@
 func (c *Consumer) source(
        m *sourceMap, genLine, genColumn int,
 ) (source, name string, line, column int, ok bool) {
+       if len(m.mappings) == 0 {
+               return
+       }
+
        i := sort.Search(len(m.mappings), func(i int) bool {
                m := &m.mappings[i]
                if int(m.genLine) == genLine {
@@ -192,19 +196,24 @@
                return int(m.genLine) >= genLine
        })
 
-       // Mapping not found.
+       var match *mapping
+       // Mapping not found
        if i == len(m.mappings) {
-               return
-       }
-
-       match := &m.mappings[i]
-
-       // Fuzzy match.
-       if int(match.genLine) > genLine || int(match.genColumn) > genColumn {
-               if i == 0 {
+               // lets see if the line is correct but the column is bigger
+               match = &m.mappings[i-1]
+               if int(match.genLine) != genLine {
                        return
                }
-               match = &m.mappings[i-1]
+       } else {
+               match = &m.mappings[i]
+
+               // Fuzzy match.
+               if int(match.genLine) > genLine || int(match.genColumn) > 
genColumn {
+                       if i == 0 {
+                               return
+                       }
+                       match = &m.mappings[i-1]
+               }
        }
 
        if match.sourcesInd >= 0 {
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/go-sourcemap/sourcemap/mappings.go 
new/vendor/github.com/go-sourcemap/sourcemap/mappings.go
--- old/vendor/github.com/go-sourcemap/sourcemap/mappings.go    2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/go-sourcemap/sourcemap/mappings.go    2024-06-30 
19:19:20.000000000 +0200
@@ -23,8 +23,9 @@
        rd  *strings.Reader
        dec base64vlq.Decoder
 
-       hasName bool
-       value   mapping
+       hasValue bool
+       hasName  bool
+       value    mapping
 
        values []mapping
 }
@@ -91,6 +92,7 @@
                        if err != nil {
                                return err
                        }
+                       m.hasValue = true
                }
        }
 }
@@ -142,10 +144,10 @@
 }
 
 func (m *mappings) pushValue() {
-       if m.value.sourceLine == 1 && m.value.sourceColumn == 0 {
+       if !m.hasValue {
                return
        }
-
+       m.hasValue = false
        if m.hasName {
                m.values = append(m.values, m.value)
                m.hasName = false
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/google/pprof/profile/encode.go 
new/vendor/github.com/google/pprof/profile/encode.go
--- old/vendor/github.com/google/pprof/profile/encode.go        2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/google/pprof/profile/encode.go        2024-06-30 
19:19:20.000000000 +0200
@@ -258,10 +258,10 @@
                // If this a main linux kernel mapping with a relocation symbol 
suffix
                // ("[kernel.kallsyms]_text"), extract said suffix.
                // It is fairly hacky to handle at this level, but the 
alternatives appear even worse.
-               if strings.HasPrefix(m.File, "[kernel.kallsyms]") {
-                       m.KernelRelocationSymbol = strings.ReplaceAll(m.File, 
"[kernel.kallsyms]", "")
+               const prefix = "[kernel.kallsyms]"
+               if strings.HasPrefix(m.File, prefix) {
+                       m.KernelRelocationSymbol = m.File[len(prefix):]
                }
-
        }
 
        functions := make(map[uint64]*Function, len(p.Function))
@@ -530,6 +530,7 @@
 func (p *Line) encode(b *buffer) {
        encodeUint64Opt(b, 1, p.functionIDX)
        encodeInt64Opt(b, 2, p.Line)
+       encodeInt64Opt(b, 3, p.Column)
 }
 
 var lineDecoder = []decoder{
@@ -538,6 +539,8 @@
        func(b *buffer, m message) error { return decodeUint64(b, 
&m.(*Line).functionIDX) },
        // optional int64 line = 2
        func(b *buffer, m message) error { return decodeInt64(b, 
&m.(*Line).Line) },
+       // optional int64 column = 3
+       func(b *buffer, m message) error { return decodeInt64(b, 
&m.(*Line).Column) },
 }
 
 func (p *Function) decoder() []decoder {
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' 
old/vendor/github.com/google/pprof/profile/legacy_java_profile.go 
new/vendor/github.com/google/pprof/profile/legacy_java_profile.go
--- old/vendor/github.com/google/pprof/profile/legacy_java_profile.go   
2024-03-24 11:29:48.000000000 +0100
+++ new/vendor/github.com/google/pprof/profile/legacy_java_profile.go   
2024-06-30 19:19:20.000000000 +0200
@@ -56,7 +56,7 @@
        }
 
        // Strip out addresses for better merge.
-       if err = p.Aggregate(true, true, true, true, false); err != nil {
+       if err = p.Aggregate(true, true, true, true, false, false); err != nil {
                return nil, err
        }
 
@@ -99,7 +99,7 @@
        }
 
        // Strip out addresses for better merge.
-       if err = p.Aggregate(true, true, true, true, false); err != nil {
+       if err = p.Aggregate(true, true, true, true, false, false); err != nil {
                return nil, err
        }
 
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/google/pprof/profile/merge.go 
new/vendor/github.com/google/pprof/profile/merge.go
--- old/vendor/github.com/google/pprof/profile/merge.go 2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/google/pprof/profile/merge.go 2024-06-30 
19:19:20.000000000 +0200
@@ -326,12 +326,13 @@
                key.addr -= l.Mapping.Start
                key.mappingID = l.Mapping.ID
        }
-       lines := make([]string, len(l.Line)*2)
+       lines := make([]string, len(l.Line)*3)
        for i, line := range l.Line {
                if line.Function != nil {
                        lines[i*2] = strconv.FormatUint(line.Function.ID, 16)
                }
                lines[i*2+1] = strconv.FormatInt(line.Line, 16)
+               lines[i*2+2] = strconv.FormatInt(line.Column, 16)
        }
        key.lines = strings.Join(lines, "|")
        return key
@@ -418,6 +419,7 @@
        ln := Line{
                Function: pm.mapFunction(src.Function),
                Line:     src.Line,
+               Column:   src.Column,
        }
        return ln
 }
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/github.com/google/pprof/profile/profile.go 
new/vendor/github.com/google/pprof/profile/profile.go
--- old/vendor/github.com/google/pprof/profile/profile.go       2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/github.com/google/pprof/profile/profile.go       2024-06-30 
19:19:20.000000000 +0200
@@ -145,6 +145,7 @@
 type Line struct {
        Function *Function
        Line     int64
+       Column   int64
 
        functionIDX uint64
 }
@@ -436,7 +437,7 @@
 // Aggregate merges the locations in the profile into equivalence
 // classes preserving the request attributes. It also updates the
 // samples to point to the merged locations.
-func (p *Profile) Aggregate(inlineFrame, function, filename, linenumber, 
address bool) error {
+func (p *Profile) Aggregate(inlineFrame, function, filename, linenumber, 
columnnumber, address bool) error {
        for _, m := range p.Mapping {
                m.HasInlineFrames = m.HasInlineFrames && inlineFrame
                m.HasFunctions = m.HasFunctions && function
@@ -458,7 +459,7 @@
        }
 
        // Aggregate locations
-       if !inlineFrame || !address || !linenumber {
+       if !inlineFrame || !address || !linenumber || !columnnumber {
                for _, l := range p.Location {
                        if !inlineFrame && len(l.Line) > 1 {
                                l.Line = l.Line[len(l.Line)-1:]
@@ -466,6 +467,12 @@
                        if !linenumber {
                                for i := range l.Line {
                                        l.Line[i].Line = 0
+                                       l.Line[i].Column = 0
+                               }
+                       }
+                       if !columnnumber {
+                               for i := range l.Line {
+                                       l.Line[i].Column = 0
                                }
                        }
                        if !address {
@@ -627,10 +634,11 @@
        for li := range l.Line {
                lnStr := "??"
                if fn := l.Line[li].Function; fn != nil {
-                       lnStr = fmt.Sprintf("%s %s:%d s=%d",
+                       lnStr = fmt.Sprintf("%s %s:%d:%d s=%d",
                                fn.Name,
                                fn.Filename,
                                l.Line[li].Line,
+                               l.Line[li].Column,
                                fn.StartLine)
                        if fn.Name != fn.SystemName {
                                lnStr = lnStr + "(" + fn.SystemName + ")"
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/golang.org/x/sys/unix/mmap_nomremap.go 
new/vendor/golang.org/x/sys/unix/mmap_nomremap.go
--- old/vendor/golang.org/x/sys/unix/mmap_nomremap.go   2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/golang.org/x/sys/unix/mmap_nomremap.go   2024-06-30 
19:19:20.000000000 +0200
@@ -2,7 +2,7 @@
 // Use of this source code is governed by a BSD-style
 // license that can be found in the LICENSE file.
 
-//go:build aix || darwin || dragonfly || freebsd || openbsd || solaris
+//go:build aix || darwin || dragonfly || freebsd || openbsd || solaris || zos
 
 package unix
 
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/golang.org/x/sys/unix/syscall_zos_s390x.go 
new/vendor/golang.org/x/sys/unix/syscall_zos_s390x.go
--- old/vendor/golang.org/x/sys/unix/syscall_zos_s390x.go       2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/golang.org/x/sys/unix/syscall_zos_s390x.go       2024-06-30 
19:19:20.000000000 +0200
@@ -1520,6 +1520,14 @@
        return nil
 }
 
+func Mmap(fd int, offset int64, length int, prot int, flags int) (data []byte, 
err error) {
+        return mapper.Mmap(fd, offset, length, prot, flags)
+}
+
+func Munmap(b []byte) (err error) {
+        return mapper.Munmap(b)
+}
+
 func Read(fd int, p []byte) (n int, err error) {
        n, err = read(fd, p)
        if raceenabled {
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/golang.org/x/sys/windows/syscall_windows.go 
new/vendor/golang.org/x/sys/windows/syscall_windows.go
--- old/vendor/golang.org/x/sys/windows/syscall_windows.go      2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/golang.org/x/sys/windows/syscall_windows.go      2024-06-30 
19:19:20.000000000 +0200
@@ -165,6 +165,7 @@
 //sys  CreateFile(name *uint16, access uint32, mode uint32, sa 
*SecurityAttributes, createmode uint32, attrs uint32, templatefile Handle) 
(handle Handle, err error) [failretval==InvalidHandle] = CreateFileW
 //sys  CreateNamedPipe(name *uint16, flags uint32, pipeMode uint32, 
maxInstances uint32, outSize uint32, inSize uint32, defaultTimeout uint32, sa 
*SecurityAttributes) (handle Handle, err error)  [failretval==InvalidHandle] = 
CreateNamedPipeW
 //sys  ConnectNamedPipe(pipe Handle, overlapped *Overlapped) (err error)
+//sys  DisconnectNamedPipe(pipe Handle) (err error)
 //sys  GetNamedPipeInfo(pipe Handle, flags *uint32, outSize *uint32, inSize 
*uint32, maxInstances *uint32) (err error)
 //sys  GetNamedPipeHandleState(pipe Handle, state *uint32, curInstances 
*uint32, maxCollectionCount *uint32, collectDataTimeout *uint32, userName 
*uint16, maxUserNameSize uint32) (err error) = GetNamedPipeHandleStateW
 //sys  SetNamedPipeHandleState(pipe Handle, state *uint32, maxCollectionCount 
*uint32, collectDataTimeout *uint32) (err error) = SetNamedPipeHandleState
@@ -348,8 +349,19 @@
 //sys  SetProcessPriorityBoost(process Handle, disable bool) (err error) = 
kernel32.SetProcessPriorityBoost
 //sys  GetProcessWorkingSetSizeEx(hProcess Handle, lpMinimumWorkingSetSize 
*uintptr, lpMaximumWorkingSetSize *uintptr, flags *uint32)
 //sys  SetProcessWorkingSetSizeEx(hProcess Handle, dwMinimumWorkingSetSize 
uintptr, dwMaximumWorkingSetSize uintptr, flags uint32) (err error)
+//sys  ClearCommBreak(handle Handle) (err error)
+//sys  ClearCommError(handle Handle, lpErrors *uint32, lpStat *ComStat) (err 
error)
+//sys  EscapeCommFunction(handle Handle, dwFunc uint32) (err error)
+//sys  GetCommState(handle Handle, lpDCB *DCB) (err error)
+//sys  GetCommModemStatus(handle Handle, lpModemStat *uint32) (err error)
 //sys  GetCommTimeouts(handle Handle, timeouts *CommTimeouts) (err error)
+//sys  PurgeComm(handle Handle, dwFlags uint32) (err error)
+//sys  SetCommBreak(handle Handle) (err error)
+//sys  SetCommMask(handle Handle, dwEvtMask uint32) (err error)
+//sys  SetCommState(handle Handle, lpDCB *DCB) (err error)
 //sys  SetCommTimeouts(handle Handle, timeouts *CommTimeouts) (err error)
+//sys  SetupComm(handle Handle, dwInQueue uint32, dwOutQueue uint32) (err 
error)
+//sys  WaitCommEvent(handle Handle, lpEvtMask *uint32, lpOverlapped 
*Overlapped) (err error)
 //sys  GetActiveProcessorCount(groupNumber uint16) (ret uint32)
 //sys  GetMaximumProcessorCount(groupNumber uint16) (ret uint32)
 //sys  EnumWindows(enumFunc uintptr, param unsafe.Pointer) (err error) = 
user32.EnumWindows
@@ -1834,3 +1846,73 @@
        // accept arguments that can be casted to uintptr, and Coord can't.
        return resizePseudoConsole(pconsole, 
*((*uint32)(unsafe.Pointer(&size))))
 }
+
+// DCB constants. See 
https://learn.microsoft.com/en-us/windows/win32/api/winbase/ns-winbase-dcb.
+const (
+       CBR_110    = 110
+       CBR_300    = 300
+       CBR_600    = 600
+       CBR_1200   = 1200
+       CBR_2400   = 2400
+       CBR_4800   = 4800
+       CBR_9600   = 9600
+       CBR_14400  = 14400
+       CBR_19200  = 19200
+       CBR_38400  = 38400
+       CBR_57600  = 57600
+       CBR_115200 = 115200
+       CBR_128000 = 128000
+       CBR_256000 = 256000
+
+       DTR_CONTROL_DISABLE   = 0x00000000
+       DTR_CONTROL_ENABLE    = 0x00000010
+       DTR_CONTROL_HANDSHAKE = 0x00000020
+
+       RTS_CONTROL_DISABLE   = 0x00000000
+       RTS_CONTROL_ENABLE    = 0x00001000
+       RTS_CONTROL_HANDSHAKE = 0x00002000
+       RTS_CONTROL_TOGGLE    = 0x00003000
+
+       NOPARITY    = 0
+       ODDPARITY   = 1
+       EVENPARITY  = 2
+       MARKPARITY  = 3
+       SPACEPARITY = 4
+
+       ONESTOPBIT   = 0
+       ONE5STOPBITS = 1
+       TWOSTOPBITS  = 2
+)
+
+// EscapeCommFunction constants. See 
https://learn.microsoft.com/en-us/windows/win32/api/winbase/nf-winbase-escapecommfunction.
+const (
+       SETXOFF  = 1
+       SETXON   = 2
+       SETRTS   = 3
+       CLRRTS   = 4
+       SETDTR   = 5
+       CLRDTR   = 6
+       SETBREAK = 8
+       CLRBREAK = 9
+)
+
+// PurgeComm constants. See 
https://learn.microsoft.com/en-us/windows/win32/api/winbase/nf-winbase-purgecomm.
+const (
+       PURGE_TXABORT = 0x0001
+       PURGE_RXABORT = 0x0002
+       PURGE_TXCLEAR = 0x0004
+       PURGE_RXCLEAR = 0x0008
+)
+
+// SetCommMask constants. See 
https://learn.microsoft.com/en-us/windows/win32/api/winbase/nf-winbase-setcommmask.
+const (
+       EV_RXCHAR  = 0x0001
+       EV_RXFLAG  = 0x0002
+       EV_TXEMPTY = 0x0004
+       EV_CTS     = 0x0008
+       EV_DSR     = 0x0010
+       EV_RLSD    = 0x0020
+       EV_BREAK   = 0x0040
+       EV_ERR     = 0x0080
+       EV_RING    = 0x0100
+)
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/golang.org/x/sys/windows/types_windows.go 
new/vendor/golang.org/x/sys/windows/types_windows.go
--- old/vendor/golang.org/x/sys/windows/types_windows.go        2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/golang.org/x/sys/windows/types_windows.go        2024-06-30 
19:19:20.000000000 +0200
@@ -3380,3 +3380,27 @@
        Size     uint32
        BlobData *byte
 }
+
+type ComStat struct {
+       Flags    uint32
+       CBInQue  uint32
+       CBOutQue uint32
+}
+
+type DCB struct {
+       DCBlength  uint32
+       BaudRate   uint32
+       Flags      uint32
+       wReserved  uint16
+       XonLim     uint16
+       XoffLim    uint16
+       ByteSize   uint8
+       Parity     uint8
+       StopBits   uint8
+       XonChar    byte
+       XoffChar   byte
+       ErrorChar  byte
+       EofChar    byte
+       EvtChar    byte
+       wReserved1 uint16
+}
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/golang.org/x/sys/windows/zsyscall_windows.go 
new/vendor/golang.org/x/sys/windows/zsyscall_windows.go
--- old/vendor/golang.org/x/sys/windows/zsyscall_windows.go     2024-03-24 
11:29:48.000000000 +0100
+++ new/vendor/golang.org/x/sys/windows/zsyscall_windows.go     2024-06-30 
19:19:20.000000000 +0200
@@ -188,6 +188,8 @@
        procAssignProcessToJobObject                             = 
modkernel32.NewProc("AssignProcessToJobObject")
        procCancelIo                                             = 
modkernel32.NewProc("CancelIo")
        procCancelIoEx                                           = 
modkernel32.NewProc("CancelIoEx")
+       procClearCommBreak                                       = 
modkernel32.NewProc("ClearCommBreak")
+       procClearCommError                                       = 
modkernel32.NewProc("ClearCommError")
        procCloseHandle                                          = 
modkernel32.NewProc("CloseHandle")
        procClosePseudoConsole                                   = 
modkernel32.NewProc("ClosePseudoConsole")
        procConnectNamedPipe                                     = 
modkernel32.NewProc("ConnectNamedPipe")
@@ -212,7 +214,9 @@
        procDeleteProcThreadAttributeList                        = 
modkernel32.NewProc("DeleteProcThreadAttributeList")
        procDeleteVolumeMountPointW                              = 
modkernel32.NewProc("DeleteVolumeMountPointW")
        procDeviceIoControl                                      = 
modkernel32.NewProc("DeviceIoControl")
+       procDisconnectNamedPipe                                  = 
modkernel32.NewProc("DisconnectNamedPipe")
        procDuplicateHandle                                      = 
modkernel32.NewProc("DuplicateHandle")
+       procEscapeCommFunction                                   = 
modkernel32.NewProc("EscapeCommFunction")
        procExitProcess                                          = 
modkernel32.NewProc("ExitProcess")
        procExpandEnvironmentStringsW                            = 
modkernel32.NewProc("ExpandEnvironmentStringsW")
        procFindClose                                            = 
modkernel32.NewProc("FindClose")
@@ -236,6 +240,8 @@
        procGenerateConsoleCtrlEvent                             = 
modkernel32.NewProc("GenerateConsoleCtrlEvent")
        procGetACP                                               = 
modkernel32.NewProc("GetACP")
        procGetActiveProcessorCount                              = 
modkernel32.NewProc("GetActiveProcessorCount")
+       procGetCommModemStatus                                   = 
modkernel32.NewProc("GetCommModemStatus")
+       procGetCommState                                         = 
modkernel32.NewProc("GetCommState")
        procGetCommTimeouts                                      = 
modkernel32.NewProc("GetCommTimeouts")
        procGetCommandLineW                                      = 
modkernel32.NewProc("GetCommandLineW")
        procGetComputerNameExW                                   = 
modkernel32.NewProc("GetComputerNameExW")
@@ -322,6 +328,7 @@
        procProcess32NextW                                       = 
modkernel32.NewProc("Process32NextW")
        procProcessIdToSessionId                                 = 
modkernel32.NewProc("ProcessIdToSessionId")
        procPulseEvent                                           = 
modkernel32.NewProc("PulseEvent")
+       procPurgeComm                                            = 
modkernel32.NewProc("PurgeComm")
        procQueryDosDeviceW                                      = 
modkernel32.NewProc("QueryDosDeviceW")
        procQueryFullProcessImageNameW                           = 
modkernel32.NewProc("QueryFullProcessImageNameW")
        procQueryInformationJobObject                            = 
modkernel32.NewProc("QueryInformationJobObject")
@@ -335,6 +342,9 @@
        procResetEvent                                           = 
modkernel32.NewProc("ResetEvent")
        procResizePseudoConsole                                  = 
modkernel32.NewProc("ResizePseudoConsole")
        procResumeThread                                         = 
modkernel32.NewProc("ResumeThread")
+       procSetCommBreak                                         = 
modkernel32.NewProc("SetCommBreak")
+       procSetCommMask                                          = 
modkernel32.NewProc("SetCommMask")
+       procSetCommState                                         = 
modkernel32.NewProc("SetCommState")
        procSetCommTimeouts                                      = 
modkernel32.NewProc("SetCommTimeouts")
        procSetConsoleCursorPosition                             = 
modkernel32.NewProc("SetConsoleCursorPosition")
        procSetConsoleMode                                       = 
modkernel32.NewProc("SetConsoleMode")
@@ -342,7 +352,6 @@
        procSetDefaultDllDirectories                             = 
modkernel32.NewProc("SetDefaultDllDirectories")
        procSetDllDirectoryW                                     = 
modkernel32.NewProc("SetDllDirectoryW")
        procSetEndOfFile                                         = 
modkernel32.NewProc("SetEndOfFile")
-       procSetFileValidData                                     = 
modkernel32.NewProc("SetFileValidData")
        procSetEnvironmentVariableW                              = 
modkernel32.NewProc("SetEnvironmentVariableW")
        procSetErrorMode                                         = 
modkernel32.NewProc("SetErrorMode")
        procSetEvent                                             = 
modkernel32.NewProc("SetEvent")
@@ -351,6 +360,7 @@
        procSetFileInformationByHandle                           = 
modkernel32.NewProc("SetFileInformationByHandle")
        procSetFilePointer                                       = 
modkernel32.NewProc("SetFilePointer")
        procSetFileTime                                          = 
modkernel32.NewProc("SetFileTime")
+       procSetFileValidData                                     = 
modkernel32.NewProc("SetFileValidData")
        procSetHandleInformation                                 = 
modkernel32.NewProc("SetHandleInformation")
        procSetInformationJobObject                              = 
modkernel32.NewProc("SetInformationJobObject")
        procSetNamedPipeHandleState                              = 
modkernel32.NewProc("SetNamedPipeHandleState")
@@ -361,6 +371,7 @@
        procSetStdHandle                                         = 
modkernel32.NewProc("SetStdHandle")
        procSetVolumeLabelW                                      = 
modkernel32.NewProc("SetVolumeLabelW")
        procSetVolumeMountPointW                                 = 
modkernel32.NewProc("SetVolumeMountPointW")
+       procSetupComm                                            = 
modkernel32.NewProc("SetupComm")
        procSizeofResource                                       = 
modkernel32.NewProc("SizeofResource")
        procSleepEx                                              = 
modkernel32.NewProc("SleepEx")
        procTerminateJobObject                                   = 
modkernel32.NewProc("TerminateJobObject")
@@ -379,6 +390,7 @@
        procVirtualQueryEx                                       = 
modkernel32.NewProc("VirtualQueryEx")
        procVirtualUnlock                                        = 
modkernel32.NewProc("VirtualUnlock")
        procWTSGetActiveConsoleSessionId                         = 
modkernel32.NewProc("WTSGetActiveConsoleSessionId")
+       procWaitCommEvent                                        = 
modkernel32.NewProc("WaitCommEvent")
        procWaitForMultipleObjects                               = 
modkernel32.NewProc("WaitForMultipleObjects")
        procWaitForSingleObject                                  = 
modkernel32.NewProc("WaitForSingleObject")
        procWriteConsoleW                                        = 
modkernel32.NewProc("WriteConsoleW")
@@ -1641,6 +1653,22 @@
        return
 }
 
+func ClearCommBreak(handle Handle) (err error) {
+       r1, _, e1 := syscall.Syscall(procClearCommBreak.Addr(), 1, 
uintptr(handle), 0, 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
+func ClearCommError(handle Handle, lpErrors *uint32, lpStat *ComStat) (err 
error) {
+       r1, _, e1 := syscall.Syscall(procClearCommError.Addr(), 3, 
uintptr(handle), uintptr(unsafe.Pointer(lpErrors)), 
uintptr(unsafe.Pointer(lpStat)))
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func CloseHandle(handle Handle) (err error) {
        r1, _, e1 := syscall.Syscall(procCloseHandle.Addr(), 1, 
uintptr(handle), 0, 0)
        if r1 == 0 {
@@ -1845,6 +1873,14 @@
        return
 }
 
+func DisconnectNamedPipe(pipe Handle) (err error) {
+       r1, _, e1 := syscall.Syscall(procDisconnectNamedPipe.Addr(), 1, 
uintptr(pipe), 0, 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func DuplicateHandle(hSourceProcessHandle Handle, hSourceHandle Handle, 
hTargetProcessHandle Handle, lpTargetHandle *Handle, dwDesiredAccess uint32, 
bInheritHandle bool, dwOptions uint32) (err error) {
        var _p0 uint32
        if bInheritHandle {
@@ -1857,6 +1893,14 @@
        return
 }
 
+func EscapeCommFunction(handle Handle, dwFunc uint32) (err error) {
+       r1, _, e1 := syscall.Syscall(procEscapeCommFunction.Addr(), 2, 
uintptr(handle), uintptr(dwFunc), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func ExitProcess(exitcode uint32) {
        syscall.Syscall(procExitProcess.Addr(), 1, uintptr(exitcode), 0, 0)
        return
@@ -2058,6 +2102,22 @@
        return
 }
 
+func GetCommModemStatus(handle Handle, lpModemStat *uint32) (err error) {
+       r1, _, e1 := syscall.Syscall(procGetCommModemStatus.Addr(), 2, 
uintptr(handle), uintptr(unsafe.Pointer(lpModemStat)), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
+func GetCommState(handle Handle, lpDCB *DCB) (err error) {
+       r1, _, e1 := syscall.Syscall(procGetCommState.Addr(), 2, 
uintptr(handle), uintptr(unsafe.Pointer(lpDCB)), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func GetCommTimeouts(handle Handle, timeouts *CommTimeouts) (err error) {
        r1, _, e1 := syscall.Syscall(procGetCommTimeouts.Addr(), 2, 
uintptr(handle), uintptr(unsafe.Pointer(timeouts)), 0)
        if r1 == 0 {
@@ -2810,6 +2870,14 @@
        return
 }
 
+func PurgeComm(handle Handle, dwFlags uint32) (err error) {
+       r1, _, e1 := syscall.Syscall(procPurgeComm.Addr(), 2, uintptr(handle), 
uintptr(dwFlags), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func QueryDosDevice(deviceName *uint16, targetPath *uint16, max uint32) (n 
uint32, err error) {
        r0, _, e1 := syscall.Syscall(procQueryDosDeviceW.Addr(), 3, 
uintptr(unsafe.Pointer(deviceName)), uintptr(unsafe.Pointer(targetPath)), 
uintptr(max))
        n = uint32(r0)
@@ -2924,6 +2992,30 @@
        return
 }
 
+func SetCommBreak(handle Handle) (err error) {
+       r1, _, e1 := syscall.Syscall(procSetCommBreak.Addr(), 1, 
uintptr(handle), 0, 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
+func SetCommMask(handle Handle, dwEvtMask uint32) (err error) {
+       r1, _, e1 := syscall.Syscall(procSetCommMask.Addr(), 2, 
uintptr(handle), uintptr(dwEvtMask), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
+func SetCommState(handle Handle, lpDCB *DCB) (err error) {
+       r1, _, e1 := syscall.Syscall(procSetCommState.Addr(), 2, 
uintptr(handle), uintptr(unsafe.Pointer(lpDCB)), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func SetCommTimeouts(handle Handle, timeouts *CommTimeouts) (err error) {
        r1, _, e1 := syscall.Syscall(procSetCommTimeouts.Addr(), 2, 
uintptr(handle), uintptr(unsafe.Pointer(timeouts)), 0)
        if r1 == 0 {
@@ -2989,14 +3081,6 @@
        return
 }
 
-func SetFileValidData(handle Handle, validDataLength int64) (err error) {
-       r1, _, e1 := syscall.Syscall(procSetFileValidData.Addr(), 2, 
uintptr(handle), uintptr(validDataLength), 0)
-       if r1 == 0 {
-               err = errnoErr(e1)
-       }
-       return
-}
-
 func SetEnvironmentVariable(name *uint16, value *uint16) (err error) {
        r1, _, e1 := syscall.Syscall(procSetEnvironmentVariableW.Addr(), 2, 
uintptr(unsafe.Pointer(name)), uintptr(unsafe.Pointer(value)), 0)
        if r1 == 0 {
@@ -3060,6 +3144,14 @@
        return
 }
 
+func SetFileValidData(handle Handle, validDataLength int64) (err error) {
+       r1, _, e1 := syscall.Syscall(procSetFileValidData.Addr(), 2, 
uintptr(handle), uintptr(validDataLength), 0)
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func SetHandleInformation(handle Handle, mask uint32, flags uint32) (err 
error) {
        r1, _, e1 := syscall.Syscall(procSetHandleInformation.Addr(), 3, 
uintptr(handle), uintptr(mask), uintptr(flags))
        if r1 == 0 {
@@ -3145,6 +3237,14 @@
        return
 }
 
+func SetupComm(handle Handle, dwInQueue uint32, dwOutQueue uint32) (err error) 
{
+       r1, _, e1 := syscall.Syscall(procSetupComm.Addr(), 3, uintptr(handle), 
uintptr(dwInQueue), uintptr(dwOutQueue))
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func SizeofResource(module Handle, resInfo Handle) (size uint32, err error) {
        r0, _, e1 := syscall.Syscall(procSizeofResource.Addr(), 2, 
uintptr(module), uintptr(resInfo), 0)
        size = uint32(r0)
@@ -3291,6 +3391,14 @@
        return
 }
 
+func WaitCommEvent(handle Handle, lpEvtMask *uint32, lpOverlapped *Overlapped) 
(err error) {
+       r1, _, e1 := syscall.Syscall(procWaitCommEvent.Addr(), 3, 
uintptr(handle), uintptr(unsafe.Pointer(lpEvtMask)), 
uintptr(unsafe.Pointer(lpOverlapped)))
+       if r1 == 0 {
+               err = errnoErr(e1)
+       }
+       return
+}
+
 func waitForMultipleObjects(count uint32, handles uintptr, waitAll bool, 
waitMilliseconds uint32) (event uint32, err error) {
        var _p0 uint32
        if waitAll {
diff -urN '--exclude=CVS' '--exclude=.cvsignore' '--exclude=.svn' 
'--exclude=.svnignore' old/vendor/modules.txt new/vendor/modules.txt
--- old/vendor/modules.txt      2024-03-24 11:29:48.000000000 +0100
+++ new/vendor/modules.txt      2024-06-30 19:19:20.000000000 +0200
@@ -33,7 +33,7 @@
 # github.com/davecgh/go-spew v1.1.1
 ## explicit
 github.com/davecgh/go-spew/spew
-# github.com/dlclark/regexp2 v1.7.0
+# github.com/dlclark/regexp2 v1.11.0
 ## explicit; go 1.13
 github.com/dlclark/regexp2
 github.com/dlclark/regexp2/syntax
@@ -50,7 +50,7 @@
 # github.com/fatih/color v1.16.0
 ## explicit; go 1.17
 github.com/fatih/color
-# github.com/go-sourcemap/sourcemap v2.1.3+incompatible
+# github.com/go-sourcemap/sourcemap v2.1.4+incompatible
 ## explicit
 github.com/go-sourcemap/sourcemap
 github.com/go-sourcemap/sourcemap/internal/base64vlq
@@ -64,7 +64,7 @@
 github.com/goccy/go-yaml/printer
 github.com/goccy/go-yaml/scanner
 github.com/goccy/go-yaml/token
-# github.com/google/pprof v0.0.0-20230207041349-798e818bf904
+# github.com/google/pprof v0.0.0-20240409012703-83162a5b38cd
 ## explicit; go 1.19
 github.com/google/pprof/profile
 # github.com/lucasb-eyer/go-colorful v1.2.0
@@ -111,15 +111,15 @@
 ## explicit; go 1.20
 github.com/stretchr/testify/assert
 github.com/stretchr/testify/require
-# golang.org/x/sync v0.6.0
+# golang.org/x/sync v0.7.0
 ## explicit; go 1.18
 golang.org/x/sync/errgroup
-# golang.org/x/sys v0.18.0
+# golang.org/x/sys v0.19.0
 ## explicit; go 1.18
 golang.org/x/sys/plan9
 golang.org/x/sys/unix
 golang.org/x/sys/windows
-# golang.org/x/term v0.18.0
+# golang.org/x/term v0.19.0
 ## explicit; go 1.18
 golang.org/x/term
 # golang.org/x/text v0.14.0

Reply via email to