sof 0.16.0

Solana Observer Framework for low-latency shred ingestion and plugin-driven transaction observation
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
# sof

`sof` is the observer/runtime crate in the SOF stack.

This crate is what you depend on when you want to:

- ingest Solana data from raw shreds or processed providers
- run plugins against a bounded, multicore runtime
- derive local control-plane and commitment signals without rebuilding the ingest substrate
- expose readiness, health, replay, and queue-pressure semantics through one runtime surface

The crate is intentionally infrastructure-shaped. It is not just a hook registry. It owns the
runtime plumbing under those hooks so application code can stay focused on Solana logic instead of
transport, replay, reconnect, dispatch, and observability.

Crate responsibilities:

- raw shred ingestion (direct UDP, relay, optional gossip bootstrap)
- trusted raw-shred ingest with explicit verification posture
- processed provider ingest (Yellowstone, LaserStream, websocket `transactionSubscribe`, generic)
- dataset reconstruction and transaction extraction
- plugin and derived-state dispatch
- local commitment tagging (`processed` / `confirmed` / `finalized`) without RPC dependency
- bounded runtime health, readiness, and queue observability

## Why Not Rebuild This Per Application

Most teams can write the application logic they want much faster than they can correctly and
efficiently rebuild the substrate under it.

If you build this layer from scratch for every Solana service, you end up re-solving the same
problems:

- raw or provider-stream ingest
- reconnect and backoff behavior
- duplicate suppression and other correctness boundaries
- verification posture and trust modeling
- packet/FEC/dataset reconstruction work
- low-level hot-path tuning around instructions, cache misses, allocations, and copies
- removal of redundant work that creates CPU cost without adding observer value
- fast paths so ignored or low-value traffic can exit earlier
- health, readiness, telemetry, and bounded degradation under pressure

SOF packages that work into one runtime so application developers can stay focused on the Solana
program or downstream service they actually want to build.

That is also why SOF tries to keep semantics consistent across ingress modes. The goal is that a
developer writes one plugin/runtime consumer model while SOF owns the provider-specific runtime
plumbing and performance discipline underneath it.

That performance claim is intentionally scoped: on the validated release fixtures, no regression
was observed on ingest-critical runtime/provider paths, and most of those paths were net-positive
against the older baseline implementations.

The important part is that SOF got there incrementally:

- earlier releases reduced packet churn, dispatch overhead, allocator pressure, and plugin fanout
- `0.12.0` tightened inline transaction visibility and improved validated VPS latency from
  `59.978 / 8.007 / 6.415 ms` to `44.929 / 6.593 / 5.370 ms` for
  `first_shred / last_required_shred / ready -> plugin`
- `0.13.0` added the densest provider/runtime perf slice so far, including:
  - provider transaction-kind classification: `34112us -> 4487us` (`~7.6x`)
  - provider transaction dispatch path: `39157us -> 5751us` (`~6.8x`)
  - provider serialized-ignore path: `42422us -> 23760us` (`~44%` faster)
  - websocket full-transaction parse path: `162560us -> 133309us` (`~18%` faster)

SOF keeps those wins only when measurement proves them. The normal loop is: identify a suspected
bottleneck, capture a baseline, change one thing, re-run A/B checks plus `perf` and runtime
metrics, then keep the change only if the path is measurably better.

The detailed performance history and methodology are in
[`docs/gitbook/use-sof/why-sof-exists.md`](../../docs/gitbook/use-sof/why-sof-exists.md).

## Plugin Contract

The plugin model is intentionally explicit:

- hook subscriptions are static at startup
- borrowed classifiers run on the hot path and should stay cheap
- async hooks run off the ingest hot path through bounded queues
- queue pressure drops hook events instead of stalling ingest
- non-transaction hooks share one bounded queue
- accepted transactions use separate inline-critical, critical, and background lanes
- full queues drop the incoming event; SOF does not evict older queued plugin events
- queue ownership is shared per host/lane, not per plugin
- SOF does not currently guarantee per-plugin fairness under pressure

In other words: overflow is drop-new, not drop-oldest.
- `PluginDispatchMode::Sequential` preserves registration order for one queued event
- `PluginDispatchMode::BoundedConcurrent(n)` gives bounded parallelism instead of strict per-event
  callback ordering
- plugins are not the authoritative replay surface; derived-state consumers are

That means SOF is trying to protect the runtime first and make ordering/backpressure tradeoffs
visible, not implicit.

Queue telemetry is available at aggregate host/lane level:

- `sof_plugin_general_queue_depth`
- `sof_plugin_general_dropped_events_total`
- `sof_plugin_transaction_inline_critical_queue_depth`
- `sof_plugin_transaction_critical_queue_depth`
- `sof_plugin_transaction_background_queue_depth`

Those metrics let operators detect backpressure, event loss, and degraded provider behavior in real
time. Per-plugin pressure visibility is not exposed yet.

## Explicit Trust Model

SOF exposes two explicit raw-shred trust modes:

- `public_untrusted`
  - public gossip or direct public peers
  - keep shred verification on by default
  - highest independence, highest observer-side CPU cost
- `trusted_raw_shred_provider`
  - raw shreds delivered by a provider or private shred-distribution network you explicitly trust
  - best fit when you want SOF's shred-native model without paying public-gossip verification cost
  - this is the expected fast path for low-latency production SOF

`processed_provider_stream` products such as Yellowstone gRPC, LaserStream, or websocket feeds are
easier to consume, but they are a different product category. They are not `SOF_SHRED_TRUST_MODE`
values because they do not feed SOF raw shreds.

