Breaking Changes:
- [refactor] Remove
Dissociatednotification from preferences lifecycle:- The
on_preferences_changed([Dissociated])callback is no longer sent when a negotiator leaves - The
Dissociatedenum value is kept inPreferencesChangeTypefor backward compatibility but is never sent - Removed Dissociated handling from offering policies (CABOfferingPolicy, WAROfferingPolicy, OfferBest, OfferTop)
- Updated documentation to reflect the simplified lifecycle
- The
Bug Fixes:
- [fix] Fix
on_preferences_changed([Initialization])being called twice for negotiators:- The
Initializationcallback is now guaranteed to be called exactly once per negotiation - Called ALWAYS before
on_negotiation_start(), regardless of when preferences were set - If the same preferences would trigger a duplicate call, a warning is issued and the duplicate is ignored
- Fixed
TimeBasedOfferingPolicyand other offering policies to handleDissociatedchange type properly - Added
_initialized_pref_idtracking to prevent duplicate initialization calls - Updated documentation with clear callback order guarantees
- The
New Features:
[feature] Add
negotiator_typesandnegotiator_paramssupport toMetaNegotiatorclasses:MetaNegotiatorand all subclasses now accept either:negotiators: Iterable of pre-instantiatedNegotiatorinstances (existing behavior)negotiator_types: Iterable ofNegotiatortypes to instantiate automaticallynegotiator_params: Optional iterable of parameter dicts for each negotiator type
Parameters are mutually exclusive: use either
negotiatorsORnegotiator_typesWhen using
negotiator_types,negotiator_paramscan optionally provide initialization parametersLength of
negotiator_paramsmust match length ofnegotiator_typesif providedProper validation with clear error messages for invalid parameter combinations
Applies to all meta-negotiator classes:
MetaNegotiator(base class)GBMetaNegotiator(GB protocol)SAOMetaNegotiator(SAO protocol)SAOAggMetaNegotiator(SAO aggregation)RangeMetaNegotiator(utility range sampling)MeanMetaNegotiator(mean utility sampling)OSMeanMetaNegotiator(outcome space averaging)
Example usage:
# Old way (still works) meta = MeanMetaNegotiator( negotiators=[BoulwareTBNegotiator(), ConcederTBNegotiator()], ufun=my_ufun ) # New way - simpler, no need to instantiate meta = MeanMetaNegotiator( negotiator_types=[BoulwareTBNegotiator, ConcederTBNegotiator], ufun=my_ufun ) # With parameters meta = MeanMetaNegotiator( negotiator_types=[BoulwareTBNegotiator, ConcederTBNegotiator], negotiator_params=[{"name": "boulware"}, {"name": "conceder"}], ufun=my_ufun )Simplifies meta-negotiator creation by eliminating the need to manually instantiate sub-negotiators
Backward compatible: existing code using
negotiatorsparameter continues to work
[feature] Add comprehensive constraint system for outcome spaces and utility functions:
- New
Constrainttype (Callable[[Outcome], bool]) for filtering outcomes - Outcome space constraints: filter outcomes from
enumerate(),sample(),random_outcome() - Utility function constraints: return
-inffor outcomes violating constraints - Zero performance overhead when no constraints are present
- AND logic: all constraints must be satisfied for an outcome to be valid
- Constraint preservation through operations (normalize, scale, shift, etc.)
- Supports all outcome space types and utility function classes
- New
Bug Fixes:
- [fix] Fix
on_preferences_changed([Initialization])being called twice for negotiators:- The
Initializationcallback is now guaranteed to be called exactly once per negotiation - Called ALWAYS before
on_negotiation_start(), regardless of when preferences were set - If the same preferences would trigger a duplicate call, a warning is issued and the duplicate is ignored
- Fixed
TimeBasedOfferingPolicyand other offering policies to handleDissociatedchange type properly - Added
_initialized_pref_idtracking to prevent duplicate initialization calls - Updated documentation with clear callback order guarantees
- The
- [fix] Replace deprecated
pkg_resourceswithPathAPI for locating test data files - [fix] Resolve tournament serialization issues with parquet and CSV files (handle StringDtype, inf/nan values)
- [fix] Update Genius warning tests to use Atlas3 negotiator for reliability
Security Updates:
- [security] Bump tornado from 6.5.4 to 6.5.5 (fixes DoS and cookie validation vulnerabilities)
- [security] Bump orjson from 3.11.5 to 3.11.6 (fixes recursion limit vulnerability)
Documentation Improvements:
- [docs] Improve ecosystem diagram readability with better SVG formatting
- [docs] Update tutorials with improved examples and formatting
- [docs] Fix plot legend positioning in negotiation visualizations:
- Legend now placed horizontally below figure (not overlapping x-axis labels)
- Proper spacing between legend items with readable font size
- Vertical legend on the right for single-plot modes (only2d/no2d)
Code Improvements:
- [refactor] Refactor
plot_mechanism_runto delegate toplot_offline_run:- Eliminates ~100 lines of duplicated plotting code
- Both functions now share identical legend and margin configuration
- Added optional
outcomes,outcome_space, andend_reasonparameters toplot_offline_run - Fixed duplicate legend bug in
plot_offline_runwhen both 2D and offer plots are shown
Maintenance:
- [chore] Mark CameraB scenario as normalized in metadata
Documentation Improvements:
- Fix broken code examples in documentation (15 instances across 4 files)
- Update publications list with recent research papers (2024-2025)
- Add comprehensive negmas-app GUI documentation
- Improve ecosystem diagram readability
- Fix upgrade guide section ordering
- Add ensemble negotiator behavior caveat
Security Updates:
- [security] Update cryptography from 46.0.3 to 46.0.5 (fixes CVE-2026-26007)
- [security] Update pillow from 12.1.0 to 12.1.1 (fixes OOB Write vulnerability)
- [security] Update nbconvert from 7.16.6 to 7.17.0 (fixes CVE-2025-53000)
Bug Fixes:
- [fix] Remove contradictory assertion in
test_agentk_perceives_timethat expectedrelative_timeto beNoneat the last negotiation step
CI/CD Improvements:
- [ci] Add GitHub Actions concurrency control to cancel running workflows when a new push is made to the same branch (PRs continue running)
New Features:
- [feature] Add stability criteria system for utility functions with fine-grained caching:
- New
StabilityIntFlag enum innegmas.preferences.stabilitywith flags:VOLATILE(0): No stability guarantees (session/state dependent)STATIONARY: Fully stable (all flags set)- Individual flags:
STABLE_MIN,STABLE_MAX,STABLE_ORDERING,STABLE_DIFF_RATIOS,SESSION_INDEPENDENT,STATE_INDEPENDENT,STABLE_RESERVED_VALUE,FIXED_RESERVED_VALUE,STABLE_RATIONAL_OUTCOMES,STABLE_IRRATIONAL_OUTCOMES - Compound flags:
STABLE_SCALE(min + max + reserved),STABLE_OUTCOMES(rational + irrational)
Preferencesbase class now has:stabilityproperty (getter/setter) acceptingStability | int- Convenience properties:
has_stable_min,has_stable_max,has_stable_ordering, etc. - Methods:
is_volatile(),is_stationary(),is_session_dependent(),is_state_dependent()
- Stability-dependent caching for expensive computations:
extreme_outcomes()cached if:STABLE_ORDERINGorSTABLE_DIFF_RATIOSflag setminmax()cached if: bothSTABLE_MINandSTABLE_MAXflags set- Stationary ufuns always cache; volatile ufuns never cache
- Caching skipped when a different
outcome_spaceparameter is provided - New
clear_caches()method to manually clear cached values
StationaryMixinsetsstability=STATIONARY;VolatileUFunMixinsetsstability=VOLATILE- Discounted utility functions (
ExpDiscountedUFun,LinDiscountedUFun) preserve ordering and diff ratios (they are state-dependent but NOT volatile - discounting is a monotonic transformation) Scenario.stabilityproperty returns bitwise AND of all ufun stabilities
- New
- [feature] Add
UtilityFunctionAdapterandUFunConstraintadapter classes:UtilityFunctionAdapter: Base class for ufuns that wrap another ufun- Automatically inherits stability (ANDed), outcome_space, and reserved_value from inner ufun
- Provides
to_stationary(),to_dict(),from_dict()methods
UFunConstraint: Wraps a ufun and applies a constraint predicate- Returns
-inffor outcomes that violate the constraint - Preserves
STABLE_ORDERING,STABLE_DIFF_RATIOS,STABLE_RATIONAL_OUTCOMES,STABLE_IRRATIONAL_OUTCOMES - Useful for budget constraints, capacity limits, feasibility requirements
- Returns
- [feature] Composite utility functions now properly compute stability:
WeightedUtilityFunction: ANDs stability of all components, preserves ordering/diff ratios (linear)ComplexNonlinearUtilityFunction: ANDs stability but clears ordering/diff ratios (arbitrary function)ProbAdapterandCrispAdapter: Properly inherit stability from wrapped ufun
- [feature] Add
outcome_spaceandbest_for()toExtendedOutcomefor multi-offer support:ExtendedOutcomenow supports offering multiple outcomes viaoutcome_spaceattribute- When only
outcomeis set: represents a single offer - When only
outcome_spaceis set: represents multiple acceptable offers - When both are set:
outcomeis the preferred offer,outcome_spacecontains all acceptable offers - New
best_for(ufun)method returns the best outcome for a given utility function:- If
outcome_spaceis None: returns theoutcome - If
outcome_spaceis set: returnsufun.best(outcome_space)
- If
- [feature] Add
SingletonOutcomeSpaceandSingletonIssuefor representing single outcomes:SingletonIssue: ADiscreteIssuesubclass representing an issue with a single fixed valueSingletonOutcomeSpace: Represents a single outcome as an outcome space- Created directly with
SingletonOutcomeSpace(outcome, issue_names=None, name=None) - Auto-generates issue names as
issue00,issue01, ... if not provided - Inherits from
DiscreteCartesianOutcomeSpacefor full compatibility
- [feature] Add set operations for all outcome space types:
- Union (
|):os1 | os2oros_union(os1, os2) - Intersection (
&):os1 & os2oros_intersection(os1, os2) - Difference (
-):os1 - os2oros_difference(os1, os2) - All operations return
EnumeratingOutcomeSpacecontaining the result - Works across
CartesianOutcomeSpace,SingletonOutcomeSpace, andEnumeratingOutcomeSpace - Updated
contains_os()to work across all outcome space types
- Union (
- [feature] Add
MetaNegotiatorclasses for ensemble negotiation strategies:MetaNegotiator: Base class that manages fullNegotiatorinstances (vsComponentobjects inModularNegotiator)GBMetaNegotiator: For GB (General Bargaining) protocols with GB-specific callbacksSAOMetaNegotiator: For SAO (Stacked Alternating Offers) protocols withpropose/respondaggregationSAOAggMetaNegotiator: Abstract base with aggregation methods for SAO meta-negotiatorsRangeMetaNegotiator: Samples outcomes within utility range of sub-negotiator proposalsMeanMetaNegotiator: Samples outcomes near mean utility of sub-negotiator proposalsOSMeanMetaNegotiator: Averages proposals in outcome space (handles numeric and categorical issues)- Enables ensemble strategies where multiple negotiators vote on proposals/responses
- Supports
share_ufunandshare_nmioptions for sub-negotiator configuration - Abstract methods
aggregate_proposals()andaggregate_responses()for custom aggregation strategies - All meta-negotiators registered with
metaandensembletags
- [feature] Add
before_death()andcancel()methods toComponentbase class:- Components can now respond to negotiation termination and cancellation events
ModularNegotiatorandGBModularNegotiatordelegate these callbacks to all components
- [feature] Add
on_partner_refused_to_propose()callback toGBNegotiatorbase class:GBModularNegotiatornow delegates this callback to all components
- [feature] Add
LEAVEresponse type for negotiators to leave without ending negotiation:- New
ResponseType.LEAVEallows a negotiator to leave a negotiation without forcing it to end SAOMechanismandGBMechanismsupport newallow_negotiators_to_leaveparameter (defaultTrue):- If
True: The leaving negotiator is marked as left, others continue if 2+ remain; if fewer than 2 remain, negotiation ends unlessdynamic_entry=True(allowing new negotiators to join) - If
False:LEAVEis treated exactly likeEND_NEGOTIATION(breaks the negotiation)
- If
- Left negotiators are tracked in
state.left_negotiators(a set of negotiator IDs) - New mechanism properties for tracking participation:
participating_negotiators: List of negotiators who haven't leftagreement_partners: Same asparticipating_negotiators(parties to any agreement)n_participating: Count of active negotiators
- New negotiator callbacks for entry/exit events:
on_negotiator_left(negotiator_id, state): Called on remaining negotiators when one leaveson_negotiator_entered(negotiator_id, state): Called on existing negotiators when a new one joinson_negotiator_didnot_enter(negotiator_id, state): Called when a negotiator fails to join
on_leave(state)callback called on the leaving negotiator- Meta-negotiators (
SAOMetaNegotiator,GBMetaNegotiator) forward these callbacks to sub-negotiators GBComponentbase class includes new callback methods for BOA-style components- Enables scenarios like multi-party negotiations where participants can exit gracefully
- New
- [feature] Add
allow_none_with_dataparameter toSAOMechanismfor information-only messages:- New
allow_none_with_dataparameter (defaultTrue) allows negotiators to sendNoneoffers with associated data (e.g., text messages, signaling information) - When enabled,
Noneoffers are allowed if any data is attached to the response - Accepting a
Noneoffer ends the negotiation with no agreement (graceful exit) - Useful for:
- Sending information-only messages during negotiation
- Signaling intent without committing to an offer
- Graceful negotiation termination without explicit
END_NEGOTIATION
GeniusNegotiatorhandlesNoneoffers with configurable response behavior:- New
none_offer_responseparameter:"latest"(default) or"best" "latest": Responds with the negotiator's last offer (if available)"best": Queries the Java agent for a new proposal- Falls back to
"best"if no previous offer exists
- New
- New
on_none_offer(state, source)method inGeniusNegotiator:- Override this method in subclasses to customize
Noneoffer handling - Returns
SAOResponsewith the action and offer to respond with - Enables custom strategies like random offers, conditional responses, etc.
- Override this method in subclasses to customize
- New
- [experimental] Support for negotiators joining multiple sequential negotiations:
- Negotiators can now be reused across multiple negotiations sequentially
- Owner lifecycle properly managed: owner is set when entering negotiation, cleared when exiting
- New
PreferencesChangeTypevalues for lifecycle tracking:Initialization: Sent at the start of each negotiation (beforeon_negotiation_start)Dissociated: Sent when negotiation ends and owner is cleared
- Callback order guarantee:
on_preferences_changed([Initialization])is always called beforeon_negotiation_start()for consistent initialization - After negotiation ends,
_nmiis cleared allowing the negotiator to join another mechanism - Important:
ufun.owneris only valid during an active negotiation; it isNonebefore negotiation starts and after it ends
Bug Fixes:
- [bugfix] Fix
ModularNegotiatornot delegatingbefore_death()andcancel()callbacks to components - [bugfix] Fix
GBModularNegotiatornot delegatingon_partner_refused_to_propose()callback to components - [bugfix] Fix plot figures not auto-sizing to fill available space
- [bugfix] Fix
GeniusOpponentModelnot initializingBaseUtilityFunctionattributes properly - [bugfix] Fix tournament file extension bug causing
combine()to fail
Improvements:
- [improvement] Negotiators now use
ExtendedOutcome.best_for(ufun)instead of.outcome:- When processing
ExtendedOutcomeoffers, negotiators now select the best outcome for their utility function usingbest_for(self.ufun)instead of just.outcome - This enables proper handling of multi-offer scenarios where
ExtendedOutcomecontains anoutcome_spacewith multiple acceptable outcomes - Affects: Genius acceptance policies, TAU adapters, SAO negotiators, GB offering components
- Falls back to
.outcomewhenufunis not available
- When processing
Documentation:
- [docs] Add documentation for creating custom negotiators using composition approaches:
- Ensemble approach using
SAOMetaNegotiatorfor voting/switching strategies - BOA approach using
BOANegotiatorfor mix-and-match components
- Ensemble approach using
This release focuses on enhancing mechanism capabilities with per-negotiator limits and improving visualization.
Key Features:
- Per-Negotiator Time and Step Limits: Mechanisms now support individual time and step limits for each negotiator, enabling asymmetric negotiation scenarios where different agents have different resources.
- Offline Negotiation Visualization: New
CompletedRunclass andCompletedRun.plot()method enable visualization of completed negotiations from saved data. - Scenario Rotation Optimization: New
Scenario.rotate_ufuns()method and optimized tournament performance with efficient scenario statistics rotation. - Matplotlib Plotting Backend: Scenarios can now be plotted using matplotlib in addition to plotly, providing more flexibility and better performance for static visualizations.
Breaking Changes:
[breaking]
Mechanism.nmiis now deprecated in favor ofMechanism.shared_nmito clarify the distinction between shared and per-negotiator interfaces. Update your code:# Old (deprecated) mechanism.nmi # New (recommended) mechanism.shared_nmi
New Features:
- [feature] Add per-negotiator time and step limits to mechanisms:
Mechanism.add(negotiator, time_limit=X, n_steps=Y)now accepts per-negotiator limits- Three-tier limit system in
NegotiatorMechanismInterface:- Shared limits (
shared_time_limit,shared_n_steps): Apply to all negotiators - Private limits (
private_time_limit,private_n_steps): Apply to individual negotiators - Effective limits (
time_limit,n_steps): Computed asmin(shared, private)
- Shared limits (
Mechanism.state_for(negotiator)returns per-negotiator state with customrelative_time- Each negotiator can have different time/step constraints within the same negotiation session
- Fully backward compatible - existing code works without changes
- Negotiators added without private limits use shared limits (default behavior)
- [feature] Add
CompletedRunclass for representing and persisting completed negotiation runs:- Encapsulates history, scenario, agreement, and statistics
- Supports save/load with multiple storage formats
- Can be created from
Mechanism.to_completed_run() - Includes
plot()method for visualizing completed runs (equivalent toSAOMechanism.plot())
- [feature] Add
CompletedRun.plot()method for visualizing completed negotiation runs:- Produces identical visualizations to
SAOMechanism.plot()but works with saved/loaded runs - Requires
history_type='full_trace'(useMechanism.to_completed_run(source="full_trace")) - Requires scenario with utility functions (load with
load_scenario=True) - Supports all plotting parameters: 2D utility space, offer timelines, distance metrics, etc.
- Enables offline analysis and visualization of archived negotiation data
- Produces identical visualizations to
- [feature] Add
Scenario.rotate_ufuns()method for efficient scenario rotation in tournaments:- Creates new scenario with utility functions rotated by
npositions (e.g.,(u0, u1, u2) → (u2, u0, u1)forn=1) - Efficiently rotates scenario statistics without expensive recalculation
- Optionally rotates private info entries that match ufun count via
rotate_infoparameter - Supports positive/negative rotation with modulo wrapping
- Outcome space is preserved (shared reference, not copied)
- Creates new scenario with utility functions rotated by
- [feature] Add
recalculate_statsparameter tocartesian_tournamentfor performance optimization:recalculate_stats=False(default): Load stats from disk when available and useScenario.rotate_ufuns()for efficient rotationrecalculate_stats=True(old behavior): Always recalculate stats for every scenario rotation- Provides significant speedup for tournaments with
rotate_ufuns=True(1.3-2x faster)
- [feature] Add matplotlib backend support to
Scenario.plot():- Use
backend='matplotlib'orbackend='plotly'(default) - Matplotlib backend provides optimized performance for static visualizations
- Maintains visual consistency between both backends (colors, markers, legends)
- Use
- [feature] Add per-negotiation callbacks to
cartesian_tournamentfor monitoring individual negotiations:neg_start_callback: Called at the start of each negotiation with(run_id, state)neg_progress_callback: Called after each negotiation step with(run_id, state)neg_end_callback: Called at the completion of each negotiation with(run_id, state)- Callbacks work in both serial and parallel modes (local closures supported via cloudpickle)
- [feature] Add
Scenario.normalize_ufuns()for normalizing utility functions to [0, 1] range - [feature] Add
Mechanism.to_completed_run()method for creatingCompletedRunfrom mechanism state - [feature] Add
rational_fractionfield toScenarioInfofor tracking rational outcome percentages - [feature] Add
read_onlyproperty to scenario registry - [feature] Add
calc_standard_info()andScenario.calc_standard_info()for computing standard scenario metrics:- Calculates:
n_negotiators,n_outcomes,n_issues,rational_fraction,opposition_level - Updates
Scenario.infodict with computed metrics - Rational fraction: percentage of outcomes with positive utility for all parties above their reservation values
- Opposition level: conflict measure (0=no conflict, higher=more conflict)
- Useful for standardizing scenario metadata and analysis
- Calculates:
- [feature] Add granular control for pareto frontier serialization in
ScenarioStats.to_dict():include_pareto_utils: Independently control inclusion of pareto utility tuplesinclude_pareto_outcomes: Independently control inclusion of pareto outcome objects- Both parameters override
include_pareto_frontierwhen specified - Useful for space optimization when only one component is needed
- [feature] Standardized negotiation save/load format for all mechanism and tournament types:
Mechanism.save()now saves negotiations in a folder-based format with multiple files:trace.{csv|csv.gz|parquet}- The negotiation history/traceconfig.yaml- Mechanism configurationoutcome_stats.yaml- Agreement and outcome informationmetadata.yaml- Partner info, timing, annotationsrun_info.yaml- History type and storage format info
Mechanism.save()andMechanism.to_completed_run()now acceptsource=None(default) to auto-detect the best available trace format in priority order:full_trace_with_utils>full_trace>extended_trace>trace>historyCompletedRun.load()supports all formats: CSV (.csv), gzip (.csv.gz), and parquet (.parquet)World._log_negotiation()now uses standardMechanism.save()format for all simulationsneg_tournamentautomatically uses the new format throughNegWorldcartesian_tournamentuses same format withsave_negotiations_as_foldersparameter- Single-file format (just trace) still supported for backward compatibility
- Enables consistent offline analysis and visualization across all tournament types
- [feature] Add
CompletedRun.convert()method for converting between trace formats:- Supports all formats:
full_trace_with_utils,full_trace,extended_trace,trace,history - Converting to simpler formats (e.g., full_trace → trace) drops extra information
- Converting to more detailed formats sets missing fields to None
- Converting to
full_trace_with_utilsrequires a scenario with utility functions:- Uses
self.scenarioif available (preserved from original run) - Can optionally provide an external
scenarioparameter - Computes utilities for each offer using the scenario's utility functions
- Uses
- Supports all formats:
Bug Fixes:
- [bugfix] Fix race condition in Genius bridge when starting negotiation sessions
- [bugfix] Fix
Mechanism.nmideprecation - now properly useshared_nmithroughout codebase - [bugfix] Ensure per-negotiator
relative_timeis correctly passed to negotiators based on their individual limits - [bugfix] Fix
SAOMechanismnot creatingSAONMIinstances for negotiators (fixes Genius bridge tests) - [bugfix] Fix
ContiguousIssueXML serialization to use efficient integer format - [bugfix] Improve cross-platform path handling for Windows compatibility
- [bugfix] Fix Jupyter notebook test timeouts caused by blocking
fig.show()calls - [bugfix] Fix NaN return value in
compare_ufuns()when using Kendall's tau with constant utility functions - [bugfix] Fix
cartesian_tournament()modifying input scenario objects (now deep copies scenarios)
Documentation:
- [docs] Add comprehensive migration guide for 0.14 → 0.15 upgrade
- [docs] Update publications list with 5 new papers (2024-2025)
- [docs] Add documentation for per-negotiator limits
- [docs] Add documentation for offline visualization with
CompletedRun - [docs] Add documentation for standardized negotiation save/load format
Breaking Changes:
[breaking] Registry system refactored to use tags instead of boolean fields:
- MechanismInfo: Removed
requires_deadlinefield. Use tagrequires-deadlineinstead. - NegotiatorInfo: Removed
bilateral_only,requires_opponent_ufun,learns,anac_year,supports_uncertainty,supports_discountingfields. Use tags instead:bilateral_only=True→ tagbilateral-onlyrequires_opponent_ufun=True→ tagrequires-opponent-ufunlearns=True→ taglearninganac_year=2019→ taganac-2019supports_uncertainty=True→ tagsupports-uncertaintysupports_discounting=True→ tagsupports-discounting
- ScenarioInfo: Removed
normalized,anac,file,format,has_stats,has_plotfields. Use tags instead (e.g.,normalized,anac,file,xml/json/yaml,has-stats,has-plot). Addedopposition_level: float | Nonefield for numeric opposition level. - Backward compatibility: Old parameters (e.g.,
bilateral_only=True) still accepted inregister()methods but emit deprecation warnings and are converted to tags internally. - Query methods:
ScenarioRegistry.query()now supports numeric range queries forn_outcomes,n_negotiators, andopposition_levelusing tuples (e.g.,n_outcomes=(100, 500)).
- MechanismInfo: Removed
[breaking]
cartesian_tournamentnow defaults tostorage_optimization="space"andmemory_optimization="balanced"instead of"speed"for both. This change reduces disk space and memory usage by default but may affect code that expects specific file structures (e.g.,results/folder orall_scores.csv).To restore the old behavior, explicitly pass
storage_optimization="speed"andmemory_optimization="speed".[breaking]
cartesian_tournamentnow saves scenario statistics to_stats.yamlinstead ofstats.json. This aligns with the nativeScenarioformat and reduces redundant file storage.Scenario.load_stats()maintains backward compatibility by checking for both_stats.yaml(new) andstats.json(legacy).[breaking] Elicitation module extracted to separate package
negmas-elicit
New Features:
- [feature] Add three callbacks to
Mechanism.run()andMechanism.run_with_progress():start_callback: Called once at the start of negotiation with initial stateprogress_callback: Called after each negotiation step with current statecompletion_callback: Called once at the end of negotiation with final state
- [feature] Add three callbacks to
Mechanism.runall()for monitoring multiple negotiations:start_callback: Called at the start of each mechanism with(negotiation_id, mechanism)progress_callback: Called after each step of each mechanism with(negotiation_id, mechanism)completion_callback: Called at the end of each mechanism with(negotiation_id, mechanism)(renamed fromend_callbackfor consistency)
- [feature] Add registry system for mechanisms, negotiators, and components with scenario support
- [feature] Add
unregister()method toRegistryandScenarioRegistryfor removing registered items - [feature] Registry classes now guarantee that new registrations never hide existing ones:
Registry: Same class can be registered multiple times with different names (e.g., with different parameters). If a name already exists, falls back to full type name or numeric suffix (_1,_2, etc.). Addedget_all_by_class()method to retrieve all registrations for a class.ScenarioRegistry: Silently returns existing registration if path already registered (one registration per resolved path)
- [feature] Enhanced registry system with source tracking and virtual negotiators:
RegistryInfonow haskey,source, andparamsfields for unique identification and origin trackingScenarioInfonow hassourcefield for tracking scenario originRegistry.register()returns unique keys (format:{short_name}#{uuid8}) enabling virtual negotiators- Added
get_by_short_name(),create(),register_many(),unregister_many()methods toRegistry - Added
register_many(),unregister_many(),load()methods toScenarioRegistry - All decorators (
register_mechanism,register_negotiator,register_component,register_scenario) now acceptsourceandparamsparameters - All built-in registrations now have
source='negmas'for identification
- [feature] Add
save_registry(),load_registry(), andclear_registry()functions for registry persistence:- Saves/loads all registries to/from JSON files (default:
~/negmas/registry/) - Supports selective save/load of mechanisms, negotiators, components, and scenarios
load_registry()can optionally clear existing registrations before loading
- Saves/loads all registries to/from JSON files (default:
- [feature] Add
scored_indicesfeature andopponentsparameter tocartesian_tournament - [feature] Add
storage_optimizationparameter tocartesian_tournamentto control disk space usage:"speed"/"time"/"none": Keep all files (results/, all_scores.csv, details.csv, etc.)"balanced": Remove results/ folder after details.csv is created"space"/"max": Remove both results/ folder AND all_scores.csv (scores can be reconstructed from details.csv)
- [feature] Add
memory_optimizationparameter tocartesian_tournamentto control RAM usage:"speed"/"time"/"none": Keep all DataFrames in memory"balanced": Keep details + final_scores + scores_summary in memory, compute scores on demand then cache"space"/"max": Keep only final_scores + scores_summary in memory, load details/scores from disk when needed
- [feature] Add
storage_formatparameter tocartesian_tournamentsupporting"csv","gzip", and"parquet"formats - [feature] Add
calc_pareto_if_missingoption toScenarioStats.from_dict()andScenario.load_stats()for backward compatibility - [feature] Add
include_pareto_frontierparameter toScenario.dumpas()for space savings - [feature] Add
has_pareto_frontierproperty andto_dict()/from_dict()methods toScenarioStats - [feature] Refactor
SimpleTournamentResultsto support lazy loading from disk - [feature] Add tournament callbacks:
before_start_callback,after_construction_callback,after_end_callback,progress_callback - [feature] Add per-negotiation callbacks to
cartesian_tournamentfor monitoring individual negotiations in real-time:neg_start_callback: Called at the start of each negotiation with(run_id, state)neg_progress_callback: Called after each negotiation step with(run_id, state)neg_end_callback: Called at the completion of each negotiation with(run_id, state)- Callbacks work in both serial and parallel modes (local closures supported via cloudpickle)
- Note: In parallel mode, modifications to closure variables won't be visible in parent process
- [feature] Add
Scenario.rotate_ufuns()method for efficient scenario rotation in tournaments:- Creates new scenario with utility functions rotated by
npositions (e.g.,(u0, u1, u2) → (u2, u0, u1)forn=1) - Efficiently rotates scenario statistics without expensive recalculation:
- All utility tuples (
nash_utils,kalai_utils,pareto_utils, etc.) are rotated to match new ufun order - All outcome lists (
nash_outcomes,kalai_outcomes, etc.) remain unchanged - Scalar values (
opposition) remain unchanged utility_rangeslist is rotated to match new positions
- All utility tuples (
- Optionally rotates private info entries that match ufun count via
rotate_infoparameter - Supports positive/negative rotation with modulo wrapping (e.g.,
n=4same asn=1for 3 ufuns) - Outcome space is preserved (shared reference, not copied)
- Creates new scenario with utility functions rotated by
- [feature] Add
recalculate_statsparameter tocartesian_tournamentfor performance optimization:recalculate_stats=False(default, new behavior): Load stats from disk when available and useScenario.rotate_ufuns()to create rotated versions efficiently. Stats are calculated once then rotated, avoiding redundant expensive calculationsrecalculate_stats=True(old behavior): Always recalculate stats for every scenario rotation- When
rotate_ufuns=False, stats are never recalculated if already present in the scenario - Provides significant speedup for tournaments with
rotate_ufuns=True(observed 1.3-2x faster depending on scenario complexity) - Produces identical tournament results to old behavior, just more efficiently
- [feature] Add
save_table()helper function for saving tabular data in multiple formats (CSV, gzip, Parquet) - [feature] Add
load_table()helper function for loading tabular data from multiple formats (CSV, gzip, Parquet) - [feature] Extend
load()function innegmas.helpers.inoutto support.csv.gzand.parquetfiles - [feature] Add
DEFAULT_TABLE_STORAGE_FORMATandTableStorageFormattonegmas.helpers.inout - [feature] Add
CompletedRunclass for representing and persisting completed negotiation runs:- Encapsulates history, scenario, agreement, and statistics
- Supports save/load with multiple storage formats
- Can be created from
Mechanism.to_completed_run() - Includes
plot()method for visualizing completed runs (equivalent toSAOMechanism.plot())
- [feature] Add
CompletedRun.plot()method for visualizing completed negotiation runs:- Produces identical visualizations to
SAOMechanism.plot()but works with saved/loaded runs - Requires
history_type='full_trace'(useMechanism.to_completed_run(source="full_trace")) - Requires scenario with utility functions (load with
load_scenario=True) - Supports all plotting parameters: 2D utility space, offer timelines, distance metrics, etc.
- Enables offline analysis and visualization of archived negotiation data
- Produces identical visualizations to
- [feature] Add
Mechanism.to_completed_run()method for creatingCompletedRunfrom mechanism state - [feature] Add utility function normalization by default in
cartesian_tournament():- All utility functions are normalized to [0, 1] range before tournaments (can be disabled with
normalize_ufuns=False) - Normalization guarantees that the best outcome has utility 1.0 and the worst has utility 0.0 for each ufun independently
- Normalization happens BEFORE saving scenarios to disk, so all saved scenarios, statistics, and figures reflect normalized utilities
- Ensures consistent utility scales across different scenarios and negotiators
- All utility functions are normalized to [0, 1] range before tournaments (can be disabled with
- [feature] Add
Mechanism.save()method for saving negotiation results to disk:single_file=True: Saves trace/history as a single CSV/gzip/parquet filesingle_file=False: Creates a directory with trace, config, outcome stats, and optionally the scenario- Supports multiple trace sources:
"history","full_trace","trace","extended_trace" - Supports storage formats:
"csv","gzip","parquet"
- [feature] Add
storage_formatparameter toWorldclass for controlling table storage format - [feature] Add
storage_formatparameter tosave_stats()function innegmas.situated.save - [feature] Add per-negotiator time and step limits to mechanisms:
Mechanism.add(negotiator, time_limit=X, n_steps=Y)now accepts per-negotiator limits- Three-tier limit system in
NegotiatorMechanismInterface:- Shared limits (
shared_time_limit,shared_n_steps): Apply to all negotiators - Private limits (
private_time_limit,private_n_steps): Apply to individual negotiators - Effective limits (
time_limit,n_steps): Computed asmin(shared, private)
- Shared limits (
Mechanism.state_for(negotiator)returns per-negotiator state with customrelative_time- Each negotiator can have different time/step constraints within the same negotiation session
- Fully backward compatible - existing code works without changes
- Negotiators added without private limits use shared limits (default behavior)
Bug Fixes:
- [bugfix] Fix
SAOMechanismnot creatingSAONMIinstances for negotiators:- Added
nmi_factory=SAONMIparameter toSAOMechanism.__init__()super call - Previously created base
NMIinstead ofSAONMI, breakingnegotiator_offers()method - Fixes Genius bridge tests:
test_in_negotiation(GAC) andtest_caudacius_caudacius
- Added
- [bugfix] Restore missing
MechanismStateclass that was accidentally removed - [bugfix] Fix
Scenario.remove_discounting()stats invalidation whenrecalculate_stats=False:- Now sets
self.stats = Nonewhen stats are not recalculated - Ensures stats are not incorrectly preserved with discounting removed
- Now sets
- [bugfix] Fix
Scenario.remove_reserved_values()stats invalidation whenrecalculate_stats=False:- Now always invalidates stats when
recalculate_stats=False(consistent with other methods) - Ensures stats are not incorrectly preserved with reserved values removed
- Now always invalidates stats when
- [bugfix] Fix
cartesian_tournament()modifying input scenario objects:- Added deep copy of scenarios before modification
- Prevents tournament from mutating caller's scenario objects (e.g., during normalization)
- [bugfix] Fix parquet serialization of columns containing Python tuples/lists/dicts by converting to strings
- [bugfix] Fix propagating outcome space in discounted ufuns
- [bugfix] Fix scenario stats loading and caching in
calc_extra_stats - [bugfix] Fix stats filename in
dumpasand add tuple handling inconvert_numpy - [bugfix] Fix duplicate position creation in opponent mode tournaments
- [bugfix] Fix loading scenarios by trying all folder types
- [bugfix] Fix
ContiguousIssueXML serialization to use efficient integer format withlowerbound/upperboundinstead of expanding large ranges (e.g., 1-1,000,000) into millions of discrete items. This ensures proper type round-tripping through XML and improves GeniusBridge test compatibility - [bugfix] Improve cross-platform path handling for Windows compatibility:
- Fixed filesystem path operations in logging, world, tournaments, and tests to use
pathlib.Pathmethods - Fixed string name handling in
inout.pyto normalize both forward/back slashes for arbitrary user-defined names - Added fallback for unsupported
~usertilde expansion syntax inPath.expanduser() - Ensures tests pass reliably on Windows systems
- Fixed filesystem path operations in logging, world, tournaments, and tests to use
- [bugfix] Fix Jupyter notebook test timeouts caused by blocking
fig.show()calls:- Removed
fig.show()calls from tutorials 03, 04, and 06 (figures auto-display in Jupyter) - Added explicit
figas last line where needed to ensure figures display correctly - Increased
NOTEBOOK_CELL_TIMEOUTfrom 600s to 1200s (10 min → 20 min) - Changed
PLOTLY_RENDERERfrom'png'to'json'for non-blocking rendering - Added
PLOTLY_KALEIDO_NO_WAITandPLOTLY_ORCA_SERVERenvironment variables to prevent hangs
- Removed
- [bugfix] Fix NaN return value in
compare_ufuns()when using Kendall's tau with constant utility functions:- When one or both utility functions have constant utilities (all outcomes have equal utility),
scipy.stats.kendalltaureturns NaN instead of a valid correlation value - Now return -1.0 (anti-correlation) when
kendalltauproduces NaN - Access
result.statisticdirectly to fix Pyright type errors - Prevents downstream code from propagating NaN values unexpectedly
- When one or both utility functions have constant utilities (all outcomes have equal utility),
Documentation:
- [docs] Add comprehensive ANAC competition documentation for 2010-2025
- [docs] Add Python-native Genius negotiators and BOA components documentation
- [docs] Update GENIUS_INFO with all ANAC agents
- [docs] Improve docstrings throughout the codebase (SAO, outcomes, preferences, negotiators, Genius)
- [docs] Add AI assistance disclosure
- [docs] Add negmas-app to ecosystem
Other Changes:
- [chore] Add pyarrow dependency for parquet support
- [security] Update wheel from 0.45.1 to 0.46.3 to fix CVE: Arbitrary File Permission Modification via Path Traversal vulnerability in wheel unpack command (high severity, Dependabot alert #9)
- [chore] Add full license text
- [docs] Expand mechanisms documentation and remove incompatible TOC directives
- [docs] Refactor gnegotiators into module and add negotiators/components documentation
- [feature] Add
ExtendedOutcomeandExtendedResponseTypefor policies with text/data - [refactor] Migrate plotting from matplotlib to plotly
- [docs] Upgrade to Furo theme for modern documentation
- [docs] Split CLI documentation into separate negmas and negotiate pages
- [docs] Improve README with quick start, architecture overview, and better examples
- [docs] Optimize RTD build by removing show-inheritance and adding mock imports
- [test] Add comprehensive BOA component verification tests
- [bugfix] Resolve plotly migration issues - legend duplication and double-display
- [bugfix] Resolve deprecation warnings in test suite
- [bugfix] Suppress Hypothesis too_slow health check in test_checkpoint
- [license] Switch from GPL-2.0 to AGPL-3.0 for stronger copyleft protection
- [performance] Implement lazy module loading in package
__init__.pyreducingimport negmastime from ~0.43s to ~0.002s - [performance] Add lazy imports for heavy dependencies (scipy, pandas, networkx, matplotlib, rich, py4j, psutil, dill) throughout the codebase
- [feature] Add new utility function classes:
GLAUtilityFunction,GPAUtilityFunction,PAUtilityFunction - [feature] Add new multi-issue value functions:
LinearMultiFun,QuadraticMultiFun,BilinearMultiFun,PolynomialMultiFun,ProductMultiFun - [bugfix] Fix doctest failures in
value_fun.py(int vs float return values) - [bugfix] Fix missing
LinearMultiFunimport ingla.py - [docs] Fix broken documentation references
- [docs] Update copyright year to 2018-2025
- [build] Add Python 3.10 and 3.14 support
- [feature] Adding completion_callback to runall()
Allow 0.11.* and 0.10.* signatures for the propose() method in SAONegotiator. You can now use any of the following signatures:
- def propose(self, state) - def propose(self, state, dest)
- added scenarios.load_scenario() to load negotiation scenarios distributed in negmas. Currently only CameraB is available.
- Documentation update
Freeing numpy version and passing data through
minor: do not count None when counting types in issues
minor: changing order of methods of controller
Adding more negotiator accessors to controllers
- negotiators(self) -> dict[str, NegotiatorInfo]:
- unfinished_negotiators(self) -> dict[str, NegotiatorInfo]:
- finished_negotiators(self) -> dict[str, NegotiatorInfo]:
- to_start_negotiators(self) -> dict[str, NegotiatorInfo]:
- started_negotiators(self) -> dict[str, NegotiatorInfo]:
- active_negotiators(self) -> dict[str, NegotiatorInfo]:
minor: better setting of time limits in run_session()
Handling numpy arrays when dumping to yaml
[bugfix] Passing python_class_identifier around
When serializing/deserializing, not all classes were passing
python_class_identifier which resulted in some of them always using
[bugfix] __python_class__ which may lead to incorrect deserialization.
Ensuring private_info is defined in mapneg
Removing dependence on typing
Passing extra_paths and extra_modules to deserialize and get_class
Exporting calc_outcome_optimality from preferences.ops
Avoid going too far when inverting a ufun
Added passing numeric_prob to ufun generators. This allows us to generate ufun sets with outcome-spaces that are "sometimes" numeric.
Allow passing kwargs to invert() in ufuns
python_class_identifier in to_dict during serialization
Using python-class-identifier everywhere
This paramter to loading/saving functions allows the caller to change the identifier used to mark python classes in dumped files.
Adding tau
get_class returns None if given None
Adding EnumeratingOutcomeSpace
This outcome-space represents a set of outcomes with no issue structure.
Supporting pydantic in serialization
Compatibility with data-model-generator
Adding intersection function to issues
Renaming serial -> ordered in Mechanism.runall. This way it is less likely to be confused with sequential and it better represents what is happening.
Adding ordering_fun for dynamic ordering runall
Typing corrections
More genius tests
Passing a couple of tests of ufun inversion
Github Action Updates
Fixing testing is some Actions
Casting conflict_level output to float
Switching to uv
Avoiding plotting unnecessarily in a tests
Removing SAOCall and SAOPR from ALL_NEGOTIATORS
Checking that all indices appear in the ordering
Adding sequential option to Mechanism.runall()
- You can run negotiations sequentially in runall
- You can specify the ordering in serial runs explicitly
Ufuns can have an invalid-value
If the offer is not in the outcome-space and the invalid-value is not None, the invalid-value will be returned form __call__ in all ufuns formatting update
Adding default negotiator type to all controllers
bugfix: Adding context in controllers
Extra copying of ufuns and private infos to avoid sharing a copy of the ufun or any private info between the negotiator and the scenario or the negotiators which can cause hard-to-find bugs
Adding support for ANL-Agents in negotiate CLI. You can now use anl.anl2024.MissG for example as a negotiator. This will use the anl-agents package if it is installed. You can also pass --share-ufuns and --share-reserved-values to pass opponent ufuns (as in ANL 2024) to negotiators This makes it possible to run a negotiation like this:
`bash negotiate --plot -p sao -n anl.anl2024.Shochan -n anl.anl2024.AgentRenting2024 --steps=180 --share-ufuns --no-share-reserved-values ``Adding estimated_time_limit/n_steps to NMI
Documenting private info
Adding atomic_steps to all NMIs
Adding history to all states. Moreover, we added extended_trace and trace to SAOP states
Doc update: Improving upgrade guide
feature: Adding ExtendedOutcome containing data
Now SAO and GP negotiators can return an extended outcome from their proposal strategy which consists of an outcome and a dict with extra data. Examples include text, images, videos, arguments, etc. This is now supported for all SAOMechanism and GBMechanism(s).
Generating ufuns with variable n_values
Improving accuracy of inv-ufun
Requiring final scores when complete_only
Adding complete_only in Cartesian tournament combination
Better loading-saving of cartesian tournaments
Upgrading GitHub actions to avoid node 16
Stop testing notebooks on 3.10
Checking for NMI when filtering in controllers
Adding timeout to all github actions
Filtering unexpected offers before counter_all
Adding is_clean() to controllers
Checks that a controller has no negotiators and not internal state (i.e. it is in a blank state)
Saving negotiation details in World
Default to no neg-step-time-limit in World
just-in-time filtering of ended negs to controllers
Agent IDs and names in NMI match negotiator order
Adding completed/done to MechanismState (= ended)
[buffix] new_offers and dominant_outcomes init
These were incorrectly intialized to a type list instead of an empty list.
Adding Kalai-Smorodinsky to stats
The current implementation is approximate
Mechanism params saved in scenarios in tournaments
Minor printing improvement in tournaments
Tournament combination in Cartesian tournaments
- Cartesian tournaments were structured to allow for saving and loading
- Added load/save/combine to SimpleTournamentResults
- Added combine_tournament for combining on disk tournament results with control on copying and scenario renaming
Adding max-tasks-per-child to all tournaments
Supporting world-timeout in tournaments
Do not end tournaments if a single future timesout
- Saving repeated runs in cartesian tournaments.
- Adding sort_runs to cartesian tournaments. Passing sort_runs overrides randomize_runs and causes smaller scenarios to be negotiated first. Scenario's size is the product of the outcome-space cardinality, number of steps, and time-limits.
- Improving parallelism in cartesian tournaments:
- Adding max-tasks-per-process
- Adding external_timeout to cartesian tournaments. This parameter is only effective for parallel runs and enforces and external timeout on all tasks. This will avoid waiting for slow negotiators but it has the disadvantage of causing the main thread to never end. Tournaments may now need C-c to end.
- Adding _InfiniteWaiter negotiator for testing
- Accepting None for hidden_time_limit in Mechanism.
- More exception resistance in cartesian_tournament
- Base Mechanism class now can ignore exceptions in initialization of agents
- More consistent naming of methods involving negotiators
Matching the behavior of Genius in relative_time. Originally, NegMAS used the following rule for relative_time R:
i = 0 => R = 0
i > 0 => R = min(1, max(t/T, (i+1)/(N+1)))
where i is the current step, t is current time, T is time_limit, N is n_steps.
After this change the special case at i=0 is removed:
R = min(1, max(t/T, (i+1)/(N+1)))
This matches Genius behavior exactly if we have either T=infty or N=infty.
More info in printing in cartesian verbose
Rounding output in cartesian verbose mode
Printing execution time in cartesian verbose
- Saving erred-negotiator and erred-agent in MechanismState in case of errors in SAO and related mechanisms
- Saving details about errors (including traceback) in cartesian products (in all_scores.csv).
Improving the way some stats are saved in situated
CLI improvements
Now the "negotiate" CLI has a much better help. Try:
>> negotiate --help
Moreover, we added the ability to generate scenarios and save them as well as more control over statistics
- correcting the way some stats are saved. Avoids both double saving of stats in some cases and not saving them at all in others
- Avoid controller failure if a wrong ID is passed
- Making controllers generics for typing stability
- Adding agent_names back to the NMI
- Running bridge in slow actions
- Adding a tutorial about using the genius bridge
- Getting "negmas genius" to work as expected and adding more arguments to it
- Making negotiators generics
- Adding conversion from GBState to SAOState even though it is not really needed. Not tested yet.
- Making mechanisms and worlds generics
- Link corrections in docs
- Getting genius_id to work for all negotiators now
- Migrating from black to ruff for formatting
- Skipping stat combination tests
- Adding plot_combined_stats and combine_stats in World
- Fixing logo path
- Minor coloring in tournaments
- Adding plot_stats() and stat_names to World
- Always using sync-calls when debugging
- Testing hidden time limit
- Better ufun generation. negmas.preferences.generators now have two functions:
- generate_single_issue_ufuns and generate_multi_issue_ufuns. These can be used to generate ufuns using any generator in the GENERATOR_MAP with full control: - can control issue, outcome and ufun names - can control reserved values and/or rational fractions - can control the type: numeric/string issues and linear-additive/mapping ufuns
- MappingUFun returns -inf for non-existing outcomes
- Now mapping ufuns will return 0.0 for unknown values not None
- bugfix: fixing activity level and other stat calculation
- Adding generate_multi_issue_ufuns. This generator generates a set of ufuns for a multi-issue scenario with
- controllable pareto generators
- Adding plotting to Scenario
- doc: removing svg explicit setting
- Adding GB to the mechanisms docs
- Saving scenario figs by default in Cartesian tournaments
- Showing inheritance graphs in docs
Adding TimeBasedOfferingStrategy
bugfix: Incorrect scenario names sometimes. Caused by updating the same scenario object in multiple consecutive runs specially when running serial tournaments.
feature: Negotiator logs in mechanisms
- Negotiators can use self.nmi.log_info to log information in the mechanism that is accessible for any one who can access the mechanism. log_warning, log_error, log_debug, log_critical are also available.
- Logs are stored as structured dicts that will be converted to data frames. IT IS NECESSARY for all logs with the same key to have the same EXACT keys and it is recommended for their values to have the same type.
- Cartesian tournaments will now save these logs after the mechanism ends if any are given and logging is enabled (i.e. path is passed to cartesian_tournament()).
Limitations:
- You MUST pass a key (nid) to all log functions. If two different negotiators passed the same key, these logs will be combined in a single file. This may be too cooperative and confusing!!
- The logs are not returned in SimpleTournamentResults. If you need to read the logs you must save logs to the HDD. This is by design because these logs may be too large and keeping them to return them after the tournament may consume too much memory. Currently, they will be deleted from memory with the mechanism.
- bugfix: Distributing integers correctly when approximate equality is wanted
- bugfix: Caretsian tournaments not varying n_steps
- bugfix: sample_between failing on small ranges
- Correcting the path to the genius bridge
- Adding plotting of offline runs
- Better styling of plots
- removing n_trials from generate_utility (not needed)
- Full testing of ufun generators
- Passing private_infos to cartesian tournaments
- bugfix: Private info not passed from SAONegotiator
- Supporting yaml for saving and loading domains
- Adding exception handling and testing Cartesian Tournaments
- Adding ufun generators with controlled Pareto
- Stopping saving "stats.json" in tournaments. stats.csv contains the same information
- Allowing nash calculation without ufuns
- Exception handling in cartesian tournaments. Note that I assume that ignore_negotiator_exceptions can be passed to the mechanism class
- intin and floatin in the helpers to sample.
- Saving negotiator times in cartesian
- Adding execution_time to cartesian logs
- Finer conntrol on timing in Cartesian tournaments. Also recording negotiator times
- Adding negotiator_times to Mechanisms
- Finer control on mechanism printing
- Ignoring some typing errors
- Passing plot_params in cartesian_tournament
- Saving path and controlling name-shortening in tournaments
- Adding the ability to hide types in cartesian_tournament
- Name but not ID reveals type cartesian_tournament by default
- Removing neg/agent_names from NMI. Now negotiators have access to each other's ID but not name by default
- Correcting sorter negotiator
- Minor bugfixes
- Adding simple tournaments and testing them
- improving plotting and minor typing enhancement
- bugfix in time-based
- Reducing verbosity
- passing kwargs back to Negotitors
- Adding simple tournaments
- Fixing a pandas warning
- Renaming Scenario.agenda -> outcome_space
- Switching to readthedocs.io
- doc update
- adding RandomAlwaysAcceptingNegotiator
- Upgrading CI tests to use python 3.12 by default
- avoid genius when calculating coverage
- Do not test notebooks before release (avoid genius)
- Empty results when a tournament has no scores
- Adding RandomOfferGuaranteedAcceptance negotiator
- Fixing some failures in testing some genius agents
- [Snyk] Security upgrade pillow from 9.5.0 to 10.0.1
- [Snyk] Security upgrade werkzeug from 2.2.3 to 3.0.1
- [Snyk] Security upgrade pillow from 9.5.0 to 10.0.0
- fix: docs/requirements.txt to reduce vulnerabilities
- Updating tutorials, adding a tournament there
- Fixing an installation bug: hypothesis was needed to run test_situated under negmas/tests. This prevented users from running the fast set of tests after installation.
- cartesian_tournament to run a simple tournament - cartesian_tournament runs a simple tournament similar to Genius tournaments. - create_cartesian_tournament creates a simple Cartesian tournament but does not run it. To run the tournament, call run_tournament passing it the returned path from create_cartesian_tournament.
- fix: requirements-visualizer.txt to reduce vulnerabilities
- Group2 defaults to Y2015Group2 in gnegotaitors
- adding Ateamagent beside AteamAgent
- Correcting few gnegotiator names
- standardizing some gnegotiator names
- renaming ateamAgent -> AteamAgent in genius
- Adding some missing Genius negotiators to gnegotiators.py
- various bugfixes
- Updating ginfo (Genius Information) with ANAC competition information up to the end of genius support and partial information for geniusweb years
- removing offer from SAO's respond() method.
- allowing users to step worlds from the point of view of a set of agents ignoring simulation step boundaries and passing external actions if needed. See World.step() for details.
- Restructuring tests
- Using Numba only with python 3.10
- Always using with when opening files
- Adding more info about anac results
- [SAO] Completely removing support for avoid_ultimatum
- [SAO] Adding fallbacks to respond() calls in SAO to support the API with and without source. The later API will be dropped later.
- [Preferences] Adding has_ufun to Rational to check if it has a BaseUtilityFunction as its preferences.
- [Genius] More details on errors from genius bridge
- [Genius] bugfix when starting genius negotitauions with no n-steps (sometims)
- [CLI] supporting genius negotiators in the negotiate.py cli
- Pass -n geinus.<agent-name> or genius:<agent-name> The agent-name can be just the full java class name, or a simplified version that is all lower without the word agent and without _
- minor bugfixes
- [python] Supporting 3.11 and dropping support for 3.8 and 3.9
- [test] Adding 3.11 to tests
- [major] Adding Generalized Bargaining Protocols
- [buffix] testing saving exceptions in SAO
- [bugfix] Avoid failure if a config folder for negmas does not exist
- [minor] avoid a warning when setting preferences explicitly
- [minor] Moving shortest_unique_names to strings.py from misc.py
- [cli] renaming the 50% column to median in scores
- [feature] Adjustable config paths. Now all paths and configs are adjustable using environement variables, a global json file or a local json file. See negmas_config under negmas.config for more details.
- [feature] Adding calculation of Kalai-points, max-welfare-points and max-relative-welfare points and making nash_points return all nash points (previously we had nash_point() which returned just one)
- defaulting to full type name in NamedObject
- Removing a couple of warnings
- removing dependence on tqdm and printing by rich
- using rich progressbar in run_with_progress
- feature: added serialization to yaml and json in Scenario
- feature: adding shorten_type_field to serialize()
- feature: Adding future annotations for 3.8 compatibility (tests)
- bugfix: resetting() controllers now kills negs.
- bugfix: Ensuring that counter_all() is called every step for SAOSyncController
- enhancement: extra check in SyncController
- enhancement: Rejects offers for unregistered negotiators
- bugfix: SAOSyncController not receiving first_proposals before counter_all
- enhancement: SAOMechanism extra assertions
- enhancement: improved type annotations
- feature: Adding ExpAspiration time curve
- feature: Adding more acceptance strategies
- enhancement: Restructuring the situated module
- Improving caching
- Renaming modeling advanced module to models
- optimizing imports
- removing the need for extra_state()
- changing some of the core classes to use attrs
- switching to setup.cfg and adding pytoml.yml
- performance improvement and code sorting
- more basic acceptance strategies
- caching offer in the offering strategy
- Avoids repeated calls to the offering strategy in SAOModuler if it was called for example by the acceptance strategy then again by the mechanism.
- Purifying protocols
- correcting info for ANAC 2014
- Implementing not for AcceptanceStrategy and adding RejectionStrategy to invert the decision of an AcceptanceStrategy
- Supporting normalized ufuns in TFT
- Added ZeroSumModel as a simple opponent model (assumes a zero-sum negotiation)
- Refactored NTFT to use this model
- Removed the unnecesasry ConcessionEstimator classes
This is a major release and it is not backward compatible. Please reference the upgrade guide at the upgrdade guide.
Some of the most important changes are:
- Introduces the ModularNegotiator and Component objects to simplify reuse of negotiation strategies through composition instead of inheritance.
- Restructures most of the code-base for readability.
- Completed the tutorial.
- Simplified several key methods.
- Introduced the SAOModularNegotiator, MAPNegotiator, BOANegotiator as basic modular negotiators for the SAO mechanism as well as reusable components like AcceptanceStrategy, and OfferingStrategy
- [sao] improvement to the plot() method of SAOMechanism
- [genius] Almost complete rewriting of the genius-bridge. Now we are compatible with genius*bridge v0.2.0
- [genius] Renaming get_genius_agents() to get_anac_agents()
- [genius] Updating TEST_FAILING_NEGOTIATORS and adding ALL_GENIUS_NEGOTIATORS, ALL_BASIC_GENIUS_NEGOTIATORS to ginfo
- [core] Adding nash_point() to find the nash point of a set of ufuns (within the pareto frontier)
- [bugfix] plotting SAOMechanism instances with continuous Issue spaces work now
- [genius] Stricter GeniusNegotiator. If strict=True is given to a GeniusNegotiator (or in an n_steps limited negotaition with strict not given at all), more tests are incorporated to make sure that the Genius agent is getting what it expects all the time.
- [sao] relative_time matches Genius behavior. relative_time was equal to step/n_steps now it is (step+1)/(n_steps+1) This is only in the case of using n_steps as a limit of a mechanism.
- [tests] Extracting long genius tests out and running genius tests in CI
- [genius] Added is_installed to GeniusBridge and genius_bridge_is_installed()
- [bugfix] Handling wrong time perception in Genius agents
- [genius] Adding wxtra warnings for common timinig problems in SAO
- A warning is now raised in either of the following cases:
- A mechanism is created with neither a time_limit nor n_step set
- A Genius agent tries to join a mechanism with both time_limit and n_steps set
- We stopped using timeline.increment() inside the genius bridge and now pass the round number (step in negmas terms) directly from negmas. This should avoid any possibility of double counting
- [sao] Adding enforce_outcome_type to SAOMechanism
- [sao] Adding enforcement of issue value types SAOP
- [sao] Adding the ability to cast_outcome to Mechanism
- [genius] Adding relative_time to GeniusNegotiator which checks the time as perceived by the Genius Agent inside the JVM
- [genius] Improving the way tuple ouctomes are handled in GeniusNegotiator
- [tournament] Allowing truncated_mean in eval
- [cli] adding truncated_mean as a possible metric
- [sao] Treating None as (REJECT_OFFER, None) in responses from counter_all()
- [core] better normalization for random Linear*UFun
- [helpers] single_thread() context manager
- [bugfix] Partner params incorrectly passed in NegWorld
- [core] Adding to_dict/from_dict to all ufun types
- [core] Better random LinearAdditiveUtilityFunction
- [core] better implementation of stepall and runall
- [core] implementing keep_order=False for stepall()
- [tournaments] Adding negotiation tournaments.
- [situated] shuffle_negotiations option in World
- [bugfix] SAOSyncController never loses offers
- [sao] Avoiding an issue with avoid-ultimatum if all agents sent None as their first offer
- [situated] bugfix in reporting mechanism exceptions
- [helpers] Adding one-thread mode
- [situated] enable agent printing by default
- [tournament] not setting log_negotiations for forced logs
- [tournaments] udpating log_negotiations when forced to save logs
- [tournaments] saving negotiations
- [sao] bugfix AsporationController best_outcome
- [sao] avoiding repetition in trace and offers at the end
- [genius] disabling AgentTD
- [genius] disabling GeneKing
- [genius] testing only confirmed passing negotiators
- [genius] correcting some genius class names
- [testing] stronger genius testing
- [testing] shortening the time allowed for genius negotiators in tests
- [genius] allowing the ufun of genius agents to be set anytime before negotiation start
- [core] bugfix. Type of issue value may be incorrect when exporting to xml
- formatting
- [bugfix] correcting getting partner agent names in controllers
- [elicitation] pandora unknowns sometimes were not set
- [helpers] bugfix in serialization: correctly serializing cloud pickalable objects
- [bugfix] some SAO mechanisms where timeouting without timeout set
- [genius] updating the set of tested genius agents
- [sao] adding the ability to use sync-calls in SAOMechanism
- [situated] fixing not showing last step's conracts in draw
- [sao][bugfix] correctly handling unexpected timeouts (Usually Genius)
- [minor] using warnings.warn instead or print whne appropriate
- [sao] improving synchronous controller handling
- [sao] correcting history storage. Avoiding repetition of the last offer sometimes
- [core] better handling of extra state in Mechanism
- [sao] default waiting is now 0 step and correcting times calculation
- [tournament] [bugfix] correcting str conversion for TournamentResults
- [sao] [bugfix] correcting storage of history in state
- [core] Supporting python 3.9
- [situated] bugfix when agents make exceptions (time was ignored)
- [situated] forcing all agents not to print anything
- [situated] forcing all agents not to print anything
- [minor] ignoring some intentionally broken type checks
- [setup] Adding cloudpickle as a requirement for setup
- [situated] revealing all methods of Agent in the AWI
- [genius] bugfix, forcing time_limit to be an int in genius
- [situated] Adding RunningNegotiationInfo to situated.__all__
- [core] making the core SAONegotiator robust to missing ufuns.
- [core] allowing controllers to control the ID of negotiators
- [core] adding reset_timer to EventLogger and logging time
- [core] passing AMI to minmax [situated] reversing adapter and adapted
- names in Adapter to make sure that split(".")[-1] still gets the adapted name not the adapter name.
- [core] making Controller.negotiators return NegotiatorInfo
- [genius] bug fix in saving xml utils that broke the bridge
- [genius] get_genius_agents in genius.ginfo to find genius agents
- [situated] adding event logging to situated (unstable)
- [bugfix] removing color codes in log file (log.txt)
- [situated] adding more events (contracts/breaches)
- [testing] getting some genius related tests to pass
- [testing] avoiding failure on genius agents that cannot agree
- [core] making the core SAONegotiator robust to missing ufuns.
- [core] allowing controllers to control the ID of negotiators
- [core] adding methods to find partner IDs and names
- [sao] Adding global_ufun to SAOSyncController
- [core] removing all all_contracts.csv from output keeping only contracts.csv withe full information.
- [core] Added serialization module for serializing objects in human readable format.
- [core] Added id as a parameter to all constructors of NamedObjects
- [core] dividing utilities.py into multiple modules
- This should not affect any external users.
- [core] removing an issue when deepcopying utility fucntions.
- [core] adding inverse_utility support
- [core] adding inverse ufun support
- [cli] removing unnecessry force flag
- [sao] adding allow_offering_just_rejected_offers
- [core] adding max_n_outcomes to Issue.sample
- adding parameters to mechanisms and worlds.
- [genius] improved the information on ANAC competition
- [genius] restructuring the module into a package
- [core] bugfix in LinearUtilityFunciton that calculated the weights
- incorrectly sometimes
- [genius] Adding close_gateway to GeniusBridge to close all connections
- [genius] Adding close_gateway to GeniusBridge to close all connections
- [genius] Added GeniusBridge with methods to control a bridge
- [genius] Now all GeniusNegotiator classes share the same bridge to avoid too much resource allocation but this may not be safe when running tournaments.
- [genius] compatible with bridge version 0.5
- [genius] compatible with bridge v0.3
- [genius] more exhaustive testing and resolving ending issue
- [genius] adding the skeleton to cancel unending agents
- [sao] allowing load_genius_domain to use any kwargs
- [core] adding imap to all mechanisms
- [core] Maps between issue name and index and back
- [core] Speeding issue enumeration
- [core] Enumerating faster for large outcome spaces.
- [core] Adding max_n_outcomes to functions that use outcome enumeration more consistently.
- [core] adding a warning for infinity ufun values
- [inout] bugfix a failure when reading some genius files
- [tournaments] Default to faster tournaments
- [testing] Avoid failure on PyQT not installed
- [situated] agreement and contract validation: Agreement validation (is_valid_agreement) and contract validation (is_valis_valid_contract) are added to the World class. Using them a world designer can decide that an agreement (before signing) or a contract (after signing) is invalid and drop it so it is never executed. These contracts appear as 'dropped_contracts' in stats.
- [tournaments] Adding max_attempts parameter when running worlds.
- [tournaments] Possible exclusion of competitors from dyn. non-comp.
- [tournaments] Adding dynamic non_competitors
- [situated] Allowing more return types from sign_all_contacts
- [tournaments] Avoid different stat lengths
- [situated, tournaments] Early break if time-limit is exceeded.
- [situated, tournaments] Early break if time-limit is exceeded.
- [situated, mechanisms, tournaments] Using perf_counter consistently to measure time.
- [situated,mechanisms] more robust relative time
- [setup] Removing installation of visualizer components in CI
- [tournaments] Avoid failure for empty stat files when combining tournaments
- [helpers] avoid trying to load empty files
- [tournament][bugfix] Error in concatenating multiple exceptions.
- [tournament][bugfix] Serial run was failing
- [situated] Avoiding relative_time > 1
- [mechanisms] Avoiding relative_time > 1
- [tournament] Saving temporary scores in tournaments by default
- [tournaments][bugfix] Tuples were causing exceptions when combining agent exceptions
- [bugfix] correcting NotImplementedError exception
- [situated] Avoid failure when returning non-iterable from sign_all_contracts
- [tournaments] better handling of continuation
- [tournament] Randomizing assigned config runs
- [tournament] adding extra exception and timing information to tournaments
- [docs] Documentation update
- [situated] Keeping details of who committed exceptions.
- [situated] For negotiation exceptions, the exception is registered for the agents owning all negotiators as it is not possible in World to know the negotiator from whom the exception originated.
- [tournaments] defaulting to no logs or videos in tournaments.
- [base] bugfix: avoid calling parent in passthrough negotiator when it does not exist.
- [base] making PyQT optional
- [docs] more tutorials and overview revampment
- [sao] Allowing max_wait to be passed as None defaulting to inf
- [sao] Passing the ufun to the meta-negotiator in SAOMetaNegotiatorController
- [base] unsetting the controller when killing a negotiator
- [base] setting default max_waits to infinity
- [base] defaulting to auto-kill negotiators in all controllers.py
- [base] Adding max_wait to void infinite loops with sync controllers
- [base] removing a warning caused by passing dynamic_ufun
- [base] correctly passing ufun to all rational types
- [base] placeholder to support parallel runall in mechanism
- [base] LimitedOutcomesNegotiator does not offer what it will not accept
- [base] Bug fixes in Utilities and LimitedOutcomesNegotiator
- [performance] Caching first offers in SyncController.
- [performance] Reducing memory consumption of AspirationNegotiator
- [performance] Speeding up Mechanism.state
- [performance] Adding eval_all to UtilitityFunction to speedup multiple evaluations
- [docs] Improving the overview part of the documentation
- [docs] Documentation update
- [elicitation] Fixing documentation after renaming elicitors -> elicitation
- [elicitation] Adding AMI to elicitaition.User to know the step
- [elicitation] restructuring elicitors module and renaming it to elicitation
- [elicitation] correcting a bug in base elicitor
- [installation] Resolving an issue when blist is not installed
- [installation] Adding gif to requirements
- [installation] warn if gif generation failed
- reformatting and import optimization
- Removing eu from SAONegotiator because we have no opponent_models yet
- [base] Refactoring to allow Negotiators, Controllers and Agents to have UFuns. Introduced the Rational type wich is a NamedObject with a ufun. Now Negotiators, Controllers, and Agents are all Rational types. This makes it easier to define ufuns for any of these objects. on_ufun_changed is now called immediately when the ufun is set but if an AMI is not found, the _ufun_modified flag is set and the rational object is responsible of calling on_ufun_changed after the nmi is defined. For Negotiators, this happen automatically
- [situated] Making negotiation requests with an empty output-space fail
- [testing] Correcting some testing edge casease
- [base] converting outcome_type in UtilityFunction to a property. To allow complex ufuns to set the outcome_type of their children recursively.
- [docs]. Using "Outocme" instead of Outcome for type hints. To avoid the nonsensical long types that were appearing in the documentation because Sphinx cannot find the Outcome type alias and rolls it to a long Union[.....] thing.
- [docs] documentation update
- [sao] always calculating best outcome in AspirationNegotiator
- [utilities] making the calculation of utility ranges in minmax more robust
- [sao] Making SyncController default to the outcome with maximum utility in the first round instead of sending no response.
- [chain] moved to relative imports
- [negotiators] Removed the outcomes/reserved_value parameters when constructing RandomNegotiator
- [negotiators] Improvements to the implementation of Controller
- [sao] Adding SAOAspirationSingleAgreementController, SAOMetaController, SAORandomSyncController and improving the implementation of SAOSyncController and SAOSingleAgreementController
- adding more tests
- [situated] Improving the description of partners and handling in request/run negotiations by having the caller being added to the partners list automatically if it has one item.
- adding a helper to find shortest_unique_names.
- Better adherence to the black format
- Documentation Update
- Separating configuration into config.py
- Moving CI to Github Actions
- Removing negotiation_info.csv and keeping only negotiations.csv Now negotiation.csv contains all the information about the negotiation that was scattered between it an negotiation_info.csv
- [situated] Adding the concept of a neg. group
- [bugfix] correcting the implementation of joining in SAOControlledNegotiator
- [negotiators] Making it possible to use the AspirationMixin for controllers.
- Adding information about the agent in SAOState
- Preliminary GUI support
- Correcting the import of json_normalize to match
- Pandas 1.0
- Correcting the types of offers in SingleAgreement
- Documentation update (removing inherited members)
- [tournament] Adding a string conversion to TournamentResults
- [sao] Adding SAOSingleAgreementController that is guaranteed to get at most one agreement only.
- [helperrs] Supporting dumping csv files in dump/load
- [situated] making _type_name add the module name to the class name before snake-casing it
- [situated] [bug] correcting cancellation_fraction implementation to take into account non-negotiated contracts
- [helpers] making add_records more robust to input
- [bugfix] Resolving a bug in creating graphs while running a tournament
- [situated] Cancellation fraction and Agreement fraction now consider only negotiated contracts
- [situated] never fail for gif generation (just pass the exception)
- [CLI] Fixing a bug that prevented negmas tournament create from failing gracefully when not given a scorer/assigner/world-config or world-generator.
- [mechanism] triggering a negotiator_exception even on negotiator exceptions
- [situated] adding a count of exceptions per agent
- [situated] counting exceptions in negotiations as exceptions by the owner agent
- [mechanism] adding mechanism abortion
- [situated] Adding the method call to World and using it always when calling agents to count exceptions
- [situated] Adding n_*_exceptions to count exceptions happening in agents, simulation and negotiations
- [tournaments] Adding n_*_exceptions to the tournament Results structure (TournamentResults) reporting the number of exceptions that happened during the tournament from different types
- [tournament] adding more details to tournament results and andding world_stats.csv to the saved data
- [situated] handling compact world running better: - added a no_logs option to World that disables all logging including agent logging - Corrected the tournament running functions to deal correctly with worlds with no logs
- [tournament] adding path to tournament results
- [situated] adding negotiation quotas and setting negotiator owner
- [base] adding accessor to negotiator's nmi and a setter for the owner
- [sao] removing deadlocks in SAOSyncController
- [tournament] allowing round-robin tournaments to have zero stage winners (which will resolve to one winner)
- [tournament] making median the default metric
- [base] on_negotiation_end is always sent to negotiators
- [base] Adding owner to negotiators to keep track of the agent owning a negotiator.
- [situated] Resolving a possible bug if the victims of a breach were more than one agent
- [situated] Adding graph construction and drawing
- [situated] renaming contracts in TimeInAgreement to contracts_per_step to avoid name clashes
- [situated] Adding fine control for when are contracts to be signed relative to different main events during the simulation
- [situated] adding basic support for partial contract signature (contracts that are signed by some of the partners are now treated as unsigned until the rest of the partners sign them).
- [situated] changing signatures into a dict inside Contract objects to simplify searching them
- [genius] adding ParsCat as a Genius Agent
- [situated] added agent specific logs to situated
- [situated] adding simulation steps after and before entity/contract execution
- [situated] adding ignore_contract to ignore contracts completely as if they were never concluded
- [siutated] adding dropped contracts to the possible contract types. Now contracts can be concluded, signed, nullified, erred, breached, executed, and dropped
- [situated] Correcting the implementation of TimeInAgreementMixin taking into account batch signing
- [situated] Added aggregate management of contract signing through sign_all_contracts and on_contracts_finalized. We still support the older sign_contract and on_contract_signed/cancelled as a fallback if sign_all_contracts and on_contracts_finalized are not overriden
- [situated] Now contract related callbacks are called even for contracts ran through run_negotaiation(s)
- [situated] added batch_signing to control whether contracts are signed one by one or in batch. Default is batch (that is different from earlier versions)
- [situated] added force_signing. If set to true, the sign_* methods are never called and all concluded negotiations are immediately considered to be signed. The callbacks on_contracts_finalized (and by extension on_contract_signed/cancelled) will still be called so code that used them will still work as expected. The main difference is in timing.
- replacing -float("inf") with float("-inf") everywhere
- replacing -float("inf") with float("-inf") everywhere
- [core] avoid importing elicitation in the main negmas __init__
- [concurrent] renaming nested module to chain
- [documentation] improving module listing
- [concurrent] Adding a draft implementation of MultiChainMechanism with the corresponding negotiator
- [elicitors] adding a printout if blist is not available.
- [documentation] improving the structure of module documentation
- [core] Defaulting reserved_value to -inf instead of None and removing unnecessary tests that it is not None
- [core] default __call__ of UtilityFunction now raises an exception if there is an error in evaluating the utility value of an offer instead or returning None
- [core] Adding minmax and outcome_with_utility as members of UtilityFuction. Global functions of the same name are still there for backward compatibility
- [CLI] improving path management for windows environments.
- black formatting
- [mechainsms] Allowing mechanisms to customize the AMI for each negotiator
- [concurrent] Adding ChainNegotiationMechanism as a first example of concurrent negotiation mechanisms.
- [core] avoiding an import error due to inability to compile blist in windows
- [core] removing the global mechanisms variable and using an internal _mechanism pointer in AMI instead.
- [situated] Adding events to logging and added the main event types to the documentation of the situated module
- [situated] Do not create log folder if it is not going to be used.
- [negotiators] adding parent property to negotiator to access its controller
- [Situated] adding accepted_negotiations and negotiation_requests to Agent (see the documentation for their use).
- [Situated] Now running_negotiations will contain both negotiations requested by the agent and negotiations accepted by it.
- [helpers] Adding microseconds to unique_name when add_time is True
- [Setup] separating requirements for elicitation and visualization to avoid an issue with compiling blist on windows machines unnecessarily if elicitation is not used.
- [core] adding is_discrete as an alias to is_countable in Issue
- [style] styling the mediated negotiators with black
- [core] resolving a bug in random generation of outcomes for issues with a single possible value
- [situated] resolving a bug that caused negotiations ran using run_negotiations() to run twice
- [core] making SAO mechanism ignore issue names by default (use tuples instead of dicts) for negotiation
- [core] allowed json dumping to work with numpy values
- [bug fix] Random Utility Function did not have a way to get a reserved value. Now it can.
- [core] Merging a pull request: Add mediated protocols
- [core] using num_outcomes instead of n_outcomes consistently when asking for n. outcomes of a set of issues
- [core] improving the robustness of Issue by testing against Integral, Real, and Number instead of int and float for interoperability with numpy
- [core] converted Issue.cardinality to a read-only property
- [core] converted Issue.values to a read-only property
- [core] improving the implementation of Issue class. It is now faster and supports Tuple[int, int] as values.
- [doc] preventing setting theme explicitly on RTD
- [doc] minor readme edit
- [doc] correcting readme type on pypi
- Moving the SCML world to its own repository (https://github.com/yasserfarouk/scml)
- Minor updates to documentation and requirements to avoid issues with pypi rendering and Travis-CI integration.
- [Core][SAO] allowed AspirationNegotiator to work using sampling with infinite outcome spaces by not presorting.
- [Core][Outcome] bug fix in outcome_as_tuple to resolve an issue when the input is an iterable that is not a tuple.
- Documentation update for AspirationNegotiator
- [Core][Tutorials] fix documentation of "Running existing negotiators"
- [Core][Utility] fixing a bug in xml() for UtilityFunction
- [Core][Documentation] adding documentation for elicitors, and modeling
- [Core][Genius] allowing Genius negotiators to be initialized using a ufun instead of files.
- [Core][Genius] Adding some built-in genius negotiators (Atlas3, AgentX, YXAgent, etc)
- [Core][Modeling] restructuring modeling into its own packages with modules for utility, strategy, acceptance and future modeling.
- [Core][Modeling] Adding regression based future modeling
- adding python 3.8 to tox
- [Core][Outcomes] adding functions to generate outcomes at a given utility, find the range of a utility function, etc
- [Core] restoring compatibility with python 3.6
- [Core][Elicitation, Modeling] Added utility elicitation and basic acceptance modeling (experimental)
- Documentation Update.
- Adding LinearUtilityFunction as a simple way to implement linear utility functions without the need to use LinearAdditiveUtilityFunction.
- [Setup] Removing dash dependency to get TravisCI to work
- [Core] Correcting the implementation of the aspiration equation to match Baarslag's equation.
- updating the requirements in setup.py
- [Visualizer] Adding visualizer basic interface. Very experimental
- Adding placeholders for basic builtin entities
- [Core] basic tests of checkpoints
- [Core] adding time to info when saving a checkpoint and smaller improvments
- [Core] updating the use of is_continuous to is_countable as appropriate (bug fix)
- [Core] exposing load from helpers
- [Core] testing is_countable
- [SingleText] renaming is_acceptable to is_acceptable_as_agreement
- [Core] Sampling with or without replacement from issues with values defined by a callable now return the same result
- [Core] Allowing creator of AspirationNegotiator to pass max/min ufun values
- [Core] Adding Negotiator.ufun as an alias to Negotiator.ufun
- [Core] Allowing agreements from mechanisms to be a list of outcomes instead of one outcome
- [Core] adding current_state to MechanismState
- [Situated] [bug fix] run_negotiations was raising an exception if any partner refused to negotiation (i.e. passed a None negotiator).
- [Core][Outcomes] Adding support for issues without specified values. In this case, a callable must be given that can generate random values from the unknown issue space. Moreover, it is assumed that the issue space is uncountable (It may optionally be continuous but it will still be reported as uncountable).
- [Core] Implementing checkpoint behavior in mechanisms and worlds.
- Added checkpoint and from_checkpoint to NamedObject.
- Added CheckpointMixin in common to allow any class to automatically save checkpoints.
- [Core][Genius] Resolving a bug that prevented genius negotiators from starting.
- [SCML] converted InputOutput to a normal dataclass instead of it being frozen to simplify checkpoint implementation.
- [Core] Allow agents to run_negotiation or run_negotiations when they do not intend to participate in the negotiations.
- [Mechanisms] Adding Mechanism.runall to run several mechanisms concurrently
- [SAO] Added Waiting as a legal response in SAO mechanism
- [SAO] Added SAOSyncController which makes it easy to synchronize response in multiple negotiations
- [Situated] Correcting the implementation of run_negotiations (not yet tested)
- [SAO] adding the ability not to consider offering as acceptance. When enabled, the agent offering an outcome is not considered accepting it. It will be asked again about it if all other agents accepted it. This is a one-step free decommitment
- [Situated] exposing run_negotiation and run_negotiations in AgentWorldInterface
- [Situated] bug fix when competitor parameters are passed to a multistaged tournament
- [Situated] Avoiding an issue with competitor types that do not map directly to classes in tournament creation
- [Core][Situated] adding type-postfix to modify the name returned by type_name property in all Entities as needed. To be used to distinguish between competitors of the same type with different parameters in situated.
- [Core][Situated] using correct parameters with competitors in multistage tournaments
- [Core][Single Text] deep copying initial values to avoid overriding them.
- [Core][Common] Added results to all mechanism states which indicates after a negotiation is done, the final results. That is more general than agreement which can be a complete outcome only. A result can be a partial outcome, a list of outcomes, or even a list of issues. It is intended o be used in MechanismSequences to move from one mechanims to the next.
- added from_outcomes to create negotiation issues from outcomes
- updating nlevelscomparator mixin
- [Core][SingleText] Adding single-text negotiation using Veto protocol
- [Core][Utilities] correcting the implementation of is_better
- [Core][Negotiators] Adding several extra honest negotiators that map functionality from the utility function. These are directly usable in mediated protocols
- bug fix: Making sure that step_time_limit is never None in the mechanism. If it is not given, it becomes -inf (the same as time_limit)
- [Core][Utilities] Adding several comparison and ranking methods to ufuns
- [Core][Event] improving the notification system by adding add_handler, remove_handler, handlers method to provide moduler notification handling.
- removing unnecessary warning when setting the ufun of a negotiator after creation but before the negotiation session is started
- Adding NoResponsesMixin to situated to simplify development of the simplest possible agent for new worlds
- time_limit is now set to inf instead of None to disable it
- improving handling of ultimatum avoidance
- a round of SAO now is a real round in the sense of Reyhan et al. instead of a single counteroffer
- improved handling of NO_RESPONSE option for SAO
- updates to help with generalizing tournaments
- updating dependencies to latest versions
- Bump notebook from 5.7.4 to 5.7.8 in /docs
- Bump urllib3 from 1.24.1 to 1.24.2 in /docs
- updating dependencies to latest versions
- [Situated] Correcting multistage tournament implementation.
- [Situated] adding StatsMonitor and WorldMonitor classes to situated
- [Situated] adding a parameter to monitor stats of a world in real-time
- [Situated] showing ttest/kstest results in evaluation (negmas tournament commands)
- [SCML] adding total_balance to take hidden money into account for Factory objects and using it in negmas tournament and negmas scml
- [SCML] enabling --cw for collusion
- [SCML] adding hidden money to agent balance when evaluating it.
- [SCML] adding more debugging information to log.txt
- [Situated] adding multistage tournaments to tournament() function
- [Situated] adding control of the number of competitor in each world to create_tournament() and to negmas tournament create command
- [Core] avoid invalid or incomplete outcome proposals in SAOMechanism
- [Situated] adding metric parameter to evaluate_tournaments and corrsponding tournament command to control which metric is used for calculating the winner. Default is mean.
- [SCML] adding the ability to prevent CFP tampering and to ignore negotiated penalties to SCMLWorld
- [SCML] adding the possibility of ignore negotiated penalty in world simulation
- [SCML] saving bankruptcy events in stats (SCML)
- [SCML] improving bankruptcy processing
- [SCML] deep copying of parameters in collusion
- [Situated] saving extra score stats in evaluate_tournament
- [Core] avoiding a future warning in pandas
- [Situated] more printing in winners and combine commands
- [Situated] removing unnecessary balance/storage data from combine_tournament_stats
- [Situated] adding aggregate states to evaluate_tournament and negmas tournament commands
- [Situated] adding kstest
- [Situated] adding and disabling dependent t-tests to evaluate_tournament
- [Situated] adding negmas tournament combine to combine and evaluate multiple tournaments without a common root
- [Situated] avoiding an exception if combine_tournament is called with no scores
- [Situated] always save world stats in tournaments even in compact mode
- [SCML] reversing sabotage score
- [SCML] correcting factory number capping
- [SCML] more robust consumer
- [Core] avoid an exception if a ufun is not defined for a negotiator when logging
- [SCML] controlling number of colluding agents using --agents option of negmas tournament create
- [SCML] changing names of assigned worlds and multiple runs to have a unique log per world in tournament
- [SCML] controlling warnings and exception printing
- [SCML] increasing default world timeout by 50%
- [SCML] removing penalty processing from greedy
- [Core] avoid negotiation failure for negotiator exceptions
- [SCML] correcting sabotage implementation
- [CLI] adding winners subcommand to negmas tournament
- [CLI] saving all details of contracts
- [CLI] adding --steps-min and --steps-max to negmas tournament create to allow for tournaments with variable number of steps
- [CLI] removing the need to add greedy to std competition in anac 2019
- [CLI] saving log path in negmas tournament create
- [CLI] removing errroneous logs
- [CLI] enabling tournament resumption (bug fix)
- [CLI] avoiding a problem when trying to create two tournaments on the same place
- [CLI] fairer random assignment
- [CLI] more printing in negmas tournament
- [CLI] using median instead of mean for evaluating scores
- [CLI] Allowing for passing --world-config to tournament create command to change the default world settings
- [CLI] adding a print out of running competitors for verbose create_tournament
- [CLI] adding --world-config to negmas scml
- [CLI] displaying results of negmas tournament evaluate ordered by the choosen metric in the table.
- [CLI] preventing very long names
- [CLI] allowing for more configs/runs in the tournament by not trying all permutations of factory assignments.
- [CLI] adding --path to negmas tournament create
- [CLI] more printing in negmas tournament
- [CLI] reducing default n_retrials to 2
- [CLI] changing optimism from 0.0 to 0.5
- [CLI] setting reserved_value to 0.0
- [CLI] run_tournament does not call evaluate_tournament now
- [SCML] always adding greedy to std. competitions in negmas tournament
- [SCML] reducing # colluding agents to 3 by default
- [CLI] restructuring the tournament command in negmas to allow for pipelining and incremental running of tournaments.
- [SCML] adding DefaultGreedyManager to manage the behavior of default agents in the final tournament
- [CLI] avoiding overriding tournament folders if the name is repeated
- [SCML] avoiding missing reserved_value in some cases in AveragingNegotiatorUfun
- [CLI] adding the ability to control max-runs interactively to negmas tournament
- [CLI] adding the ability to use a fraction of all CPUs in tournament with parallel execution
- [SCML] exceptions in signing contracts are treated as refusal to sign them.
- [SCML] making contract execution more robust for edge cases (quantity or unit price is zero)
- [SCML] making collusion tournaments in SCML use the same number of worlds as std tournaments
- [Situated] adding ignore_contract_execution_excptions to situated and apps.scml
- [CLI] adding --raise-exceptions/ignore-exceptions to control behavior on agent exception in negmas tournament and negmas scml commands
- [SCML] adding --path to negmas scml command to add to python path
- [SCML] supporting ignore_agent_exceptions in situated and apps.scml
- [Situated] removing total timeout by default
- [Debugging support] making negmas scml behave similar to negmas tournament worlds
- [Improved robustness] making insurance calculations robust against rounding errors.
- [Internal change with no behavioral effect] renaming pay_insurance member of InsuranceCompany to is_insured to better document its nature
- [Debugging support] adding --balance to negmas scml to control the balance
- separating ControlledNegotiator, ControlledSAONegotiator. This speeds up all simulations at the expense of backward incompatibility for the undocumented Controller pattern. If you are using this pattern, you need to create ControlledSAONegotiator instead of SAONegotiator. If you are not using Controller or you do not know what that is, you probably safe and your code will just work.
- adding logging of negotiations and offers (very slow)
- preventing miners from buying in case sell CFPs are posted.
- avoiding exceptions if the simulator is used to buy/sell AFTER simulation time
- adding more stats to the output of negmas scml command
- revealing competitor_params parameters for anac2019_std/collusion/sabotage. This parameter always existed but was not shown in the method signature (passed as part of kwargs).
- Avoiding backward incompatibility issue in version 0.2.23 by adding INVALID_UTILITY back to both utilities and apps.scml.common
- documentation update
- unifying the INVALID_UTILITY value used by all agents/negotiators to be float("-inf")
- Added reserved_value parameter to GreedyFactoryManager that allows for control of the reserved value used in all its ufuns.
- enable mechanism plotting without history and improving plotting visibility
- shortening negotiator names
- printing the average number of negotiation rounds in negmas scml command
- taking care of negotiation timeout possibility in SCML simulations
- adding avoid_free_sales parameter to NegotiatorUtility to disable checks for zero price contracts
- adding an optional parameter "partner" to _create_annotation method to create correct contract annotations when response_to_negotiation_request is called
- Avoiding unnecessary assertion in insurance company evaluate method
- passing a copy of CFPs to on_new_cfp and on_cfp_removal methods to avoid modifications to them by agents.
- logging name instead of ID in different debug log messages (CFP publication, rejection to negotiate)
- bug fix that caused GreedyFactoryManagers to reject valid negotiations
- logging CFPs
- defaulting to buying insurance in negmas scml
- bug resolution related to recently added ability to use LinearUtilityFunction created by a dict with tuple outcomes
- Adding force_numeric to lead_genius_*
- minor updates
- allowing anac2019_world to receive keyword arguments to pass to chain_world
- bug fix: enabling parameter passing to the mechanism if given implicitly in MechanismFactory()
- receiving mechanisms explicitly in SCMLWorld and any other parameters of World implicitly
- bug fix in GreedyFactoryManager to avoid unnecessary negotiation retrials.
- Minor bug fix to avoid exceptions on consumers with None profile.
- Small update to the README file.
- Documentation update
- simplifying continuous integration workflow (for development)
- Adding new callbacks to simplify factory manager development in the SCM world: on_contract_executed, on_contract_breached, on_inventory_change, on_production_success, on_cash_transfer
- Supporting callbacks including onUfunChanged on jnegmas for SAONegotiator
- Installing jenegmas 0.2.6 by default in negmas jengmas-setup command
- updating run scml tutorial
- tox setting update to avoid a break in latest pip (19.1.0)
- handling an edge case with both partners committing breaches at the same time.
- testing reduced max-insurance setting
- resolving a bug in contract resolution when the same agent commits multiple money breaches on multiple contracts simultaneously.
- better assertion of correct contract execution
- resolving a bug in production that caused double counting of some production outputs when multiple lines are executed generating the same product type at the same step.
- ensuring that the storage reported through awi.state or simulator.storage_* are correct for the current step. That involves a slight change in an undocumented feature of production. In the past produced products were moved to the factory storage BEFORE the beginning of production on the next step. Now it is moved AFTER the END of production of the current step (the step production was completed). This ensures that when the factory manager reads its storage it reflects what it actually have at all times.
- improving printing of RunningCommandInfo and ProductionReport
- regenerating setup.py
- revealing jobs in FactoryState
- handling a bug that caused factories to have a single line sometimes.
- revealing the dict jobs in FactoryState which gives the scheduled jobs for each time/line
- adding always_concede option to NaiveTitForTatNegotiator
- updating insurance premium percents.
- adding more tests of NaiveTitForTatNegotiator
- removing relative_premium/premium confusion. Now evaluate_premium will always return a premium as a fraction of the contract total cost not as the full price of the insurance policy. For a contract of value 30, a premium of 0.1 means 3 money units not 0.1 money units.
- adding --config option to tournament and scml commands of negmas CLI to allow users to set default parameters in a file or using environment variables
- unifying the meaning of negative numbers for max_insurance_premium to mean never buying insuance in the scheduler, manager, and app. Now you have to set max_insurance_premium to inf to make the system
- enforcing argument types in negmas CLI
- Adding DEFAULT_NEGOTIATOR constant to apps.scml.common to control the default negotiator type used by built-agents
- making utility_function a property instead of a data member of negotiator
- adding on_ufun_changed() callback to Negotiator instead of relying on on_nofitication() [relying on on_notification still works].
- deprecating passing dynamic_ufun to constructors of all negotiators
- removing special treatment of AspirationNegotiator in miners
- modifications to the implementation of TitForTatNegotiator to make it more sane.
- deprecating changing the utility function directly (using negotiator.ufun = x) AFTER the negotiation starts. It is still possible to change it up to the call to join()
- adding negmas.apps.scml.DEFAULT_NEGOTIATOR to control the default negotiator used
- improved parameter settings (for internal parameters not published in the SCML document)
- speeding up ufun dumping
- formatting update
- adding ufun logging as follows:
- World and SCMLWorld has now log_ufuns_file which if not None gives a file to log the funs into.
- negmas tournament and scml commands receive a --log-ufuns or --no-log-ufuns to control whether or not to log the ufuns into the tournament/world stats directory under the name ufuns.csv
- adding a helper add_records to add records into existing csv files.
- minor bug fix
adding more control to negmas tournaments:
- adding --factories argument to control how many factories (at least) should exist on each production level
- adding --agents argument to control how many agents per competitor to instantiate. For the anac2019std ttype, this will be forced to 1
adding sabotage track and anac2019_sabotage to run it
updating test assertions for negotiators.
tutorial update
completed NaiveTitForTatNegotiator implementation
- resolving a bug in AspirationNegotiator that caused an exception for ufuns with assume_normalized
- resolving a bug in ASOMechanism that caused agreements only on boundary offers.
- using jnegmas-0.2.4 instead of jnegmas-0.2.3 in negmas jnegmas-setup command
- adding commands to FactoryState.
- Allowing JNegMAS to use GreedyFactoryManager. To do that, the Java factory manager must inherit from GreedyFactoryManager and its class name must end with either GreedyFactoryManager or GFM
- improving naming of java factory managers in log files.
- guaranteeing serial tournaments when java factory managers are involved (to be lifter later).
- adding links to the YouTube playlist in README
- adhering to Black style
- documentation update
- setting default world runs to 100 steps
- rounding catalog prices and historical costs to money resolution
- better defaults for negmas tournaments
- adding warnings when running too many simulations.
- added version command to negmas
- corrected the way min_factories_per_level is handled during tournament config creation.
- added --factories to negmas tournament command to control the minimum number of factories per level.
- improving naming of managers and factories for debugging purposes
- forcing reveal-names when giving debug option to any negmas command
- adding short_type_name to all Entity objects for convenient printing
- improvements to ufun representation to speedup computation
- making default factory managers slightly less risky in their behavior in long simulations and more risky in short ones
- adding jnegmas-setup and genius-setup commands to download and install jenegmas and genius bridge
- removing the logger mixin and replaced it with parameters to World and SCMLWorld
- added compact parameter to SCMLWorld, tournament, and world generators to reduce the memory footprint
- added --compact/--debug to the command line tools to avoid memory and log explosion setting the default to --compact
- improving implementation of consumer ufun for cases with negative schedule
- changing the return type of SCMLAWI.state from Factory to FactoryState to avoid modifying the original factory. For efficiency reasons, the profiles list is passed as it is and it is possible to modify it but that is forbidden by the rules of the game.
- Speeding up and correcting financial report reception.
- Making bankruptcy reporting system-wide
- avoiding execution of contracts with negative or no quantity and logging ones with zero unit price.
- documentation update
- bug fix to resolve an issue with ufun calculation for consumers in case of over consumption.
- make the default behavior of negmas command to reveal agent types in their names
- preventing agents from publishing CFPs with the ID of other agents
- documentation update
- improved Java support
- added option default_dump_extension to ~/negmas/config.json to enable changing the format of dumps from json to yaml. Currently json is the default. This included adding a helper function helpers.dump() to dump in the selected format (or overriding it by providing a file extension).
- completing compatibility with SCML description (minor change to the consumer profile)
- added two new options to negmas tournament command: anac2019std and anac2019collusion to simulate these two tracks of the ANAC 2019 SCML. Sabotage version will be added later.
- added two new functions in apps.scml.utils anac2019_std, anac2019_collusion to simulate these two tracks of the ANAC 2019 SCML. Sabotage version will be added later.
- added assign_managers() method to SCMLWorld to allow post-init assignment of managers to factories.
- updating simulator documentation
- modifications to achieve compatibility with JNegMAS 0.2.0
- removing the unnecessary ufun property in Negotiator
- First ANAC 2019 SCML release
- compatible with JNegMAS 0.2.0
- implemented money and inventory hiding
- added sugar methods to SCMLAWI that run execute for different commands: schedule_production, stop_production, schedule_job, hide_inventory, hide_money
- added a json file ~/negmas/config.json to store all global configs
- reading jar locations for both jnegmas and genius-bridge from config file
- completed bankruptcy and liquidation implementation.
- removed the unnecessary _world parameter from Entity
- Added parameters to the SCML world to control compensation parameters and default price for products with no catalog prices.
- Added contract nullification everywhere.
- updated documentation to show all inherited members of all classes and to show all non-private members
- Removing the bulletin-board from the public members of the AWI
- documentation improvement
- basic bankruptcy implementation
- bug fixes
- documentation update
- implementing bank and insurance company disable/enable switches
- implementing financial reports
- implementing checks for bankruptcy in all built-in agents in SCML
- implementing round timeout in SAOMechanism
- Moving to Travis CI for continuous integration, ReadTheDocs for documentation and Codacy for code quality
- Adding partial support to factory manager development using Java
- Adding annotation control to SCML world simulation disallowing factory managers from sending arbitrary information to co-specifics
- Removing some unnecessary dependencies
- Moving development to poetry. Now we do not keep a setup.py file and rely on poetry install
- removing some unnecessary dependencies that may cause compilation issues
- First public release