`trusted_raw_shred_provider` disables local shred verification by default. Misuse can let invalid
data enter the observer pipeline. Treat it as a trust-boundary choice, not a generic speed knob.

SOF exposes those processed feeds through `ProviderStreamMode`. In that path, provider updates go
straight into transaction or transaction-view-batch dispatch instead of the packet/shred/FEC
pipeline.

Implemented provider-stream adapters:

- Yellowstone gRPC
- LaserStream gRPC
- websocket `transactionSubscribe`
- websocket `logsSubscribe`
- websocket `accountSubscribe`
- websocket `programSubscribe`
- Yellowstone/LaserStream slot feeds

Built-in runtime mode surface:

- `ProviderStreamMode::YellowstoneGrpc`: built-in transaction feed
- `ProviderStreamMode::YellowstoneGrpcTransactionStatus`: built-in transaction-status feed
- `ProviderStreamMode::YellowstoneGrpcAccounts`: built-in account feed
- `ProviderStreamMode::YellowstoneGrpcBlockMeta`: built-in block-meta feed
- `ProviderStreamMode::YellowstoneGrpcSlots`: built-in slot feed
- `ProviderStreamMode::LaserStream`: built-in transaction feed
- `ProviderStreamMode::LaserStreamTransactionStatus`: built-in transaction-status feed
- `ProviderStreamMode::LaserStreamAccounts`: built-in account feed
- `ProviderStreamMode::LaserStreamBlockMeta`: built-in block-meta feed
- `ProviderStreamMode::LaserStreamSlots`: built-in slot feed
- `ProviderStreamMode::WebsocketTransaction`: built-in websocket
  `transactionSubscribe` feed
- `ProviderStreamMode::WebsocketLogs`: built-in websocket `logsSubscribe` feed
- `ProviderStreamMode::WebsocketAccount`: built-in websocket `accountSubscribe` feed
- `ProviderStreamMode::WebsocketProgram`: built-in websocket `programSubscribe` feed

Each built-in source config exposes `runtime_mode()`, and that is the mode you
should pass to `ObserverRuntime::with_provider_stream_ingress(...)` for a
single built-in source. `ProviderStreamMode::Generic` is for custom typed
producers and multi-source fan-in.

Built-in source selectors:

- websocket:
  - `WebsocketTransactionConfig::with_stream(WebsocketPrimaryStream::Transaction)`
  - `WebsocketTransactionConfig::with_stream(WebsocketPrimaryStream::Account(pubkey))`
  - `WebsocketTransactionConfig::with_stream(WebsocketPrimaryStream::Program(program_id))`
  - `WebsocketLogsConfig` for `logsSubscribe`
- Yellowstone:
  - `YellowstoneGrpcConfig::with_stream(YellowstoneGrpcStream::Transaction)`
  - `YellowstoneGrpcConfig::with_stream(YellowstoneGrpcStream::TransactionStatus)`
  - `YellowstoneGrpcConfig::with_stream(YellowstoneGrpcStream::Accounts)`
  - `YellowstoneGrpcConfig::with_stream(YellowstoneGrpcStream::BlockMeta)`
  - `YellowstoneGrpcSlotsConfig` for slot updates
- LaserStream:
  - `LaserStreamConfig::with_stream(LaserStreamStream::Transaction)`
  - `LaserStreamConfig::with_stream(LaserStreamStream::TransactionStatus)`
  - `LaserStreamConfig::with_stream(LaserStreamStream::Accounts)`
  - `LaserStreamConfig::with_stream(LaserStreamStream::BlockMeta)`
  - `LaserStreamSlotsConfig` for slot updates

Built-in provider configs also support:

- `with_source_instance("primary-helius-fra")` for stable per-source observability labels
- `with_readiness(...)` to mark one source as readiness-gating or optional

SOF defaults auxiliary websocket logs and slot-only feeds to optional readiness.
Primary transaction, transaction-status, account, and block-meta feeds default
to required readiness.

Typed runtime mapping for built-in processed providers is listed in the ingest
matrix below.

Built-in processed providers still do not expose standalone control-plane hooks
such as `on_recent_blockhash`, `on_cluster_topology`, `on_leader_schedule`, or
`on_reorg` unless you feed those typed updates through
`ProviderStreamMode::Generic`.

Built-in durability behavior:

- Yellowstone gRPC: explicit replay modes
  - `Live`: start at stream head
  - `Resume` (default): start live, resume from tracked slot after reconnect
  - `FromSlot(n)`: start from slot `n`, then continue with tracked resume behavior
  - built-in Yellowstone startup now owns the first acknowledged session as the
    live session; it does not open a throwaway preflight subscription first
- LaserStream gRPC: same explicit replay modes on top of SDK replay and slot-watermark tracking
  - built-in LaserStream startup now keeps the first successful subscribe as
    the live stream too, instead of dropping an initial preflight session
- websocket `transactionSubscribe`: uses a stall watchdog and best-effort HTTP RPC gap backfill on
  reconnect when SOF has a matching HTTP endpoint
  - if replay is enabled, startup now fails unless that HTTP endpoint is explicit or derivable from
    the websocket URL
  - this remains best-effort because `transactionSubscribe` itself has no replay cursor
  - SOF can fill recent slot gaps and suppress replay duplicates, but it cannot promise stronger
    durability than the websocket provider plus HTTP RPC backfill path can actually provide
  - built-in websocket startup also promotes the first acknowledged session to
    the live stream, so there is no extra preflight handoff gap
- built-in provider adapters emit explicit source health transitions into SOF,
  and unexpected provider ingress closure is treated as a runtime failure rather
  than a clean stop
  - provider-source health is also exposed through the runtime observability
    endpoint, so reconnecting/unhealthy provider states are visible as metrics
    and a source removal event prunes a stopped source from active tracking
  - provider `/readyz` stays unready until a built-in source has actually
    reached a healthy session, or until a generic producer has emitted real
    ingress progress
  - for multi-source provider runtimes, only sources marked `Required` gate
    `/readyz`; sources marked `Optional` are advisory and do not hold readiness
    down
  - if multiple sources are marked `Required`, each required source instance
    must be healthy
  - generic provider replay dedupe also covers transaction-log and
    transaction-view-batch updates now, not only transaction/control-plane
    events
  - provider replay dedupe is runtime-wide for the active provider ingress
    before plugin/derived-state dispatch; it is not a per-plugin cache
  - SOF does not run raw-shred and provider-stream ingest together inside one
    observer runtime, so there is no cross-family replay dedupe boundary inside
    a single running SOF instance

Provider config defaults are inclusive:

- vote transactions are included unless you explicitly set a vote filter
- failed transactions are included unless you explicitly set a failed filter

Built-in processed provider modes are fixed-surface and fail fast when you ask
for hooks they do not emit. `ProviderStreamMode::Generic` is the flexible mode:
it can accept richer control-plane updates from a custom producer, and
`SOF_PROVIDER_STREAM_CAPABILITY_POLICY` controls whether unsupported requests
warn or fail there.

When generic mode continues under `warn`, SOF now exports that degraded
capability state through runtime observability metrics instead of only emitting
one startup log line.

If a generic provider is intentionally finite, enable
`SOF_PROVIDER_STREAM_ALLOW_EOF=true` so a bounded stream can terminate cleanly
instead of being treated as an unexpected live-ingress closure.

The same capability checks apply to derived-state consumers, not just plugins.

SOF's internal transaction classifier hooks, including `transaction_prefilter`,
`accepts_transaction_ref`, and `transaction_interest_ref`, work on the
Yellowstone, LaserStream, and websocket transaction adapters because all three
feed full transactions into `on_transaction`.

Transaction-family hooks can also choose delivery commitment uniformly across
all ingest modes:

```rust
use sof::framework::{PluginConfig, TxCommitmentStatus};

let config = PluginConfig::new()
    .with_transaction()
    .at_commitment(TxCommitmentStatus::Confirmed);

let exact = PluginConfig::new()
    .with_transaction()
    .only_at_commitment(TxCommitmentStatus::Finalized);
```

If neither selector is set, SOF defaults to
`at_commitment(TxCommitmentStatus::Processed)`, so transaction-family hooks see
all commitment levels.

`sof-tx` is a different case: the existing SOF adapters are complete today on
raw-shred/gossip runtimes, or on `ProviderStreamMode::Generic` when the custom
producer also supplies the full control-plane feed. Built-in Yellowstone,
LaserStream, and websocket adapters now cover transactions, transaction status,
accounts, block-meta, logs, and slots, but they still do not form a complete
built-in `sof-tx` control-plane source on their own. SOF therefore still
rejects those adapters for the existing `sof-tx` live/replay adapters at
runtime/config validation time.

That tradeoff should be explicit: public gossip is the independent baseline, trusted raw shred
distribution is the fast path, and processed provider streams are a different observer model.

Switching ingress families is therefore not only a connectivity choice. It is also a semantic
choice:

- raw-shred modes expose the richest local observer/control-plane surface
- built-in processed providers are narrower on purpose
- `ProviderStreamMode::Generic` exists when a custom producer needs to restore that richer surface

`ProviderStreamMode::Generic` is SOF's typed adapter boundary. A custom
producer ingests any upstream format it wants and maps it into
`ProviderStreamUpdate` before handing it to the runtime.

That update surface is:

- `Transaction`
- `SerializedTransaction`
- `TransactionLog`
- `TransactionStatus`
- `TransactionViewBatch`
- `AccountUpdate`
- `BlockMeta`
- `RecentBlockhash`
- `SlotStatus`
- `ClusterTopology`
- `LeaderSchedule`
- `Reorg`
- `Health`

`ProviderStreamMode::Generic` is also the clean way to combine multiple
provider sources into one runtime. Use
`create_provider_stream_fan_in(...)` when you want one SOF runtime to consume,
for example:

- websocket transactions plus websocket logs
- Yellowstone transactions plus Yellowstone slots
- a websocket account/program feed plus a gRPC transaction-status feed

The built-in source configs stay the same in that setup. The fan-in helper just
gives them one typed queue.

Fan-in sources can also carry policy, not just identity:

- `with_source_role(...)`
  - `Primary`, `Secondary`, `Fallback`, or `ConfirmOnly`
- `with_source_priority(...)`
  - explicit numeric tie-break when overlapping sources race
- `with_source_arbitration(...)`
  - `EmitAll`
  - `FirstSeen`
  - `FirstSeenThenPromote`

That keeps the fast path immediate while letting overlapping sources suppress
or promote duplicates by policy instead of treating every provider equally.

Duplicate behavior is explicit:

- `EmitAll`
  - default
  - overlapping feeds still both dispatch to plugins
- `FirstSeen`
  - first source for the same logical event wins
  - later overlapping duplicates are dropped
- `FirstSeenThenPromote`
  - first source still dispatches immediately
  - one later higher-priority duplicate may also dispatch as a promotion
  - lower/equal-priority duplicates are dropped

So if you want multi-source fan-in to avoid dispatching the same transaction
twice across overlapping providers, set:

```rust
use sof::provider_stream::ProviderSourceArbitrationMode;

let config = config.with_source_arbitration(ProviderSourceArbitrationMode::FirstSeen);
```

That arbitration is keyed by the logical event:

- transaction updates: signature + slot + commitment/watermark shape
- serialized transactions without signature: slot + bytes fingerprint + commitment shape
- control-plane updates: slot + event kind + payload fingerprint

If you build a generic source directly, reserve one stable source identity with
`sender_for_source(...)`. The returned sender binds that reserved source to
every update it emits, so replay dedupe, readiness, and observability all stay
source-aware.

One important detail for custom generic producers: source-aware readiness only
starts once the producer emits `ProviderStreamUpdate::Health` for that reserved
source. Until then, `ProviderStreamMode::Generic` falls back to progress-based
readiness and only knows that typed updates are flowing, not whether each
expected source instance is healthy.

Custom generic sources can use the same source policy by building
`ProviderSourceIdentity` with:

- `.with_role(...)`
- `.with_priority(...)`
- `.with_arbitration(...)`

The runtime then routes those typed updates into the normal SOF surfaces:

- `Transaction` / `SerializedTransaction`
  - `on_transaction`
  - derived-state transaction apply when enabled
  - synthesized `on_recent_blockhash` from the transaction message when requested
- `TransactionLog`
  - `on_transaction_log`
- `TransactionViewBatch`
  - `on_transaction_view_batch`
- `RecentBlockhash`
  - `on_recent_blockhash`
- `SlotStatus`
  - `on_slot_status`
- `ClusterTopology`
  - `on_cluster_topology`
- `LeaderSchedule`
  - `on_leader_schedule`
- `Reorg`
  - `on_reorg`
- `Health`
  - provider health/readiness/observability only
  - not a plugin callback

So `Generic` should be read as “custom provider adapter feeds SOF's typed
provider event surface.”

### Ingest Surface Matrix

The same event family does not exist on every ingest path. Read this table as:

- plugin surface: callbacks exposed through `ObserverPlugin`
- derived-state surface: replayable feed families exposed through `DerivedStateHost`

| Ingest type | Plugin surface | Derived-state surface | Does not emit |
| --- | --- | --- | --- |
| Raw shreds / gossip / trusted raw-shred provider | `on_transaction`, `on_recent_blockhash`, `on_slot_status`, `on_cluster_topology`, `on_leader_schedule`, `on_reorg`, plus raw packet/shred/dataset surfaces | `TransactionApplied`, `RecentBlockhashObserved`, `SlotStatusChanged`, `ClusterTopologyChanged`, `LeaderScheduleUpdated`, `ControlPlaneStateUpdated`, `BranchReorged`, `StateInvalidated`, `AccountTouchObserved` | `on_transaction_status`, `on_transaction_log`, `on_account_update`, `on_block_meta`, `TransactionStatusObserved`, `BlockMetaObserved` |
| Websocket `transactionSubscribe` | `on_transaction` | `TransactionApplied` | `on_transaction_status`, `on_block_meta`, `TransactionStatusObserved`, `BlockMetaObserved`, control-plane hooks |
| Websocket `logsSubscribe` | `on_transaction_log` | none | transaction-status, block-meta, control-plane, and derived-state provider observations |
| Websocket `accountSubscribe` / `programSubscribe` | `on_account_update` | none | transaction-status, block-meta, control-plane, and derived-state provider observations |
| Yellowstone / LaserStream transaction feeds | `on_transaction` | `TransactionApplied` | control-plane hooks unless supplied through `Generic` |
| Yellowstone / LaserStream transaction-status feeds | `on_transaction_status` | `TransactionStatusObserved` | raw-shred control-plane hooks, `on_block_meta`, account/log hooks unless separately configured |
| Yellowstone / LaserStream block-meta feeds | `on_block_meta` | `BlockMetaObserved` | raw-shred control-plane hooks, `on_transaction_status`, account/log hooks unless separately configured |
| Yellowstone / LaserStream account feeds | `on_account_update` | none | control-plane hooks and provider-derived `TransactionStatusObserved` / `BlockMetaObserved` |
| Yellowstone / LaserStream slot feeds | `on_slot_status` | `SlotStatusChanged` | recent-blockhash/topology/leader-schedule/reorg unless supplied through `Generic` |
| `ProviderStreamMode::Generic` | whatever typed `ProviderStreamUpdate` variants the producer emits | whatever derived-state families SOF currently forwards from those typed updates | anything the producer does not emit |

That also means:

- raw shreds emit the richest local control-plane surface, but not provider-only
  `TransactionStatus` or `BlockMeta`
- built-in websocket emits transactions/logs/accounts, but not
  `TransactionStatus` or `BlockMeta`
- built-in Yellowstone/LaserStream add `TransactionStatus` and `BlockMeta`, but
  still do not emit raw-shred control-plane families unless a custom generic
  producer supplies them

Programmatic setup uses the typed runtime API:

```rust
use sof::runtime::{RuntimeSetup, ShredTrustMode};

let setup = RuntimeSetup::new()
    .with_shred_trust_mode(ShredTrustMode::TrustedRawShredProvider);
```

The equivalent env knob is:

```bash
SOF_SHRED_TRUST_MODE=trusted_raw_shred_provider
```

Do not treat this as a generic “fast mode” switch. It is only correct when the upstream raw shred
source is explicitly trusted. If you are still on public gossip or public peers, `public_untrusted`
is the right mode.

If you need to analyze only a specific gossip peer set, pin runtime switching to the configured
entrypoints:

```bash
SOF_GOSSIP_ENTRYPOINT=1.2.3.4:8001,5.6.7.8:8001
SOF_GOSSIP_ENTRYPOINT_PINNED=true
```

Trusted raw shred ingress still runs through the normal SOF pipeline after admission:

- parse and classify raw packets
- optional FEC recovery
- dataset and transaction reconstruction
- plugin and runtime-extension dispatch

The trust-mode change only affects the default verification posture. It does not bypass
reconstruction or plugin delivery.

See the concrete example in
[`examples/trusted_raw_shred_provider.rs`](https://github.com/Lythaeon/sof/blob/main/crates/sof-observer/examples/trusted_raw_shred_provider.rs).
For Yellowstone gRPC, see
[`examples/provider_stream_yellowstone_grpc.rs`](https://github.com/Lythaeon/sof/blob/main/crates/sof-observer/examples/provider_stream_yellowstone_grpc.rs).
For LaserStream, see
[`examples/provider_stream_laserstream.rs`](https://github.com/Lythaeon/sof/blob/main/crates/sof-observer/examples/provider_stream_laserstream.rs).
For websocket `transactionSubscribe`, see
[`examples/provider_stream_websocket_transaction.rs`](https://github.com/Lythaeon/sof/blob/main/crates/sof-observer/examples/provider_stream_websocket_transaction.rs).

Build flags:

- Yellowstone gRPC and LaserStream gRPC: `provider-grpc`
- websocket `transactionSubscribe`: `provider-websocket`

## At a Glance

- Embed SOF directly inside a Tokio application
- Attach `Plugin` or `RuntimeExtension` consumers
- Run with built-in UDP ingress or external kernel-bypass ingress
- Treat SOF as a local market-data and control-plane engine, not just a passive observer
- Reuse one optimized runtime foundation instead of rebuilding ingest/perf/correctness plumbing per service
- Use packet-worker and dataset-worker fanout to keep multi-core hosts busy under sustained shred load
- Consume local slot/reorg/transaction/account-touch signals
- Use the replayable derived-state feed for restart-safe stateful consumers
- Apply typed gossip and ingest tuning profiles instead of env-string bundles
- Keep more runtime work on borrowed/shared data instead of eagerly allocating owned transaction or dataset payload copies
- Drop duplicate or conflicting shred observations before they can re-emit duplicate dataset or transaction events downstream
- Treat robustness and accuracy as first-class runtime behavior, not downstream application glue

## Scheduling Model Today

SOF already has an explicit execution shape:

- raw ingress fans out into packet workers
- completed datasets fan out into dataset workers
- provider sessions are supervised independently and feed the same downstream runtime surface where
  semantics line up
- plugin dispatch is explicitly queued and bounded

What is not claimed yet:

- a first-class NUMA-aware scheduler
- automatic host-topology placement
- one universal worker geometry for every host class

Pinning and thread-count controls exist, but high-end placement still needs measurement on the
actual host.

Current playbook:

- public single-socket VPS: start from `sof-gossip-tuning`'s validated `Vps` preset
- processed provider mode: tune replay/durability and source health first, not packet/shred knobs
- trusted raw-shred mode: keep receive, packet-worker, and dataset-worker placement local to the same socket when possible
- multi-socket hosts: treat cross-socket fanout as opt-in after measurement, not a default

## Install

```bash
cargo add sof
```

Optional gossip bootstrap support at compile time:

```toml
sof = { version = "0.16.0", features = ["gossip-bootstrap"] }
```

Optional external `kernel-bypass` ingress support:

```toml
sof = { version = "0.16.0", features = ["kernel-bypass"] }
```

The bundled `sof-solana-gossip` backend defaults to SOF's lightweight in-memory duplicate/conflict
path. The heavier ledger-backed duplicate-shred tooling remains available behind the vendored
crate's explicit `solana-ledger` feature.

## Semantic Shred Dedupe

SOF now treats shred dedupe as a semantic correctness boundary, not just a packet-cache hint.

- One shared semantic shred registry is used across both ingest and canonical emission stages.
- Exact repeats are dropped before they can waste verify/FEC/reassembly work.
- Conflicting repeats are also suppressed before they can re-emit duplicate downstream events.
- The HFT/observer contract is that normal downstream consumers should not need their own duplicate
  shred suppression logic.

The shared registry publishes runtime telemetry for:

- current and max retained shred identities
- current and max eviction-queue depth
- capacity-driven vs expiry-driven evictions
- ingress duplicate/conflict drops
- canonical duplicate/conflict drops

Those metrics are intended to help tune `SOF_SHRED_DEDUP_CAPACITY` and
`SOF_SHRED_DEDUP_TTL_MS` under real traffic instead of guessing.

## Quick Start

Run the bundled runtime example:

```bash
cargo run --release -p sof --example observer_runtime
```

With gossip bootstrap:

```bash
cargo run --release -p sof --example observer_runtime --features gossip-bootstrap
```

Basic programmatic setup:

```rust
use sof::runtime::{ObserverRuntime, RuntimeSetup};

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let setup = RuntimeSetup::new().with_startup_step_logs(true);

    ObserverRuntime::new()
        .with_setup(setup)
        .run_until_termination_signal()
        .await
}
```

## Runtime API

Embed directly in Tokio:

```rust
use sof::runtime::ObserverRuntime;

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    ObserverRuntime::new().run_until_termination_signal().await
}
```

Or use programmatic setup:

```rust
use std::net::SocketAddr;
use sof::runtime::{ObserverRuntime, RuntimeSetup};

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let setup = RuntimeSetup::new()
        .with_bind_addr(SocketAddr::from(([0, 0, 0, 0], 8001)))
        .with_observability_bind_addr(SocketAddr::from(([127, 0, 0, 1], 9108)))
        .with_startup_step_logs(true);

    ObserverRuntime::new()
        .with_setup(setup)
        .run_until_termination_signal()
        .await
}
```

When `SOF_OBSERVABILITY_BIND` (or `RuntimeSetup::with_observability_bind_addr`) is set, the
packaged runtime also serves:

- `/metrics`
- `/healthz`
- `/readyz`

Or apply one typed gossip/ingest profile instead of stringly env overrides:

```rust
use sof::runtime::{ObserverRuntime, RuntimeSetup};
use sof_gossip_tuning::{GossipTuningProfile, HostProfilePreset};

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let setup = RuntimeSetup::new()
        .with_gossip_tuning_profile(GossipTuningProfile::preset(HostProfilePreset::Vps));

    ObserverRuntime::new()
        .with_setup(setup)
        .run_until_termination_signal()
        .await
}
```

Linux busy-poll is available as an explicit host-side experiment when you want to trade CPU
efficiency for steadier UDP receive behavior:

```rust
use sof::runtime::ObserverRuntime;
use sof_gossip_tuning::{GossipTuningProfile, HostProfilePreset};

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let setup = sof::runtime::RuntimeSetup::new()
        .with_gossip_tuning_profile(GossipTuningProfile::preset(HostProfilePreset::Vps))
        .with_udp_busy_poll_us(50)
        .with_udp_busy_poll_budget(64)
        .with_udp_prefer_busy_poll(true);

    ObserverRuntime::new()
        .with_setup(setup)
        .run_until_termination_signal()
        .await
}
```

With external `kernel-bypass` ingress, feed `RawPacketBatch` values through SOF's ingress queue:

```rust
#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let (tx, rx) = sof::runtime::create_kernel_bypass_ingress_queue();
    // Publish batches from your bypass receiver thread:
    // let _ok = tx.send_batch(batch, false);
    // Spawn your kernel-bypass receiver and forward batches into `tx`.
    sof::runtime::ObserverRuntime::new()
        .with_kernel_bypass_ingress(rx)
        .run_until_termination_signal()
        .await
}
```

The packaged noop inline observer example now supports AF_XDP external ingress directly when built
with `--features "kernel-bypass gossip-bootstrap"` and launched with `SOF_AF_XDP_IFACE=<iface>`.

Run the kernel-bypass ingress metrics example for 180 seconds:

```bash
SOF_KERNEL_BYPASS_EXAMPLE_DURATION_SECS=180 \
  cargo run --release -p sof --example kernel_bypass_ingress_metrics --features kernel-bypass
```

Run the same example against live Solana gossip traffic (real chain data):

```bash
SOF_KERNEL_BYPASS_EXAMPLE_SOURCE=gossip \
SOF_KERNEL_BYPASS_EXAMPLE_DURATION_SECS=180 \
RUST_LOG=info \
  cargo run --release -p sof --example kernel_bypass_ingress_metrics --features "kernel-bypass gossip-bootstrap"
```

Run AF_XDP external-ingress example (requires Linux, AF_XDP-capable NIC setup, and privileges to create XDP sockets/programs):

```bash
SOF_AF_XDP_IFACE=enp17s0 \
SOF_AF_XDP_EXAMPLE_DURATION_SECS=180 \
  cargo run --release -p sof --example af_xdp_kernel_bypass_ingress_metrics --features "kernel-bypass gossip-bootstrap"
```

Notes for high-ingest runs:

- The example configures `SOF_PORT_RANGE=12000-12100` and `SOF_GOSSIP_PORT=8001`.
- It defaults live gossip mode to `SOF_INGEST_QUEUE_MODE=lockfree` with `SOF_INGEST_QUEUE_CAPACITY=262144`.
- The bundled gossip backend also exposes `SOF_GOSSIP_CONSUME_THREADS`, `SOF_GOSSIP_LISTEN_THREADS`, `SOF_GOSSIP_SOCKET_CONSUME_PARALLEL_PACKET_THRESHOLD`, `SOF_GOSSIP_LISTEN_PARALLEL_BATCH_THRESHOLD`, `SOF_GOSSIP_LISTEN_PARALLEL_MESSAGE_THRESHOLD`, and `SOF_GOSSIP_STATS_INTERVAL_SECS` for host-specific tuning.
- `SOF_UDP_DROP_ON_CHANNEL_FULL` only applies to SOF's built-in UDP receiver path (non-external ingress).
- Queue mode is configurable with `SOF_INGEST_QUEUE_MODE`:
  - `bounded` (default): Tokio bounded channel.
  - `unbounded`: Tokio unbounded channel (no backpressure drops; memory grows with load).
  - `lockfree`: lock-free `ArrayQueue` ring + async wakeups.
- Ring/bounded capacity is configurable with `SOF_INGEST_QUEUE_CAPACITY` (default `16384`).

## Plugin Quickstart

```rust
use async_trait::async_trait;
use sof::{
    event::TxKind,
    framework::{Plugin, PluginConfig, PluginHost, TransactionEvent},
    runtime::ObserverRuntime,
};

#[derive(Clone, Copy, Debug, Default)]
struct NonVoteLogger;

#[async_trait]
impl Plugin for NonVoteLogger {
    fn config(&self) -> PluginConfig {
        PluginConfig::new().with_transaction()
    }

    async fn on_transaction(&self, event: &TransactionEvent) {
        if event.kind == TxKind::VoteOnly {
            return;
        }
        tracing::info!(slot = event.slot, kind = ?event.kind, "transaction observed");
    }
}

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let host = PluginHost::builder().add_plugin(NonVoteLogger).build();

    ObserverRuntime::new()
        .with_plugin_host(host)
        .run_until_termination_signal()
        .await
}
```

For sparse plugin subscriptions, prefer `PluginConfig::new().with_*()` so the enabled hooks stand
out clearly. Use a raw `PluginConfig { .. }` literal only when many flags are enabled and the full
shape is easier to scan.

For low-latency transaction consumers, prefer the explicit inline path:

```rust
use async_trait::async_trait;
use sof::{
    event::TxKind,
    framework::{Plugin, PluginConfig, PluginHost, TransactionDispatchMode, TransactionEvent},
    runtime::ObserverRuntime,
};

#[derive(Clone, Copy, Debug, Default)]
struct InlineTxLogger;

#[async_trait]
impl Plugin for InlineTxLogger {
    fn config(&self) -> PluginConfig {
        PluginConfig::new().with_transaction_mode(TransactionDispatchMode::Inline)
    }

    async fn on_transaction(&self, event: &TransactionEvent) {
        if event.kind == TxKind::VoteOnly {
            return;
        }
        tracing::info!(slot = event.slot, kind = ?event.kind, "inline transaction observed");
    }
}

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let host = PluginHost::builder().add_plugin(InlineTxLogger).build();

    ObserverRuntime::new()
        .with_plugin_host(host)
        .run_until_termination_signal()
        .await
}
```

`TransactionDispatchMode::Inline` is an explicit delivery contract for `on_transaction`.
SOF now tries to dispatch that hook as soon as an anchored contiguous dataset prefix
contains one full serialized transaction for the plugin that asked for it, instead of
waiting for the whole dataset by default. If the runtime still cannot anchor the dataset
prefix early, inline dispatch falls back to the completed-dataset point for that tx.
If other plugins or subsystems still need deferred dataset processing, SOF can deliver
the inline transaction hook first and then continue the same dataset through the
standard dataset-worker path for those remaining consumers.

For account/signature-driven transaction filters, prefer `TransactionPrefilter`
over custom `transaction_interest_ref` logic:

```rust
use async_trait::async_trait;
use solana_pubkey::Pubkey;
use sof::framework::{
    Plugin, PluginConfig, TransactionDispatchMode, TransactionInterest, TransactionPrefilter,
};

#[derive(Clone, Debug)]
struct PoolWatcher {
    filter: TransactionPrefilter,
}

impl Default for PoolWatcher {
    fn default() -> Self {
        let pool = Pubkey::new_unique();
        let program = Pubkey::new_unique();
        Self {
            filter: TransactionPrefilter::new(TransactionInterest::Critical)
                .with_account_required([pool, program]),
        }
    }
}

#[async_trait]
impl Plugin for PoolWatcher {
    fn config(&self) -> PluginConfig {
        PluginConfig::new().with_transaction_mode(TransactionDispatchMode::Inline)
    }

    fn transaction_prefilter(&self) -> Option<&TransactionPrefilter> {
        Some(&self.filter)
    }
}
```

When every in-scope inline transaction plugin uses a compiled prefilter and all
of them ignore the tx, SOF can classify that transaction from a sanitized view
and skip full owned `VersionedTransaction` decode entirely.

When observability is enabled, SOF exports exact inline latency counters:

- `sof_inline_transaction_plugin_first_shred_lag_us_total`
- `sof_latest_inline_transaction_plugin_first_shred_lag_us`
- `sof_max_inline_transaction_plugin_first_shred_lag_us`
- `sof_inline_transaction_plugin_last_shred_lag_us_total`
- `sof_latest_inline_transaction_plugin_last_shred_lag_us`
- `sof_max_inline_transaction_plugin_last_shred_lag_us`
- `sof_inline_transaction_plugin_completed_dataset_lag_us_total`
- `sof_latest_inline_transaction_plugin_completed_dataset_lag_us`
- `sof_max_inline_transaction_plugin_completed_dataset_lag_us`

Those track, respectively:

- first observed shred that contributes to the inline tx path -> inline `on_transaction`
  callback start
- last observed shred required to dispatch the inline tx -> inline `on_transaction`
  callback start
- inline dispatch-ready timestamp -> inline `on_transaction` callback start

## RuntimeExtension Quickstart

```rust
use async_trait::async_trait;
use sof::framework::{
    ExtensionCapability, ExtensionContext, ExtensionManifest, PacketSubscription,
    RuntimeExtension, RuntimeExtensionHost, RuntimePacketSourceKind,
};
use sof::runtime::ObserverRuntime;

#[derive(Debug, Clone, Copy)]
struct IngressExtension;

#[async_trait]
impl RuntimeExtension for IngressExtension {
    async fn setup(
        &self,
        _ctx: ExtensionContext,
    ) -> Result<ExtensionManifest, sof::framework::extension::ExtensionSetupError> {
        Ok(ExtensionManifest {
            capabilities: vec![ExtensionCapability::ObserveObserverIngress],
            resources: Vec::new(),
            subscriptions: vec![PacketSubscription {
                source_kind: Some(RuntimePacketSourceKind::ObserverIngress),
                ..PacketSubscription::default()
            }],
        })
    }
}

#[tokio::main]
async fn main() -> Result<(), sof::runtime::RuntimeError> {
    let host = RuntimeExtensionHost::builder()
        .add_extension(IngressExtension)
        .build();

    ObserverRuntime::new()
        .with_extension_host(host)
        .run_until_termination_signal()
        .await
}
```

## Plugin Hooks

Current hook set:

- `on_raw_packet`
- `on_shred`
- `on_dataset`
- `on_transaction`
- `on_account_touch`
- `on_slot_status`
- `on_reorg`
- `on_recent_blockhash`
- `on_cluster_topology` (gossip-bootstrap mode)
- `on_leader_schedule` (gossip-bootstrap mode)

`on_transaction` events include:

- `commitment_status`
- `confirmed_slot`
- `finalized_slot`

These commitment fields are derived from local shred-stream slot progress (depth-based), not RPC polling.

`on_account_touch` events include transaction-derived static account-key sets:

- `account_keys`
- `writable_account_keys`
- `readonly_account_keys`
- `lookup_table_account_keys`

This hook is for account discovery/invalidation. It is not a validator post-write account-update feed.

## Derived-State Consumers

SOF also exposes a replayable derived-state feed intended for stateful official extensions and local consumers that need:

- retained feed continuity
- checkpoint persistence
- replay-based recovery after restart or transient failure
- explicit resync/rebuild signaling
- typed control-plane replay for recent blockhash, cluster topology, and leader schedule inputs
- processed-provider replay for transaction-status and block-meta observations when the ingest mode supplies them
- canonical control-plane quality snapshots through `ControlPlaneStateUpdated`
- invalidation and tx-feedback events through `StateInvalidated` and `TxOutcomeObserved`

Current derived-state feed families are:

- `TransactionApplied`
- `TransactionStatusObserved`
- `BlockMetaObserved`
- `RecentBlockhashObserved`
- `ClusterTopologyChanged`
- `LeaderScheduleUpdated`
- `ControlPlaneStateUpdated`
- `StateInvalidated`
- `TxOutcomeObserved`
- `SlotStatusChanged`
- `BranchReorged`
- `AccountTouchObserved`
- `CheckpointBarrier`

Important ingest boundary:

- raw-shred runtimes can feed the control-plane-derived state families
- built-in Yellowstone/LaserStream can additionally feed provider-derived
  `TransactionStatusObserved` and `BlockMetaObserved`
- built-in websocket can feed `TransactionApplied`, but it does not currently
  feed `TransactionStatusObserved` or `BlockMetaObserved`

This is the right substrate for local service layers that want to build a bank, query index, or gRPC stream on top of SOF without depending on validator-native Geyser.

Example implementation:

- `examples/derived_state_slot_mirror.rs`

Replay retention modes:

- `DerivedStateReplayConfig::checkpoint_only()` disables the runtime-owned replay tail and keeps recovery checkpoint-driven.
- `DerivedStateReplayBackend::Disk` retains envelopes on disk without keeping a full in-process mirror of the retained tail.

Design references:

- `../../docs/architecture/derived-state-extension-contract.md`
- `../../docs/architecture/derived-state-feed-contract.md`

`on_slot_status` events include local canonical transitions:

- `processed`
- `confirmed`
- `finalized`
- `orphaned`

## Operational Notes

- Hooks are dispatched off the ingest hot path through a bounded queue.
- Queue pressure drops hook events instead of stalling ingest.
- Typed host tuning is available through `sof-gossip-tuning` and `RuntimeSetup::with_gossip_tuning_profile(...)`.
- `RuntimeExtension` WebSocket connectors support full `ws://` / `wss://` handshake + frame decoding.
- WebSocket close frames emit `RuntimePacketEventClass::ConnectionClosed` in `on_packet_received`.
- WebSocket packet events expose `websocket_frame_type` (`Text`/`Binary`/`Ping`/`Pong`) for startup-time filtering and runtime routing.
- In gossip mode, SOF runs as an active bounded relay client by default (UDP relay + repair serve), not as an observer-only passive consumer.
- `SOF_LIVE_SHREDS_ENABLED=false` enables control-plane-only mode.

## Examples

- `observer_runtime`
- `observer_with_non_vote_plugin`
- `observer_with_multiple_plugins`
- `non_vote_tx_logger`
- `raydium_contract`
- `tpu_leader_logger`
- `runtime_extension_observer_ingress`
- `runtime_extension_udp_listener`
- `runtime_extension_shared_stream`
- `runtime_extension_with_plugins`
- `runtime_extension_websocket_connector`
- `derived_state_slot_mirror`
- `kernel_bypass_ingress_metrics` (`--features kernel-bypass`)

Run kernel-bypass ingress E2E test:

```bash
cargo test -p sof --features kernel-bypass --test kernel_bypass_ingress_e2e -- --nocapture
```

Run any example:

```bash
cargo run --release -p sof --example observer_with_multiple_plugins
```

## Docs

- Workspace docs index: `../../docs/README.md`
- Architecture docs: `../../docs/architecture/README.md`
- Operations docs: `../../docs/operations/README.md`
- Derived-state feed contract: `../../docs/architecture/derived-state-feed-contract.md`
- Reverse-engineering notes: `REVERSE_ENGINEERING.md`
- Contribution guide: `../../CONTRIBUTING.md`